##// END OF EJS Templates
Ticket grouping (#2679)....
Jean-Philippe Lang -
r2604:b557393252cc
parent child
Show More

The requested changes are too big and content was truncated. Show full diff

1 NO CONTENT: new file 100644
NO CONTENT: new file 100644
The requested commit or file is too big and content was truncated. Show full diff
@@ -1,494 +1,506
1 # Redmine - project management software
1 # Redmine - project management software
2 # Copyright (C) 2006-2008 Jean-Philippe Lang
2 # Copyright (C) 2006-2008 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 class IssuesController < ApplicationController
18 class IssuesController < ApplicationController
19 menu_item :new_issue, :only => :new
19 menu_item :new_issue, :only => :new
20
20
21 before_filter :find_issue, :only => [:show, :edit, :reply]
21 before_filter :find_issue, :only => [:show, :edit, :reply]
22 before_filter :find_issues, :only => [:bulk_edit, :move, :destroy]
22 before_filter :find_issues, :only => [:bulk_edit, :move, :destroy]
23 before_filter :find_project, :only => [:new, :update_form, :preview]
23 before_filter :find_project, :only => [:new, :update_form, :preview]
24 before_filter :authorize, :except => [:index, :changes, :gantt, :calendar, :preview, :update_form, :context_menu]
24 before_filter :authorize, :except => [:index, :changes, :gantt, :calendar, :preview, :update_form, :context_menu]
25 before_filter :find_optional_project, :only => [:index, :changes, :gantt, :calendar]
25 before_filter :find_optional_project, :only => [:index, :changes, :gantt, :calendar]
26 accept_key_auth :index, :changes
26 accept_key_auth :index, :changes
27
27
28 helper :journals
28 helper :journals
29 helper :projects
29 helper :projects
30 include ProjectsHelper
30 include ProjectsHelper
31 helper :custom_fields
31 helper :custom_fields
32 include CustomFieldsHelper
32 include CustomFieldsHelper
33 helper :issue_relations
33 helper :issue_relations
34 include IssueRelationsHelper
34 include IssueRelationsHelper
35 helper :watchers
35 helper :watchers
36 include WatchersHelper
36 include WatchersHelper
37 helper :attachments
37 helper :attachments
38 include AttachmentsHelper
38 include AttachmentsHelper
39 helper :queries
39 helper :queries
40 helper :sort
40 helper :sort
41 include SortHelper
41 include SortHelper
42 include IssuesHelper
42 include IssuesHelper
43 helper :timelog
43 helper :timelog
44 include Redmine::Export::PDF
44 include Redmine::Export::PDF
45
45
46 def index
46 def index
47 retrieve_query
47 retrieve_query
48 sort_init(@query.sort_criteria.empty? ? [['id', 'desc']] : @query.sort_criteria)
48 sort_init(@query.sort_criteria.empty? ? [['id', 'desc']] : @query.sort_criteria)
49 sort_update({'id' => "#{Issue.table_name}.id"}.merge(@query.available_columns.inject({}) {|h, c| h[c.name.to_s] = c.sortable; h}))
49 sort_update({'id' => "#{Issue.table_name}.id"}.merge(@query.available_columns.inject({}) {|h, c| h[c.name.to_s] = c.sortable; h}))
50
50
51 if @query.valid?
51 if @query.valid?
52 limit = per_page_option
52 limit = per_page_option
53 respond_to do |format|
53 respond_to do |format|
54 format.html { }
54 format.html { }
55 format.atom { }
55 format.atom { }
56 format.csv { limit = Setting.issues_export_limit.to_i }
56 format.csv { limit = Setting.issues_export_limit.to_i }
57 format.pdf { limit = Setting.issues_export_limit.to_i }
57 format.pdf { limit = Setting.issues_export_limit.to_i }
58 end
58 end
59 @issue_count = Issue.count(:include => [:status, :project], :conditions => @query.statement)
59 @issue_count = Issue.count(:include => [:status, :project], :conditions => @query.statement)
60 @issue_pages = Paginator.new self, @issue_count, limit, params['page']
60 @issue_pages = Paginator.new self, @issue_count, limit, params['page']
61 @issues = Issue.find :all, :order => sort_clause,
61 @issues = Issue.find :all, :order => [@query.group_by_sort_order, sort_clause].compact.join(','),
62 :include => [ :assigned_to, :status, :tracker, :project, :priority, :category, :fixed_version ],
62 :include => [ :assigned_to, :status, :tracker, :project, :priority, :category, :fixed_version ],
63 :conditions => @query.statement,
63 :conditions => @query.statement,
64 :limit => limit,
64 :limit => limit,
65 :offset => @issue_pages.current.offset
65 :offset => @issue_pages.current.offset
66 respond_to do |format|
66 respond_to do |format|
67 format.html { render :template => 'issues/index.rhtml', :layout => !request.xhr? }
67 format.html {
68 if @query.grouped?
69 # Retrieve the issue count by group
70 @issue_count_by_group = begin
71 Issue.count(:group => @query.group_by, :include => [:status, :project], :conditions => @query.statement)
72 # Rails will raise an (unexpected) error if there's only a nil group value
73 rescue ActiveRecord::RecordNotFound
74 {nil => @issue_count}
75 end
76 end
77 render :template => 'issues/index.rhtml', :layout => !request.xhr?
78 }
68 format.atom { render_feed(@issues, :title => "#{@project || Setting.app_title}: #{l(:label_issue_plural)}") }
79 format.atom { render_feed(@issues, :title => "#{@project || Setting.app_title}: #{l(:label_issue_plural)}") }
69 format.csv { send_data(issues_to_csv(@issues, @project).read, :type => 'text/csv; header=present', :filename => 'export.csv') }
80 format.csv { send_data(issues_to_csv(@issues, @project).read, :type => 'text/csv; header=present', :filename => 'export.csv') }
70 format.pdf { send_data(issues_to_pdf(@issues, @project), :type => 'application/pdf', :filename => 'export.pdf') }
81 format.pdf { send_data(issues_to_pdf(@issues, @project, @query), :type => 'application/pdf', :filename => 'export.pdf') }
71 end
82 end
72 else
83 else
73 # Send html if the query is not valid
84 # Send html if the query is not valid
74 render(:template => 'issues/index.rhtml', :layout => !request.xhr?)
85 render(:template => 'issues/index.rhtml', :layout => !request.xhr?)
75 end
86 end
76 rescue ActiveRecord::RecordNotFound
87 rescue ActiveRecord::RecordNotFound
77 render_404
88 render_404
78 end
89 end
79
90
80 def changes
91 def changes
81 retrieve_query
92 retrieve_query
82 sort_init 'id', 'desc'
93 sort_init 'id', 'desc'
83 sort_update({'id' => "#{Issue.table_name}.id"}.merge(@query.available_columns.inject({}) {|h, c| h[c.name.to_s] = c.sortable; h}))
94 sort_update({'id' => "#{Issue.table_name}.id"}.merge(@query.available_columns.inject({}) {|h, c| h[c.name.to_s] = c.sortable; h}))
84
95
85 if @query.valid?
96 if @query.valid?
86 @journals = Journal.find :all, :include => [ :details, :user, {:issue => [:project, :author, :tracker, :status]} ],
97 @journals = Journal.find :all, :include => [ :details, :user, {:issue => [:project, :author, :tracker, :status]} ],
87 :conditions => @query.statement,
98 :conditions => @query.statement,
88 :limit => 25,
99 :limit => 25,
89 :order => "#{Journal.table_name}.created_on DESC"
100 :order => "#{Journal.table_name}.created_on DESC"
90 end
101 end
91 @title = (@project ? @project.name : Setting.app_title) + ": " + (@query.new_record? ? l(:label_changes_details) : @query.name)
102 @title = (@project ? @project.name : Setting.app_title) + ": " + (@query.new_record? ? l(:label_changes_details) : @query.name)
92 render :layout => false, :content_type => 'application/atom+xml'
103 render :layout => false, :content_type => 'application/atom+xml'
93 rescue ActiveRecord::RecordNotFound
104 rescue ActiveRecord::RecordNotFound
94 render_404
105 render_404
95 end
106 end
96
107
97 def show
108 def show
98 @journals = @issue.journals.find(:all, :include => [:user, :details], :order => "#{Journal.table_name}.created_on ASC")
109 @journals = @issue.journals.find(:all, :include => [:user, :details], :order => "#{Journal.table_name}.created_on ASC")
99 @journals.each_with_index {|j,i| j.indice = i+1}
110 @journals.each_with_index {|j,i| j.indice = i+1}
100 @journals.reverse! if User.current.wants_comments_in_reverse_order?
111 @journals.reverse! if User.current.wants_comments_in_reverse_order?
101 @changesets = @issue.changesets
112 @changesets = @issue.changesets
102 @changesets.reverse! if User.current.wants_comments_in_reverse_order?
113 @changesets.reverse! if User.current.wants_comments_in_reverse_order?
103 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
114 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
104 @edit_allowed = User.current.allowed_to?(:edit_issues, @project)
115 @edit_allowed = User.current.allowed_to?(:edit_issues, @project)
105 @priorities = Enumeration.priorities
116 @priorities = Enumeration.priorities
106 @time_entry = TimeEntry.new
117 @time_entry = TimeEntry.new
107 respond_to do |format|
118 respond_to do |format|
108 format.html { render :template => 'issues/show.rhtml' }
119 format.html { render :template => 'issues/show.rhtml' }
109 format.atom { render :action => 'changes', :layout => false, :content_type => 'application/atom+xml' }
120 format.atom { render :action => 'changes', :layout => false, :content_type => 'application/atom+xml' }
110 format.pdf { send_data(issue_to_pdf(@issue), :type => 'application/pdf', :filename => "#{@project.identifier}-#{@issue.id}.pdf") }
121 format.pdf { send_data(issue_to_pdf(@issue), :type => 'application/pdf', :filename => "#{@project.identifier}-#{@issue.id}.pdf") }
111 end
122 end
112 end
123 end
113
124
114 # Add a new issue
125 # Add a new issue
115 # The new issue will be created from an existing one if copy_from parameter is given
126 # The new issue will be created from an existing one if copy_from parameter is given
116 def new
127 def new
117 @issue = Issue.new
128 @issue = Issue.new
118 @issue.copy_from(params[:copy_from]) if params[:copy_from]
129 @issue.copy_from(params[:copy_from]) if params[:copy_from]
119 @issue.project = @project
130 @issue.project = @project
120 # Tracker must be set before custom field values
131 # Tracker must be set before custom field values
121 @issue.tracker ||= @project.trackers.find((params[:issue] && params[:issue][:tracker_id]) || params[:tracker_id] || :first)
132 @issue.tracker ||= @project.trackers.find((params[:issue] && params[:issue][:tracker_id]) || params[:tracker_id] || :first)
122 if @issue.tracker.nil?
133 if @issue.tracker.nil?
123 render_error 'No tracker is associated to this project. Please check the Project settings.'
134 render_error 'No tracker is associated to this project. Please check the Project settings.'
124 return
135 return
125 end
136 end
126 if params[:issue].is_a?(Hash)
137 if params[:issue].is_a?(Hash)
127 @issue.attributes = params[:issue]
138 @issue.attributes = params[:issue]
128 @issue.watcher_user_ids = params[:issue]['watcher_user_ids'] if User.current.allowed_to?(:add_issue_watchers, @project)
139 @issue.watcher_user_ids = params[:issue]['watcher_user_ids'] if User.current.allowed_to?(:add_issue_watchers, @project)
129 end
140 end
130 @issue.author = User.current
141 @issue.author = User.current
131
142
132 default_status = IssueStatus.default
143 default_status = IssueStatus.default
133 unless default_status
144 unless default_status
134 render_error 'No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").'
145 render_error 'No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").'
135 return
146 return
136 end
147 end
137 @issue.status = default_status
148 @issue.status = default_status
138 @allowed_statuses = ([default_status] + default_status.find_new_statuses_allowed_to(User.current.role_for_project(@project), @issue.tracker)).uniq
149 @allowed_statuses = ([default_status] + default_status.find_new_statuses_allowed_to(User.current.role_for_project(@project), @issue.tracker)).uniq
139
150
140 if request.get? || request.xhr?
151 if request.get? || request.xhr?
141 @issue.start_date ||= Date.today
152 @issue.start_date ||= Date.today
142 else
153 else
143 requested_status = IssueStatus.find_by_id(params[:issue][:status_id])
154 requested_status = IssueStatus.find_by_id(params[:issue][:status_id])
144 # Check that the user is allowed to apply the requested status
155 # Check that the user is allowed to apply the requested status
145 @issue.status = (@allowed_statuses.include? requested_status) ? requested_status : default_status
156 @issue.status = (@allowed_statuses.include? requested_status) ? requested_status : default_status
146 if @issue.save
157 if @issue.save
147 attach_files(@issue, params[:attachments])
158 attach_files(@issue, params[:attachments])
148 flash[:notice] = l(:notice_successful_create)
159 flash[:notice] = l(:notice_successful_create)
149 call_hook(:controller_issues_new_after_save, { :params => params, :issue => @issue})
160 call_hook(:controller_issues_new_after_save, { :params => params, :issue => @issue})
150 redirect_to(params[:continue] ? { :action => 'new', :tracker_id => @issue.tracker } :
161 redirect_to(params[:continue] ? { :action => 'new', :tracker_id => @issue.tracker } :
151 { :action => 'show', :id => @issue })
162 { :action => 'show', :id => @issue })
152 return
163 return
153 end
164 end
154 end
165 end
155 @priorities = Enumeration.priorities
166 @priorities = Enumeration.priorities
156 render :layout => !request.xhr?
167 render :layout => !request.xhr?
157 end
168 end
158
169
159 # Attributes that can be updated on workflow transition (without :edit permission)
170 # Attributes that can be updated on workflow transition (without :edit permission)
160 # TODO: make it configurable (at least per role)
171 # TODO: make it configurable (at least per role)
161 UPDATABLE_ATTRS_ON_TRANSITION = %w(status_id assigned_to_id fixed_version_id done_ratio) unless const_defined?(:UPDATABLE_ATTRS_ON_TRANSITION)
172 UPDATABLE_ATTRS_ON_TRANSITION = %w(status_id assigned_to_id fixed_version_id done_ratio) unless const_defined?(:UPDATABLE_ATTRS_ON_TRANSITION)
162
173
163 def edit
174 def edit
164 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
175 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
165 @priorities = Enumeration.priorities
176 @priorities = Enumeration.priorities
166 @edit_allowed = User.current.allowed_to?(:edit_issues, @project)
177 @edit_allowed = User.current.allowed_to?(:edit_issues, @project)
167 @time_entry = TimeEntry.new
178 @time_entry = TimeEntry.new
168
179
169 @notes = params[:notes]
180 @notes = params[:notes]
170 journal = @issue.init_journal(User.current, @notes)
181 journal = @issue.init_journal(User.current, @notes)
171 # User can change issue attributes only if he has :edit permission or if a workflow transition is allowed
182 # User can change issue attributes only if he has :edit permission or if a workflow transition is allowed
172 if (@edit_allowed || !@allowed_statuses.empty?) && params[:issue]
183 if (@edit_allowed || !@allowed_statuses.empty?) && params[:issue]
173 attrs = params[:issue].dup
184 attrs = params[:issue].dup
174 attrs.delete_if {|k,v| !UPDATABLE_ATTRS_ON_TRANSITION.include?(k) } unless @edit_allowed
185 attrs.delete_if {|k,v| !UPDATABLE_ATTRS_ON_TRANSITION.include?(k) } unless @edit_allowed
175 attrs.delete(:status_id) unless @allowed_statuses.detect {|s| s.id.to_s == attrs[:status_id].to_s}
186 attrs.delete(:status_id) unless @allowed_statuses.detect {|s| s.id.to_s == attrs[:status_id].to_s}
176 @issue.attributes = attrs
187 @issue.attributes = attrs
177 end
188 end
178
189
179 if request.post?
190 if request.post?
180 @time_entry = TimeEntry.new(:project => @project, :issue => @issue, :user => User.current, :spent_on => Date.today)
191 @time_entry = TimeEntry.new(:project => @project, :issue => @issue, :user => User.current, :spent_on => Date.today)
181 @time_entry.attributes = params[:time_entry]
192 @time_entry.attributes = params[:time_entry]
182 attachments = attach_files(@issue, params[:attachments])
193 attachments = attach_files(@issue, params[:attachments])
183 attachments.each {|a| journal.details << JournalDetail.new(:property => 'attachment', :prop_key => a.id, :value => a.filename)}
194 attachments.each {|a| journal.details << JournalDetail.new(:property => 'attachment', :prop_key => a.id, :value => a.filename)}
184
195
185 call_hook(:controller_issues_edit_before_save, { :params => params, :issue => @issue, :time_entry => @time_entry, :journal => journal})
196 call_hook(:controller_issues_edit_before_save, { :params => params, :issue => @issue, :time_entry => @time_entry, :journal => journal})
186
197
187 if (@time_entry.hours.nil? || @time_entry.valid?) && @issue.save
198 if (@time_entry.hours.nil? || @time_entry.valid?) && @issue.save
188 # Log spend time
199 # Log spend time
189 if User.current.allowed_to?(:log_time, @project)
200 if User.current.allowed_to?(:log_time, @project)
190 @time_entry.save
201 @time_entry.save
191 end
202 end
192 if !journal.new_record?
203 if !journal.new_record?
193 # Only send notification if something was actually changed
204 # Only send notification if something was actually changed
194 flash[:notice] = l(:notice_successful_update)
205 flash[:notice] = l(:notice_successful_update)
195 end
206 end
196 call_hook(:controller_issues_edit_after_save, { :params => params, :issue => @issue, :time_entry => @time_entry, :journal => journal})
207 call_hook(:controller_issues_edit_after_save, { :params => params, :issue => @issue, :time_entry => @time_entry, :journal => journal})
197 redirect_to(params[:back_to] || {:action => 'show', :id => @issue})
208 redirect_to(params[:back_to] || {:action => 'show', :id => @issue})
198 end
209 end
199 end
210 end
200 rescue ActiveRecord::StaleObjectError
211 rescue ActiveRecord::StaleObjectError
201 # Optimistic locking exception
212 # Optimistic locking exception
202 flash.now[:error] = l(:notice_locking_conflict)
213 flash.now[:error] = l(:notice_locking_conflict)
203 end
214 end
204
215
205 def reply
216 def reply
206 journal = Journal.find(params[:journal_id]) if params[:journal_id]
217 journal = Journal.find(params[:journal_id]) if params[:journal_id]
207 if journal
218 if journal
208 user = journal.user
219 user = journal.user
209 text = journal.notes
220 text = journal.notes
210 else
221 else
211 user = @issue.author
222 user = @issue.author
212 text = @issue.description
223 text = @issue.description
213 end
224 end
214 content = "#{ll(Setting.default_language, :text_user_wrote, user)}\\n> "
225 content = "#{ll(Setting.default_language, :text_user_wrote, user)}\\n> "
215 content << text.to_s.strip.gsub(%r{<pre>((.|\s)*?)</pre>}m, '[...]').gsub('"', '\"').gsub(/(\r?\n|\r\n?)/, "\\n> ") + "\\n\\n"
226 content << text.to_s.strip.gsub(%r{<pre>((.|\s)*?)</pre>}m, '[...]').gsub('"', '\"').gsub(/(\r?\n|\r\n?)/, "\\n> ") + "\\n\\n"
216 render(:update) { |page|
227 render(:update) { |page|
217 page.<< "$('notes').value = \"#{content}\";"
228 page.<< "$('notes').value = \"#{content}\";"
218 page.show 'update'
229 page.show 'update'
219 page << "Form.Element.focus('notes');"
230 page << "Form.Element.focus('notes');"
220 page << "Element.scrollTo('update');"
231 page << "Element.scrollTo('update');"
221 page << "$('notes').scrollTop = $('notes').scrollHeight - $('notes').clientHeight;"
232 page << "$('notes').scrollTop = $('notes').scrollHeight - $('notes').clientHeight;"
222 }
233 }
223 end
234 end
224
235
225 # Bulk edit a set of issues
236 # Bulk edit a set of issues
226 def bulk_edit
237 def bulk_edit
227 if request.post?
238 if request.post?
228 status = params[:status_id].blank? ? nil : IssueStatus.find_by_id(params[:status_id])
239 status = params[:status_id].blank? ? nil : IssueStatus.find_by_id(params[:status_id])
229 priority = params[:priority_id].blank? ? nil : Enumeration.find_by_id(params[:priority_id])
240 priority = params[:priority_id].blank? ? nil : Enumeration.find_by_id(params[:priority_id])
230 assigned_to = (params[:assigned_to_id].blank? || params[:assigned_to_id] == 'none') ? nil : User.find_by_id(params[:assigned_to_id])
241 assigned_to = (params[:assigned_to_id].blank? || params[:assigned_to_id] == 'none') ? nil : User.find_by_id(params[:assigned_to_id])
231 category = (params[:category_id].blank? || params[:category_id] == 'none') ? nil : @project.issue_categories.find_by_id(params[:category_id])
242 category = (params[:category_id].blank? || params[:category_id] == 'none') ? nil : @project.issue_categories.find_by_id(params[:category_id])
232 fixed_version = (params[:fixed_version_id].blank? || params[:fixed_version_id] == 'none') ? nil : @project.versions.find_by_id(params[:fixed_version_id])
243 fixed_version = (params[:fixed_version_id].blank? || params[:fixed_version_id] == 'none') ? nil : @project.versions.find_by_id(params[:fixed_version_id])
233 custom_field_values = params[:custom_field_values] ? params[:custom_field_values].reject {|k,v| v.blank?} : nil
244 custom_field_values = params[:custom_field_values] ? params[:custom_field_values].reject {|k,v| v.blank?} : nil
234
245
235 unsaved_issue_ids = []
246 unsaved_issue_ids = []
236 @issues.each do |issue|
247 @issues.each do |issue|
237 journal = issue.init_journal(User.current, params[:notes])
248 journal = issue.init_journal(User.current, params[:notes])
238 issue.priority = priority if priority
249 issue.priority = priority if priority
239 issue.assigned_to = assigned_to if assigned_to || params[:assigned_to_id] == 'none'
250 issue.assigned_to = assigned_to if assigned_to || params[:assigned_to_id] == 'none'
240 issue.category = category if category || params[:category_id] == 'none'
251 issue.category = category if category || params[:category_id] == 'none'
241 issue.fixed_version = fixed_version if fixed_version || params[:fixed_version_id] == 'none'
252 issue.fixed_version = fixed_version if fixed_version || params[:fixed_version_id] == 'none'
242 issue.start_date = params[:start_date] unless params[:start_date].blank?
253 issue.start_date = params[:start_date] unless params[:start_date].blank?
243 issue.due_date = params[:due_date] unless params[:due_date].blank?
254 issue.due_date = params[:due_date] unless params[:due_date].blank?
244 issue.done_ratio = params[:done_ratio] unless params[:done_ratio].blank?
255 issue.done_ratio = params[:done_ratio] unless params[:done_ratio].blank?
245 issue.custom_field_values = custom_field_values if custom_field_values && !custom_field_values.empty?
256 issue.custom_field_values = custom_field_values if custom_field_values && !custom_field_values.empty?
246 call_hook(:controller_issues_bulk_edit_before_save, { :params => params, :issue => issue })
257 call_hook(:controller_issues_bulk_edit_before_save, { :params => params, :issue => issue })
247 # Don't save any change to the issue if the user is not authorized to apply the requested status
258 # Don't save any change to the issue if the user is not authorized to apply the requested status
248 unless (status.nil? || (issue.status.new_status_allowed_to?(status, current_role, issue.tracker) && issue.status = status)) && issue.save
259 unless (status.nil? || (issue.status.new_status_allowed_to?(status, current_role, issue.tracker) && issue.status = status)) && issue.save
249 # Keep unsaved issue ids to display them in flash error
260 # Keep unsaved issue ids to display them in flash error
250 unsaved_issue_ids << issue.id
261 unsaved_issue_ids << issue.id
251 end
262 end
252 end
263 end
253 if unsaved_issue_ids.empty?
264 if unsaved_issue_ids.empty?
254 flash[:notice] = l(:notice_successful_update) unless @issues.empty?
265 flash[:notice] = l(:notice_successful_update) unless @issues.empty?
255 else
266 else
256 flash[:error] = l(:notice_failed_to_save_issues, :count => unsaved_issue_ids.size,
267 flash[:error] = l(:notice_failed_to_save_issues, :count => unsaved_issue_ids.size,
257 :total => @issues.size,
268 :total => @issues.size,
258 :ids => '#' + unsaved_issue_ids.join(', #'))
269 :ids => '#' + unsaved_issue_ids.join(', #'))
259 end
270 end
260 redirect_to(params[:back_to] || {:controller => 'issues', :action => 'index', :project_id => @project})
271 redirect_to(params[:back_to] || {:controller => 'issues', :action => 'index', :project_id => @project})
261 return
272 return
262 end
273 end
263 # Find potential statuses the user could be allowed to switch issues to
274 # Find potential statuses the user could be allowed to switch issues to
264 @available_statuses = Workflow.find(:all, :include => :new_status,
275 @available_statuses = Workflow.find(:all, :include => :new_status,
265 :conditions => {:role_id => current_role.id}).collect(&:new_status).compact.uniq.sort
276 :conditions => {:role_id => current_role.id}).collect(&:new_status).compact.uniq.sort
266 @custom_fields = @project.issue_custom_fields.select {|f| f.field_format == 'list'}
277 @custom_fields = @project.issue_custom_fields.select {|f| f.field_format == 'list'}
267 end
278 end
268
279
269 def move
280 def move
270 @allowed_projects = []
281 @allowed_projects = []
271 # find projects to which the user is allowed to move the issue
282 # find projects to which the user is allowed to move the issue
272 if User.current.admin?
283 if User.current.admin?
273 # admin is allowed to move issues to any active (visible) project
284 # admin is allowed to move issues to any active (visible) project
274 @allowed_projects = Project.find(:all, :conditions => Project.visible_by(User.current))
285 @allowed_projects = Project.find(:all, :conditions => Project.visible_by(User.current))
275 else
286 else
276 User.current.memberships.each {|m| @allowed_projects << m.project if m.role.allowed_to?(:move_issues)}
287 User.current.memberships.each {|m| @allowed_projects << m.project if m.role.allowed_to?(:move_issues)}
277 end
288 end
278 @target_project = @allowed_projects.detect {|p| p.id.to_s == params[:new_project_id]} if params[:new_project_id]
289 @target_project = @allowed_projects.detect {|p| p.id.to_s == params[:new_project_id]} if params[:new_project_id]
279 @target_project ||= @project
290 @target_project ||= @project
280 @trackers = @target_project.trackers
291 @trackers = @target_project.trackers
281 if request.post?
292 if request.post?
282 new_tracker = params[:new_tracker_id].blank? ? nil : @target_project.trackers.find_by_id(params[:new_tracker_id])
293 new_tracker = params[:new_tracker_id].blank? ? nil : @target_project.trackers.find_by_id(params[:new_tracker_id])
283 unsaved_issue_ids = []
294 unsaved_issue_ids = []
284 @issues.each do |issue|
295 @issues.each do |issue|
285 issue.init_journal(User.current)
296 issue.init_journal(User.current)
286 unsaved_issue_ids << issue.id unless issue.move_to(@target_project, new_tracker, params[:copy_options])
297 unsaved_issue_ids << issue.id unless issue.move_to(@target_project, new_tracker, params[:copy_options])
287 end
298 end
288 if unsaved_issue_ids.empty?
299 if unsaved_issue_ids.empty?
289 flash[:notice] = l(:notice_successful_update) unless @issues.empty?
300 flash[:notice] = l(:notice_successful_update) unless @issues.empty?
290 else
301 else
291 flash[:error] = l(:notice_failed_to_save_issues, :count => unsaved_issue_ids.size,
302 flash[:error] = l(:notice_failed_to_save_issues, :count => unsaved_issue_ids.size,
292 :total => @issues.size,
303 :total => @issues.size,
293 :ids => '#' + unsaved_issue_ids.join(', #'))
304 :ids => '#' + unsaved_issue_ids.join(', #'))
294 end
305 end
295 redirect_to :controller => 'issues', :action => 'index', :project_id => @project
306 redirect_to :controller => 'issues', :action => 'index', :project_id => @project
296 return
307 return
297 end
308 end
298 render :layout => false if request.xhr?
309 render :layout => false if request.xhr?
299 end
310 end
300
311
301 def destroy
312 def destroy
302 @hours = TimeEntry.sum(:hours, :conditions => ['issue_id IN (?)', @issues]).to_f
313 @hours = TimeEntry.sum(:hours, :conditions => ['issue_id IN (?)', @issues]).to_f
303 if @hours > 0
314 if @hours > 0
304 case params[:todo]
315 case params[:todo]
305 when 'destroy'
316 when 'destroy'
306 # nothing to do
317 # nothing to do
307 when 'nullify'
318 when 'nullify'
308 TimeEntry.update_all('issue_id = NULL', ['issue_id IN (?)', @issues])
319 TimeEntry.update_all('issue_id = NULL', ['issue_id IN (?)', @issues])
309 when 'reassign'
320 when 'reassign'
310 reassign_to = @project.issues.find_by_id(params[:reassign_to_id])
321 reassign_to = @project.issues.find_by_id(params[:reassign_to_id])
311 if reassign_to.nil?
322 if reassign_to.nil?
312 flash.now[:error] = l(:error_issue_not_found_in_project)
323 flash.now[:error] = l(:error_issue_not_found_in_project)
313 return
324 return
314 else
325 else
315 TimeEntry.update_all("issue_id = #{reassign_to.id}", ['issue_id IN (?)', @issues])
326 TimeEntry.update_all("issue_id = #{reassign_to.id}", ['issue_id IN (?)', @issues])
316 end
327 end
317 else
328 else
318 # display the destroy form
329 # display the destroy form
319 return
330 return
320 end
331 end
321 end
332 end
322 @issues.each(&:destroy)
333 @issues.each(&:destroy)
323 redirect_to :action => 'index', :project_id => @project
334 redirect_to :action => 'index', :project_id => @project
324 end
335 end
325
336
326 def gantt
337 def gantt
327 @gantt = Redmine::Helpers::Gantt.new(params)
338 @gantt = Redmine::Helpers::Gantt.new(params)
328 retrieve_query
339 retrieve_query
329 if @query.valid?
340 if @query.valid?
330 events = []
341 events = []
331 # Issues that have start and due dates
342 # Issues that have start and due dates
332 events += Issue.find(:all,
343 events += Issue.find(:all,
333 :order => "start_date, due_date",
344 :order => "start_date, due_date",
334 :include => [:tracker, :status, :assigned_to, :priority, :project],
345 :include => [:tracker, :status, :assigned_to, :priority, :project],
335 :conditions => ["(#{@query.statement}) AND (((start_date>=? and start_date<=?) or (due_date>=? and due_date<=?) or (start_date<? and due_date>?)) and start_date is not null and due_date is not null)", @gantt.date_from, @gantt.date_to, @gantt.date_from, @gantt.date_to, @gantt.date_from, @gantt.date_to]
346 :conditions => ["(#{@query.statement}) AND (((start_date>=? and start_date<=?) or (due_date>=? and due_date<=?) or (start_date<? and due_date>?)) and start_date is not null and due_date is not null)", @gantt.date_from, @gantt.date_to, @gantt.date_from, @gantt.date_to, @gantt.date_from, @gantt.date_to]
336 )
347 )
337 # Issues that don't have a due date but that are assigned to a version with a date
348 # Issues that don't have a due date but that are assigned to a version with a date
338 events += Issue.find(:all,
349 events += Issue.find(:all,
339 :order => "start_date, effective_date",
350 :order => "start_date, effective_date",
340 :include => [:tracker, :status, :assigned_to, :priority, :project, :fixed_version],
351 :include => [:tracker, :status, :assigned_to, :priority, :project, :fixed_version],
341 :conditions => ["(#{@query.statement}) AND (((start_date>=? and start_date<=?) or (effective_date>=? and effective_date<=?) or (start_date<? and effective_date>?)) and start_date is not null and due_date is null and effective_date is not null)", @gantt.date_from, @gantt.date_to, @gantt.date_from, @gantt.date_to, @gantt.date_from, @gantt.date_to]
352 :conditions => ["(#{@query.statement}) AND (((start_date>=? and start_date<=?) or (effective_date>=? and effective_date<=?) or (start_date<? and effective_date>?)) and start_date is not null and due_date is null and effective_date is not null)", @gantt.date_from, @gantt.date_to, @gantt.date_from, @gantt.date_to, @gantt.date_from, @gantt.date_to]
342 )
353 )
343 # Versions
354 # Versions
344 events += Version.find(:all, :include => :project,
355 events += Version.find(:all, :include => :project,
345 :conditions => ["(#{@query.project_statement}) AND effective_date BETWEEN ? AND ?", @gantt.date_from, @gantt.date_to])
356 :conditions => ["(#{@query.project_statement}) AND effective_date BETWEEN ? AND ?", @gantt.date_from, @gantt.date_to])
346
357
347 @gantt.events = events
358 @gantt.events = events
348 end
359 end
349
360
350 basename = (@project ? "#{@project.identifier}-" : '') + 'gantt'
361 basename = (@project ? "#{@project.identifier}-" : '') + 'gantt'
351
362
352 respond_to do |format|
363 respond_to do |format|
353 format.html { render :template => "issues/gantt.rhtml", :layout => !request.xhr? }
364 format.html { render :template => "issues/gantt.rhtml", :layout => !request.xhr? }
354 format.png { send_data(@gantt.to_image, :disposition => 'inline', :type => 'image/png', :filename => "#{basename}.png") } if @gantt.respond_to?('to_image')
365 format.png { send_data(@gantt.to_image, :disposition => 'inline', :type => 'image/png', :filename => "#{basename}.png") } if @gantt.respond_to?('to_image')
355 format.pdf { send_data(gantt_to_pdf(@gantt, @project), :type => 'application/pdf', :filename => "#{basename}.pdf") }
366 format.pdf { send_data(gantt_to_pdf(@gantt, @project), :type => 'application/pdf', :filename => "#{basename}.pdf") }
356 end
367 end
357 end
368 end
358
369
359 def calendar
370 def calendar
360 if params[:year] and params[:year].to_i > 1900
371 if params[:year] and params[:year].to_i > 1900
361 @year = params[:year].to_i
372 @year = params[:year].to_i
362 if params[:month] and params[:month].to_i > 0 and params[:month].to_i < 13
373 if params[:month] and params[:month].to_i > 0 and params[:month].to_i < 13
363 @month = params[:month].to_i
374 @month = params[:month].to_i
364 end
375 end
365 end
376 end
366 @year ||= Date.today.year
377 @year ||= Date.today.year
367 @month ||= Date.today.month
378 @month ||= Date.today.month
368
379
369 @calendar = Redmine::Helpers::Calendar.new(Date.civil(@year, @month, 1), current_language, :month)
380 @calendar = Redmine::Helpers::Calendar.new(Date.civil(@year, @month, 1), current_language, :month)
370 retrieve_query
381 retrieve_query
371 if @query.valid?
382 if @query.valid?
372 events = []
383 events = []
373 events += Issue.find(:all,
384 events += Issue.find(:all,
374 :include => [:tracker, :status, :assigned_to, :priority, :project],
385 :include => [:tracker, :status, :assigned_to, :priority, :project],
375 :conditions => ["(#{@query.statement}) AND ((start_date BETWEEN ? AND ?) OR (due_date BETWEEN ? AND ?))", @calendar.startdt, @calendar.enddt, @calendar.startdt, @calendar.enddt]
386 :conditions => ["(#{@query.statement}) AND ((start_date BETWEEN ? AND ?) OR (due_date BETWEEN ? AND ?))", @calendar.startdt, @calendar.enddt, @calendar.startdt, @calendar.enddt]
376 )
387 )
377 events += Version.find(:all, :include => :project,
388 events += Version.find(:all, :include => :project,
378 :conditions => ["(#{@query.project_statement}) AND effective_date BETWEEN ? AND ?", @calendar.startdt, @calendar.enddt])
389 :conditions => ["(#{@query.project_statement}) AND effective_date BETWEEN ? AND ?", @calendar.startdt, @calendar.enddt])
379
390
380 @calendar.events = events
391 @calendar.events = events
381 end
392 end
382
393
383 render :layout => false if request.xhr?
394 render :layout => false if request.xhr?
384 end
395 end
385
396
386 def context_menu
397 def context_menu
387 @issues = Issue.find_all_by_id(params[:ids], :include => :project)
398 @issues = Issue.find_all_by_id(params[:ids], :include => :project)
388 if (@issues.size == 1)
399 if (@issues.size == 1)
389 @issue = @issues.first
400 @issue = @issues.first
390 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
401 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
391 end
402 end
392 projects = @issues.collect(&:project).compact.uniq
403 projects = @issues.collect(&:project).compact.uniq
393 @project = projects.first if projects.size == 1
404 @project = projects.first if projects.size == 1
394
405
395 @can = {:edit => (@project && User.current.allowed_to?(:edit_issues, @project)),
406 @can = {:edit => (@project && User.current.allowed_to?(:edit_issues, @project)),
396 :log_time => (@project && User.current.allowed_to?(:log_time, @project)),
407 :log_time => (@project && User.current.allowed_to?(:log_time, @project)),
397 :update => (@project && (User.current.allowed_to?(:edit_issues, @project) || (User.current.allowed_to?(:change_status, @project) && @allowed_statuses && !@allowed_statuses.empty?))),
408 :update => (@project && (User.current.allowed_to?(:edit_issues, @project) || (User.current.allowed_to?(:change_status, @project) && @allowed_statuses && !@allowed_statuses.empty?))),
398 :move => (@project && User.current.allowed_to?(:move_issues, @project)),
409 :move => (@project && User.current.allowed_to?(:move_issues, @project)),
399 :copy => (@issue && @project.trackers.include?(@issue.tracker) && User.current.allowed_to?(:add_issues, @project)),
410 :copy => (@issue && @project.trackers.include?(@issue.tracker) && User.current.allowed_to?(:add_issues, @project)),
400 :delete => (@project && User.current.allowed_to?(:delete_issues, @project))
411 :delete => (@project && User.current.allowed_to?(:delete_issues, @project))
401 }
412 }
402 if @project
413 if @project
403 @assignables = @project.assignable_users
414 @assignables = @project.assignable_users
404 @assignables << @issue.assigned_to if @issue && @issue.assigned_to && !@assignables.include?(@issue.assigned_to)
415 @assignables << @issue.assigned_to if @issue && @issue.assigned_to && !@assignables.include?(@issue.assigned_to)
405 end
416 end
406
417
407 @priorities = Enumeration.priorities.reverse
418 @priorities = Enumeration.priorities.reverse
408 @statuses = IssueStatus.find(:all, :order => 'position')
419 @statuses = IssueStatus.find(:all, :order => 'position')
409 @back = request.env['HTTP_REFERER']
420 @back = request.env['HTTP_REFERER']
410
421
411 render :layout => false
422 render :layout => false
412 end
423 end
413
424
414 def update_form
425 def update_form
415 @issue = Issue.new(params[:issue])
426 @issue = Issue.new(params[:issue])
416 render :action => :new, :layout => false
427 render :action => :new, :layout => false
417 end
428 end
418
429
419 def preview
430 def preview
420 @issue = @project.issues.find_by_id(params[:id]) unless params[:id].blank?
431 @issue = @project.issues.find_by_id(params[:id]) unless params[:id].blank?
421 @attachements = @issue.attachments if @issue
432 @attachements = @issue.attachments if @issue
422 @text = params[:notes] || (params[:issue] ? params[:issue][:description] : nil)
433 @text = params[:notes] || (params[:issue] ? params[:issue][:description] : nil)
423 render :partial => 'common/preview'
434 render :partial => 'common/preview'
424 end
435 end
425
436
426 private
437 private
427 def find_issue
438 def find_issue
428 @issue = Issue.find(params[:id], :include => [:project, :tracker, :status, :author, :priority, :category])
439 @issue = Issue.find(params[:id], :include => [:project, :tracker, :status, :author, :priority, :category])
429 @project = @issue.project
440 @project = @issue.project
430 rescue ActiveRecord::RecordNotFound
441 rescue ActiveRecord::RecordNotFound
431 render_404
442 render_404
432 end
443 end
433
444
434 # Filter for bulk operations
445 # Filter for bulk operations
435 def find_issues
446 def find_issues
436 @issues = Issue.find_all_by_id(params[:id] || params[:ids])
447 @issues = Issue.find_all_by_id(params[:id] || params[:ids])
437 raise ActiveRecord::RecordNotFound if @issues.empty?
448 raise ActiveRecord::RecordNotFound if @issues.empty?
438 projects = @issues.collect(&:project).compact.uniq
449 projects = @issues.collect(&:project).compact.uniq
439 if projects.size == 1
450 if projects.size == 1
440 @project = projects.first
451 @project = projects.first
441 else
452 else
442 # TODO: let users bulk edit/move/destroy issues from different projects
453 # TODO: let users bulk edit/move/destroy issues from different projects
443 render_error 'Can not bulk edit/move/destroy issues from different projects' and return false
454 render_error 'Can not bulk edit/move/destroy issues from different projects' and return false
444 end
455 end
445 rescue ActiveRecord::RecordNotFound
456 rescue ActiveRecord::RecordNotFound
446 render_404
457 render_404
447 end
458 end
448
459
449 def find_project
460 def find_project
450 @project = Project.find(params[:project_id])
461 @project = Project.find(params[:project_id])
451 rescue ActiveRecord::RecordNotFound
462 rescue ActiveRecord::RecordNotFound
452 render_404
463 render_404
453 end
464 end
454
465
455 def find_optional_project
466 def find_optional_project
456 @project = Project.find(params[:project_id]) unless params[:project_id].blank?
467 @project = Project.find(params[:project_id]) unless params[:project_id].blank?
457 allowed = User.current.allowed_to?({:controller => params[:controller], :action => params[:action]}, @project, :global => true)
468 allowed = User.current.allowed_to?({:controller => params[:controller], :action => params[:action]}, @project, :global => true)
458 allowed ? true : deny_access
469 allowed ? true : deny_access
459 rescue ActiveRecord::RecordNotFound
470 rescue ActiveRecord::RecordNotFound
460 render_404
471 render_404
461 end
472 end
462
473
463 # Retrieve query from session or build a new query
474 # Retrieve query from session or build a new query
464 def retrieve_query
475 def retrieve_query
465 if !params[:query_id].blank?
476 if !params[:query_id].blank?
466 cond = "project_id IS NULL"
477 cond = "project_id IS NULL"
467 cond << " OR project_id = #{@project.id}" if @project
478 cond << " OR project_id = #{@project.id}" if @project
468 @query = Query.find(params[:query_id], :conditions => cond)
479 @query = Query.find(params[:query_id], :conditions => cond)
469 @query.project = @project
480 @query.project = @project
470 session[:query] = {:id => @query.id, :project_id => @query.project_id}
481 session[:query] = {:id => @query.id, :project_id => @query.project_id}
471 sort_clear
482 sort_clear
472 else
483 else
473 if params[:set_filter] || session[:query].nil? || session[:query][:project_id] != (@project ? @project.id : nil)
484 if params[:set_filter] || session[:query].nil? || session[:query][:project_id] != (@project ? @project.id : nil)
474 # Give it a name, required to be valid
485 # Give it a name, required to be valid
475 @query = Query.new(:name => "_")
486 @query = Query.new(:name => "_")
476 @query.project = @project
487 @query.project = @project
477 if params[:fields] and params[:fields].is_a? Array
488 if params[:fields] and params[:fields].is_a? Array
478 params[:fields].each do |field|
489 params[:fields].each do |field|
479 @query.add_filter(field, params[:operators][field], params[:values][field])
490 @query.add_filter(field, params[:operators][field], params[:values][field])
480 end
491 end
481 else
492 else
482 @query.available_filters.keys.each do |field|
493 @query.available_filters.keys.each do |field|
483 @query.add_short_filter(field, params[field]) if params[field]
494 @query.add_short_filter(field, params[field]) if params[field]
484 end
495 end
485 end
496 end
486 session[:query] = {:project_id => @query.project_id, :filters => @query.filters}
497 @query.group_by = params[:group_by]
498 session[:query] = {:project_id => @query.project_id, :filters => @query.filters, :group_by => @query.group_by}
487 else
499 else
488 @query = Query.find_by_id(session[:query][:id]) if session[:query][:id]
500 @query = Query.find_by_id(session[:query][:id]) if session[:query][:id]
489 @query ||= Query.new(:name => "_", :project => @project, :filters => session[:query][:filters])
501 @query ||= Query.new(:name => "_", :project => @project, :filters => session[:query][:filters], :group_by => session[:query][:group_by])
490 @query.project = @project
502 @query.project = @project
491 end
503 end
492 end
504 end
493 end
505 end
494 end
506 end
@@ -1,80 +1,81
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 class QueriesController < ApplicationController
18 class QueriesController < ApplicationController
19 menu_item :issues
19 menu_item :issues
20 before_filter :find_query, :except => :new
20 before_filter :find_query, :except => :new
21 before_filter :find_optional_project, :only => :new
21 before_filter :find_optional_project, :only => :new
22
22
23 def new
23 def new
24 @query = Query.new(params[:query])
24 @query = Query.new(params[:query])
25 @query.project = params[:query_is_for_all] ? nil : @project
25 @query.project = params[:query_is_for_all] ? nil : @project
26 @query.user = User.current
26 @query.user = User.current
27 @query.is_public = false unless (@query.project && current_role.allowed_to?(:manage_public_queries)) || User.current.admin?
27 @query.is_public = false unless (@query.project && current_role.allowed_to?(:manage_public_queries)) || User.current.admin?
28 @query.column_names = nil if params[:default_columns]
28 @query.column_names = nil if params[:default_columns]
29
29
30 params[:fields].each do |field|
30 params[:fields].each do |field|
31 @query.add_filter(field, params[:operators][field], params[:values][field])
31 @query.add_filter(field, params[:operators][field], params[:values][field])
32 end if params[:fields]
32 end if params[:fields]
33 @query.group_by ||= params[:group_by]
33
34
34 if request.post? && params[:confirm] && @query.save
35 if request.post? && params[:confirm] && @query.save
35 flash[:notice] = l(:notice_successful_create)
36 flash[:notice] = l(:notice_successful_create)
36 redirect_to :controller => 'issues', :action => 'index', :project_id => @project, :query_id => @query
37 redirect_to :controller => 'issues', :action => 'index', :project_id => @project, :query_id => @query
37 return
38 return
38 end
39 end
39 render :layout => false if request.xhr?
40 render :layout => false if request.xhr?
40 end
41 end
41
42
42 def edit
43 def edit
43 if request.post?
44 if request.post?
44 @query.filters = {}
45 @query.filters = {}
45 params[:fields].each do |field|
46 params[:fields].each do |field|
46 @query.add_filter(field, params[:operators][field], params[:values][field])
47 @query.add_filter(field, params[:operators][field], params[:values][field])
47 end if params[:fields]
48 end if params[:fields]
48 @query.attributes = params[:query]
49 @query.attributes = params[:query]
49 @query.project = nil if params[:query_is_for_all]
50 @query.project = nil if params[:query_is_for_all]
50 @query.is_public = false unless (@query.project && current_role.allowed_to?(:manage_public_queries)) || User.current.admin?
51 @query.is_public = false unless (@query.project && current_role.allowed_to?(:manage_public_queries)) || User.current.admin?
51 @query.column_names = nil if params[:default_columns]
52 @query.column_names = nil if params[:default_columns]
52
53
53 if @query.save
54 if @query.save
54 flash[:notice] = l(:notice_successful_update)
55 flash[:notice] = l(:notice_successful_update)
55 redirect_to :controller => 'issues', :action => 'index', :project_id => @project, :query_id => @query
56 redirect_to :controller => 'issues', :action => 'index', :project_id => @project, :query_id => @query
56 end
57 end
57 end
58 end
58 end
59 end
59
60
60 def destroy
61 def destroy
61 @query.destroy if request.post?
62 @query.destroy if request.post?
62 redirect_to :controller => 'issues', :action => 'index', :project_id => @project, :set_filter => 1
63 redirect_to :controller => 'issues', :action => 'index', :project_id => @project, :set_filter => 1
63 end
64 end
64
65
65 private
66 private
66 def find_query
67 def find_query
67 @query = Query.find(params[:id])
68 @query = Query.find(params[:id])
68 @project = @query.project
69 @project = @query.project
69 render_403 unless @query.editable_by?(User.current)
70 render_403 unless @query.editable_by?(User.current)
70 rescue ActiveRecord::RecordNotFound
71 rescue ActiveRecord::RecordNotFound
71 render_404
72 render_404
72 end
73 end
73
74
74 def find_optional_project
75 def find_optional_project
75 @project = Project.find(params[:project_id]) if params[:project_id]
76 @project = Project.find(params[:project_id]) if params[:project_id]
76 User.current.allowed_to?(:save_queries, @project, :global => true)
77 User.current.allowed_to?(:save_queries, @project, :global => true)
77 rescue ActiveRecord::RecordNotFound
78 rescue ActiveRecord::RecordNotFound
78 render_404
79 render_404
79 end
80 end
80 end
81 end
@@ -1,442 +1,466
1 # Redmine - project management software
1 # Redmine - project management software
2 # Copyright (C) 2006-2008 Jean-Philippe Lang
2 # Copyright (C) 2006-2008 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 class QueryColumn
18 class QueryColumn
19 attr_accessor :name, :sortable, :default_order
19 attr_accessor :name, :sortable, :groupable, :default_order
20 include Redmine::I18n
20 include Redmine::I18n
21
21
22 def initialize(name, options={})
22 def initialize(name, options={})
23 self.name = name
23 self.name = name
24 self.sortable = options[:sortable]
24 self.sortable = options[:sortable]
25 self.groupable = options[:groupable] || false
25 self.default_order = options[:default_order]
26 self.default_order = options[:default_order]
26 end
27 end
27
28
28 def caption
29 def caption
29 l("field_#{name}")
30 l("field_#{name}")
30 end
31 end
31
32
32 # Returns true if the column is sortable, otherwise false
33 # Returns true if the column is sortable, otherwise false
33 def sortable?
34 def sortable?
34 !sortable.nil?
35 !sortable.nil?
35 end
36 end
36 end
37 end
37
38
38 class QueryCustomFieldColumn < QueryColumn
39 class QueryCustomFieldColumn < QueryColumn
39
40
40 def initialize(custom_field)
41 def initialize(custom_field)
41 self.name = "cf_#{custom_field.id}".to_sym
42 self.name = "cf_#{custom_field.id}".to_sym
42 self.sortable = custom_field.order_statement || false
43 self.sortable = custom_field.order_statement || false
43 @cf = custom_field
44 @cf = custom_field
44 end
45 end
45
46
46 def caption
47 def caption
47 @cf.name
48 @cf.name
48 end
49 end
49
50
50 def custom_field
51 def custom_field
51 @cf
52 @cf
52 end
53 end
53 end
54 end
54
55
55 class Query < ActiveRecord::Base
56 class Query < ActiveRecord::Base
56 belongs_to :project
57 belongs_to :project
57 belongs_to :user
58 belongs_to :user
58 serialize :filters
59 serialize :filters
59 serialize :column_names
60 serialize :column_names
60 serialize :sort_criteria, Array
61 serialize :sort_criteria, Array
61
62
62 attr_protected :project_id, :user_id
63 attr_protected :project_id, :user_id
63
64
64 validates_presence_of :name, :on => :save
65 validates_presence_of :name, :on => :save
65 validates_length_of :name, :maximum => 255
66 validates_length_of :name, :maximum => 255
66
67
67 @@operators = { "=" => :label_equals,
68 @@operators = { "=" => :label_equals,
68 "!" => :label_not_equals,
69 "!" => :label_not_equals,
69 "o" => :label_open_issues,
70 "o" => :label_open_issues,
70 "c" => :label_closed_issues,
71 "c" => :label_closed_issues,
71 "!*" => :label_none,
72 "!*" => :label_none,
72 "*" => :label_all,
73 "*" => :label_all,
73 ">=" => :label_greater_or_equal,
74 ">=" => :label_greater_or_equal,
74 "<=" => :label_less_or_equal,
75 "<=" => :label_less_or_equal,
75 "<t+" => :label_in_less_than,
76 "<t+" => :label_in_less_than,
76 ">t+" => :label_in_more_than,
77 ">t+" => :label_in_more_than,
77 "t+" => :label_in,
78 "t+" => :label_in,
78 "t" => :label_today,
79 "t" => :label_today,
79 "w" => :label_this_week,
80 "w" => :label_this_week,
80 ">t-" => :label_less_than_ago,
81 ">t-" => :label_less_than_ago,
81 "<t-" => :label_more_than_ago,
82 "<t-" => :label_more_than_ago,
82 "t-" => :label_ago,
83 "t-" => :label_ago,
83 "~" => :label_contains,
84 "~" => :label_contains,
84 "!~" => :label_not_contains }
85 "!~" => :label_not_contains }
85
86
86 cattr_reader :operators
87 cattr_reader :operators
87
88
88 @@operators_by_filter_type = { :list => [ "=", "!" ],
89 @@operators_by_filter_type = { :list => [ "=", "!" ],
89 :list_status => [ "o", "=", "!", "c", "*" ],
90 :list_status => [ "o", "=", "!", "c", "*" ],
90 :list_optional => [ "=", "!", "!*", "*" ],
91 :list_optional => [ "=", "!", "!*", "*" ],
91 :list_subprojects => [ "*", "!*", "=" ],
92 :list_subprojects => [ "*", "!*", "=" ],
92 :date => [ "<t+", ">t+", "t+", "t", "w", ">t-", "<t-", "t-" ],
93 :date => [ "<t+", ">t+", "t+", "t", "w", ">t-", "<t-", "t-" ],
93 :date_past => [ ">t-", "<t-", "t-", "t", "w" ],
94 :date_past => [ ">t-", "<t-", "t-", "t", "w" ],
94 :string => [ "=", "~", "!", "!~" ],
95 :string => [ "=", "~", "!", "!~" ],
95 :text => [ "~", "!~" ],
96 :text => [ "~", "!~" ],
96 :integer => [ "=", ">=", "<=", "!*", "*" ] }
97 :integer => [ "=", ">=", "<=", "!*", "*" ] }
97
98
98 cattr_reader :operators_by_filter_type
99 cattr_reader :operators_by_filter_type
99
100
100 @@available_columns = [
101 @@available_columns = [
101 QueryColumn.new(:project, :sortable => "#{Project.table_name}.name"),
102 QueryColumn.new(:project, :sortable => "#{Project.table_name}.name", :groupable => true),
102 QueryColumn.new(:tracker, :sortable => "#{Tracker.table_name}.position"),
103 QueryColumn.new(:tracker, :sortable => "#{Tracker.table_name}.position", :groupable => true),
103 QueryColumn.new(:status, :sortable => "#{IssueStatus.table_name}.position"),
104 QueryColumn.new(:status, :sortable => "#{IssueStatus.table_name}.position", :groupable => true),
104 QueryColumn.new(:priority, :sortable => "#{Enumeration.table_name}.position", :default_order => 'desc'),
105 QueryColumn.new(:priority, :sortable => "#{Enumeration.table_name}.position", :default_order => 'desc', :groupable => true),
105 QueryColumn.new(:subject, :sortable => "#{Issue.table_name}.subject"),
106 QueryColumn.new(:subject, :sortable => "#{Issue.table_name}.subject"),
106 QueryColumn.new(:author),
107 QueryColumn.new(:author),
107 QueryColumn.new(:assigned_to, :sortable => ["#{User.table_name}.lastname", "#{User.table_name}.firstname"]),
108 QueryColumn.new(:assigned_to, :sortable => ["#{User.table_name}.lastname", "#{User.table_name}.firstname", "#{User.table_name}.id"], :groupable => true),
108 QueryColumn.new(:updated_on, :sortable => "#{Issue.table_name}.updated_on", :default_order => 'desc'),
109 QueryColumn.new(:updated_on, :sortable => "#{Issue.table_name}.updated_on", :default_order => 'desc'),
109 QueryColumn.new(:category, :sortable => "#{IssueCategory.table_name}.name"),
110 QueryColumn.new(:category, :sortable => "#{IssueCategory.table_name}.name", :groupable => true),
110 QueryColumn.new(:fixed_version, :sortable => ["#{Version.table_name}.effective_date", "#{Version.table_name}.name"], :default_order => 'desc'),
111 QueryColumn.new(:fixed_version, :sortable => ["#{Version.table_name}.effective_date", "#{Version.table_name}.name"], :default_order => 'desc', :groupable => true),
111 QueryColumn.new(:start_date, :sortable => "#{Issue.table_name}.start_date"),
112 QueryColumn.new(:start_date, :sortable => "#{Issue.table_name}.start_date"),
112 QueryColumn.new(:due_date, :sortable => "#{Issue.table_name}.due_date"),
113 QueryColumn.new(:due_date, :sortable => "#{Issue.table_name}.due_date"),
113 QueryColumn.new(:estimated_hours, :sortable => "#{Issue.table_name}.estimated_hours"),
114 QueryColumn.new(:estimated_hours, :sortable => "#{Issue.table_name}.estimated_hours"),
114 QueryColumn.new(:done_ratio, :sortable => "#{Issue.table_name}.done_ratio"),
115 QueryColumn.new(:done_ratio, :sortable => "#{Issue.table_name}.done_ratio", :groupable => true),
115 QueryColumn.new(:created_on, :sortable => "#{Issue.table_name}.created_on", :default_order => 'desc'),
116 QueryColumn.new(:created_on, :sortable => "#{Issue.table_name}.created_on", :default_order => 'desc'),
116 ]
117 ]
117 cattr_reader :available_columns
118 cattr_reader :available_columns
118
119
119 def initialize(attributes = nil)
120 def initialize(attributes = nil)
120 super attributes
121 super attributes
121 self.filters ||= { 'status_id' => {:operator => "o", :values => [""]} }
122 self.filters ||= { 'status_id' => {:operator => "o", :values => [""]} }
122 end
123 end
123
124
124 def after_initialize
125 def after_initialize
125 # Store the fact that project is nil (used in #editable_by?)
126 # Store the fact that project is nil (used in #editable_by?)
126 @is_for_all = project.nil?
127 @is_for_all = project.nil?
127 end
128 end
128
129
129 def validate
130 def validate
130 filters.each_key do |field|
131 filters.each_key do |field|
131 errors.add label_for(field), :blank unless
132 errors.add label_for(field), :blank unless
132 # filter requires one or more values
133 # filter requires one or more values
133 (values_for(field) and !values_for(field).first.blank?) or
134 (values_for(field) and !values_for(field).first.blank?) or
134 # filter doesn't require any value
135 # filter doesn't require any value
135 ["o", "c", "!*", "*", "t", "w"].include? operator_for(field)
136 ["o", "c", "!*", "*", "t", "w"].include? operator_for(field)
136 end if filters
137 end if filters
137 end
138 end
138
139
139 def editable_by?(user)
140 def editable_by?(user)
140 return false unless user
141 return false unless user
141 # Admin can edit them all and regular users can edit their private queries
142 # Admin can edit them all and regular users can edit their private queries
142 return true if user.admin? || (!is_public && self.user_id == user.id)
143 return true if user.admin? || (!is_public && self.user_id == user.id)
143 # Members can not edit public queries that are for all project (only admin is allowed to)
144 # Members can not edit public queries that are for all project (only admin is allowed to)
144 is_public && !@is_for_all && user.allowed_to?(:manage_public_queries, project)
145 is_public && !@is_for_all && user.allowed_to?(:manage_public_queries, project)
145 end
146 end
146
147
147 def available_filters
148 def available_filters
148 return @available_filters if @available_filters
149 return @available_filters if @available_filters
149
150
150 trackers = project.nil? ? Tracker.find(:all, :order => 'position') : project.rolled_up_trackers
151 trackers = project.nil? ? Tracker.find(:all, :order => 'position') : project.rolled_up_trackers
151
152
152 @available_filters = { "status_id" => { :type => :list_status, :order => 1, :values => IssueStatus.find(:all, :order => 'position').collect{|s| [s.name, s.id.to_s] } },
153 @available_filters = { "status_id" => { :type => :list_status, :order => 1, :values => IssueStatus.find(:all, :order => 'position').collect{|s| [s.name, s.id.to_s] } },
153 "tracker_id" => { :type => :list, :order => 2, :values => trackers.collect{|s| [s.name, s.id.to_s] } },
154 "tracker_id" => { :type => :list, :order => 2, :values => trackers.collect{|s| [s.name, s.id.to_s] } },
154 "priority_id" => { :type => :list, :order => 3, :values => Enumeration.find(:all, :conditions => ['opt=?','IPRI'], :order => 'position').collect{|s| [s.name, s.id.to_s] } },
155 "priority_id" => { :type => :list, :order => 3, :values => Enumeration.find(:all, :conditions => ['opt=?','IPRI'], :order => 'position').collect{|s| [s.name, s.id.to_s] } },
155 "subject" => { :type => :text, :order => 8 },
156 "subject" => { :type => :text, :order => 8 },
156 "created_on" => { :type => :date_past, :order => 9 },
157 "created_on" => { :type => :date_past, :order => 9 },
157 "updated_on" => { :type => :date_past, :order => 10 },
158 "updated_on" => { :type => :date_past, :order => 10 },
158 "start_date" => { :type => :date, :order => 11 },
159 "start_date" => { :type => :date, :order => 11 },
159 "due_date" => { :type => :date, :order => 12 },
160 "due_date" => { :type => :date, :order => 12 },
160 "estimated_hours" => { :type => :integer, :order => 13 },
161 "estimated_hours" => { :type => :integer, :order => 13 },
161 "done_ratio" => { :type => :integer, :order => 14 }}
162 "done_ratio" => { :type => :integer, :order => 14 }}
162
163
163 user_values = []
164 user_values = []
164 user_values << ["<< #{l(:label_me)} >>", "me"] if User.current.logged?
165 user_values << ["<< #{l(:label_me)} >>", "me"] if User.current.logged?
165 if project
166 if project
166 user_values += project.users.sort.collect{|s| [s.name, s.id.to_s] }
167 user_values += project.users.sort.collect{|s| [s.name, s.id.to_s] }
167 else
168 else
168 # members of the user's projects
169 # members of the user's projects
169 user_values += User.current.projects.collect(&:users).flatten.uniq.sort.collect{|s| [s.name, s.id.to_s] }
170 user_values += User.current.projects.collect(&:users).flatten.uniq.sort.collect{|s| [s.name, s.id.to_s] }
170 end
171 end
171 @available_filters["assigned_to_id"] = { :type => :list_optional, :order => 4, :values => user_values } unless user_values.empty?
172 @available_filters["assigned_to_id"] = { :type => :list_optional, :order => 4, :values => user_values } unless user_values.empty?
172 @available_filters["author_id"] = { :type => :list, :order => 5, :values => user_values } unless user_values.empty?
173 @available_filters["author_id"] = { :type => :list, :order => 5, :values => user_values } unless user_values.empty?
173
174
174 if User.current.logged?
175 if User.current.logged?
175 @available_filters["watcher_id"] = { :type => :list, :order => 15, :values => [["<< #{l(:label_me)} >>", "me"]] }
176 @available_filters["watcher_id"] = { :type => :list, :order => 15, :values => [["<< #{l(:label_me)} >>", "me"]] }
176 end
177 end
177
178
178 if project
179 if project
179 # project specific filters
180 # project specific filters
180 unless @project.issue_categories.empty?
181 unless @project.issue_categories.empty?
181 @available_filters["category_id"] = { :type => :list_optional, :order => 6, :values => @project.issue_categories.collect{|s| [s.name, s.id.to_s] } }
182 @available_filters["category_id"] = { :type => :list_optional, :order => 6, :values => @project.issue_categories.collect{|s| [s.name, s.id.to_s] } }
182 end
183 end
183 unless @project.versions.empty?
184 unless @project.versions.empty?
184 @available_filters["fixed_version_id"] = { :type => :list_optional, :order => 7, :values => @project.versions.sort.collect{|s| [s.name, s.id.to_s] } }
185 @available_filters["fixed_version_id"] = { :type => :list_optional, :order => 7, :values => @project.versions.sort.collect{|s| [s.name, s.id.to_s] } }
185 end
186 end
186 unless @project.descendants.active.empty?
187 unless @project.descendants.active.empty?
187 @available_filters["subproject_id"] = { :type => :list_subprojects, :order => 13, :values => @project.descendants.visible.collect{|s| [s.name, s.id.to_s] } }
188 @available_filters["subproject_id"] = { :type => :list_subprojects, :order => 13, :values => @project.descendants.visible.collect{|s| [s.name, s.id.to_s] } }
188 end
189 end
189 add_custom_fields_filters(@project.all_issue_custom_fields)
190 add_custom_fields_filters(@project.all_issue_custom_fields)
190 else
191 else
191 # global filters for cross project issue list
192 # global filters for cross project issue list
192 add_custom_fields_filters(IssueCustomField.find(:all, :conditions => {:is_filter => true, :is_for_all => true}))
193 add_custom_fields_filters(IssueCustomField.find(:all, :conditions => {:is_filter => true, :is_for_all => true}))
193 end
194 end
194 @available_filters
195 @available_filters
195 end
196 end
196
197
197 def add_filter(field, operator, values)
198 def add_filter(field, operator, values)
198 # values must be an array
199 # values must be an array
199 return unless values and values.is_a? Array # and !values.first.empty?
200 return unless values and values.is_a? Array # and !values.first.empty?
200 # check if field is defined as an available filter
201 # check if field is defined as an available filter
201 if available_filters.has_key? field
202 if available_filters.has_key? field
202 filter_options = available_filters[field]
203 filter_options = available_filters[field]
203 # check if operator is allowed for that filter
204 # check if operator is allowed for that filter
204 #if @@operators_by_filter_type[filter_options[:type]].include? operator
205 #if @@operators_by_filter_type[filter_options[:type]].include? operator
205 # allowed_values = values & ([""] + (filter_options[:values] || []).collect {|val| val[1]})
206 # allowed_values = values & ([""] + (filter_options[:values] || []).collect {|val| val[1]})
206 # filters[field] = {:operator => operator, :values => allowed_values } if (allowed_values.first and !allowed_values.first.empty?) or ["o", "c", "!*", "*", "t"].include? operator
207 # filters[field] = {:operator => operator, :values => allowed_values } if (allowed_values.first and !allowed_values.first.empty?) or ["o", "c", "!*", "*", "t"].include? operator
207 #end
208 #end
208 filters[field] = {:operator => operator, :values => values }
209 filters[field] = {:operator => operator, :values => values }
209 end
210 end
210 end
211 end
211
212
212 def add_short_filter(field, expression)
213 def add_short_filter(field, expression)
213 return unless expression
214 return unless expression
214 parms = expression.scan(/^(o|c|\!|\*)?(.*)$/).first
215 parms = expression.scan(/^(o|c|\!|\*)?(.*)$/).first
215 add_filter field, (parms[0] || "="), [parms[1] || ""]
216 add_filter field, (parms[0] || "="), [parms[1] || ""]
216 end
217 end
217
218
218 def has_filter?(field)
219 def has_filter?(field)
219 filters and filters[field]
220 filters and filters[field]
220 end
221 end
221
222
222 def operator_for(field)
223 def operator_for(field)
223 has_filter?(field) ? filters[field][:operator] : nil
224 has_filter?(field) ? filters[field][:operator] : nil
224 end
225 end
225
226
226 def values_for(field)
227 def values_for(field)
227 has_filter?(field) ? filters[field][:values] : nil
228 has_filter?(field) ? filters[field][:values] : nil
228 end
229 end
229
230
230 def label_for(field)
231 def label_for(field)
231 label = available_filters[field][:name] if available_filters.has_key?(field)
232 label = available_filters[field][:name] if available_filters.has_key?(field)
232 label ||= field.gsub(/\_id$/, "")
233 label ||= field.gsub(/\_id$/, "")
233 end
234 end
234
235
235 def available_columns
236 def available_columns
236 return @available_columns if @available_columns
237 return @available_columns if @available_columns
237 @available_columns = Query.available_columns
238 @available_columns = Query.available_columns
238 @available_columns += (project ?
239 @available_columns += (project ?
239 project.all_issue_custom_fields :
240 project.all_issue_custom_fields :
240 IssueCustomField.find(:all, :conditions => {:is_for_all => true})
241 IssueCustomField.find(:all, :conditions => {:is_for_all => true})
241 ).collect {|cf| QueryCustomFieldColumn.new(cf) }
242 ).collect {|cf| QueryCustomFieldColumn.new(cf) }
242 end
243 end
243
244
245 # Returns an array of columns that can be used to group the results
246 def groupable_columns
247 available_columns.select {|c| c.groupable}
248 end
249
244 def columns
250 def columns
245 if has_default_columns?
251 if has_default_columns?
246 available_columns.select do |c|
252 available_columns.select do |c|
247 # Adds the project column by default for cross-project lists
253 # Adds the project column by default for cross-project lists
248 Setting.issue_list_default_columns.include?(c.name.to_s) || (c.name == :project && project.nil?)
254 Setting.issue_list_default_columns.include?(c.name.to_s) || (c.name == :project && project.nil?)
249 end
255 end
250 else
256 else
251 # preserve the column_names order
257 # preserve the column_names order
252 column_names.collect {|name| available_columns.find {|col| col.name == name}}.compact
258 column_names.collect {|name| available_columns.find {|col| col.name == name}}.compact
253 end
259 end
254 end
260 end
255
261
256 def column_names=(names)
262 def column_names=(names)
257 names = names.select {|n| n.is_a?(Symbol) || !n.blank? } if names
263 names = names.select {|n| n.is_a?(Symbol) || !n.blank? } if names
258 names = names.collect {|n| n.is_a?(Symbol) ? n : n.to_sym } if names
264 names = names.collect {|n| n.is_a?(Symbol) ? n : n.to_sym } if names
259 write_attribute(:column_names, names)
265 write_attribute(:column_names, names)
260 end
266 end
261
267
262 def has_column?(column)
268 def has_column?(column)
263 column_names && column_names.include?(column.name)
269 column_names && column_names.include?(column.name)
264 end
270 end
265
271
266 def has_default_columns?
272 def has_default_columns?
267 column_names.nil? || column_names.empty?
273 column_names.nil? || column_names.empty?
268 end
274 end
269
275
270 def sort_criteria=(arg)
276 def sort_criteria=(arg)
271 c = []
277 c = []
272 if arg.is_a?(Hash)
278 if arg.is_a?(Hash)
273 arg = arg.keys.sort.collect {|k| arg[k]}
279 arg = arg.keys.sort.collect {|k| arg[k]}
274 end
280 end
275 c = arg.select {|k,o| !k.to_s.blank?}.slice(0,3).collect {|k,o| [k.to_s, o == 'desc' ? o : 'asc']}
281 c = arg.select {|k,o| !k.to_s.blank?}.slice(0,3).collect {|k,o| [k.to_s, o == 'desc' ? o : 'asc']}
276 write_attribute(:sort_criteria, c)
282 write_attribute(:sort_criteria, c)
277 end
283 end
278
284
279 def sort_criteria
285 def sort_criteria
280 read_attribute(:sort_criteria) || []
286 read_attribute(:sort_criteria) || []
281 end
287 end
282
288
283 def sort_criteria_key(arg)
289 def sort_criteria_key(arg)
284 sort_criteria && sort_criteria[arg] && sort_criteria[arg].first
290 sort_criteria && sort_criteria[arg] && sort_criteria[arg].first
285 end
291 end
286
292
287 def sort_criteria_order(arg)
293 def sort_criteria_order(arg)
288 sort_criteria && sort_criteria[arg] && sort_criteria[arg].last
294 sort_criteria && sort_criteria[arg] && sort_criteria[arg].last
289 end
295 end
290
296
297 # Returns the SQL sort order that should be prepended for grouping
298 def group_by_sort_order
299 if grouped? && (column = group_by_column)
300 column.sortable.is_a?(Array) ?
301 column.sortable.collect {|s| "#{s} #{column.default_order}"}.join(',') :
302 "#{column.sortable} #{column.default_order}"
303 end
304 end
305
306 # Returns true if the query is a grouped query
307 def grouped?
308 !group_by.blank?
309 end
310
311 def group_by_column
312 groupable_columns.detect {|c| c.name.to_s == group_by}
313 end
314
291 def project_statement
315 def project_statement
292 project_clauses = []
316 project_clauses = []
293 if project && !@project.descendants.active.empty?
317 if project && !@project.descendants.active.empty?
294 ids = [project.id]
318 ids = [project.id]
295 if has_filter?("subproject_id")
319 if has_filter?("subproject_id")
296 case operator_for("subproject_id")
320 case operator_for("subproject_id")
297 when '='
321 when '='
298 # include the selected subprojects
322 # include the selected subprojects
299 ids += values_for("subproject_id").each(&:to_i)
323 ids += values_for("subproject_id").each(&:to_i)
300 when '!*'
324 when '!*'
301 # main project only
325 # main project only
302 else
326 else
303 # all subprojects
327 # all subprojects
304 ids += project.descendants.collect(&:id)
328 ids += project.descendants.collect(&:id)
305 end
329 end
306 elsif Setting.display_subprojects_issues?
330 elsif Setting.display_subprojects_issues?
307 ids += project.descendants.collect(&:id)
331 ids += project.descendants.collect(&:id)
308 end
332 end
309 project_clauses << "#{Project.table_name}.id IN (%s)" % ids.join(',')
333 project_clauses << "#{Project.table_name}.id IN (%s)" % ids.join(',')
310 elsif project
334 elsif project
311 project_clauses << "#{Project.table_name}.id = %d" % project.id
335 project_clauses << "#{Project.table_name}.id = %d" % project.id
312 end
336 end
313 project_clauses << Project.allowed_to_condition(User.current, :view_issues)
337 project_clauses << Project.allowed_to_condition(User.current, :view_issues)
314 project_clauses.join(' AND ')
338 project_clauses.join(' AND ')
315 end
339 end
316
340
317 def statement
341 def statement
318 # filters clauses
342 # filters clauses
319 filters_clauses = []
343 filters_clauses = []
320 filters.each_key do |field|
344 filters.each_key do |field|
321 next if field == "subproject_id"
345 next if field == "subproject_id"
322 v = values_for(field).clone
346 v = values_for(field).clone
323 next unless v and !v.empty?
347 next unless v and !v.empty?
324 operator = operator_for(field)
348 operator = operator_for(field)
325
349
326 # "me" value subsitution
350 # "me" value subsitution
327 if %w(assigned_to_id author_id watcher_id).include?(field)
351 if %w(assigned_to_id author_id watcher_id).include?(field)
328 v.push(User.current.logged? ? User.current.id.to_s : "0") if v.delete("me")
352 v.push(User.current.logged? ? User.current.id.to_s : "0") if v.delete("me")
329 end
353 end
330
354
331 sql = ''
355 sql = ''
332 if field =~ /^cf_(\d+)$/
356 if field =~ /^cf_(\d+)$/
333 # custom field
357 # custom field
334 db_table = CustomValue.table_name
358 db_table = CustomValue.table_name
335 db_field = 'value'
359 db_field = 'value'
336 is_custom_filter = true
360 is_custom_filter = true
337 sql << "#{Issue.table_name}.id IN (SELECT #{Issue.table_name}.id FROM #{Issue.table_name} LEFT OUTER JOIN #{db_table} ON #{db_table}.customized_type='Issue' AND #{db_table}.customized_id=#{Issue.table_name}.id AND #{db_table}.custom_field_id=#{$1} WHERE "
361 sql << "#{Issue.table_name}.id IN (SELECT #{Issue.table_name}.id FROM #{Issue.table_name} LEFT OUTER JOIN #{db_table} ON #{db_table}.customized_type='Issue' AND #{db_table}.customized_id=#{Issue.table_name}.id AND #{db_table}.custom_field_id=#{$1} WHERE "
338 sql << sql_for_field(field, operator, v, db_table, db_field, true) + ')'
362 sql << sql_for_field(field, operator, v, db_table, db_field, true) + ')'
339 elsif field == 'watcher_id'
363 elsif field == 'watcher_id'
340 db_table = Watcher.table_name
364 db_table = Watcher.table_name
341 db_field = 'user_id'
365 db_field = 'user_id'
342 sql << "#{Issue.table_name}.id #{ operator == '=' ? 'IN' : 'NOT IN' } (SELECT #{db_table}.watchable_id FROM #{db_table} WHERE #{db_table}.watchable_type='Issue' AND "
366 sql << "#{Issue.table_name}.id #{ operator == '=' ? 'IN' : 'NOT IN' } (SELECT #{db_table}.watchable_id FROM #{db_table} WHERE #{db_table}.watchable_type='Issue' AND "
343 sql << sql_for_field(field, '=', v, db_table, db_field) + ')'
367 sql << sql_for_field(field, '=', v, db_table, db_field) + ')'
344 else
368 else
345 # regular field
369 # regular field
346 db_table = Issue.table_name
370 db_table = Issue.table_name
347 db_field = field
371 db_field = field
348 sql << '(' + sql_for_field(field, operator, v, db_table, db_field) + ')'
372 sql << '(' + sql_for_field(field, operator, v, db_table, db_field) + ')'
349 end
373 end
350 filters_clauses << sql
374 filters_clauses << sql
351
375
352 end if filters and valid?
376 end if filters and valid?
353
377
354 (filters_clauses << project_statement).join(' AND ')
378 (filters_clauses << project_statement).join(' AND ')
355 end
379 end
356
380
357 private
381 private
358
382
359 # Helper method to generate the WHERE sql for a +field+, +operator+ and a +value+
383 # Helper method to generate the WHERE sql for a +field+, +operator+ and a +value+
360 def sql_for_field(field, operator, value, db_table, db_field, is_custom_filter=false)
384 def sql_for_field(field, operator, value, db_table, db_field, is_custom_filter=false)
361 sql = ''
385 sql = ''
362 case operator
386 case operator
363 when "="
387 when "="
364 sql = "#{db_table}.#{db_field} IN (" + value.collect{|val| "'#{connection.quote_string(val)}'"}.join(",") + ")"
388 sql = "#{db_table}.#{db_field} IN (" + value.collect{|val| "'#{connection.quote_string(val)}'"}.join(",") + ")"
365 when "!"
389 when "!"
366 sql = "(#{db_table}.#{db_field} IS NULL OR #{db_table}.#{db_field} NOT IN (" + value.collect{|val| "'#{connection.quote_string(val)}'"}.join(",") + "))"
390 sql = "(#{db_table}.#{db_field} IS NULL OR #{db_table}.#{db_field} NOT IN (" + value.collect{|val| "'#{connection.quote_string(val)}'"}.join(",") + "))"
367 when "!*"
391 when "!*"
368 sql = "#{db_table}.#{db_field} IS NULL"
392 sql = "#{db_table}.#{db_field} IS NULL"
369 sql << " OR #{db_table}.#{db_field} = ''" if is_custom_filter
393 sql << " OR #{db_table}.#{db_field} = ''" if is_custom_filter
370 when "*"
394 when "*"
371 sql = "#{db_table}.#{db_field} IS NOT NULL"
395 sql = "#{db_table}.#{db_field} IS NOT NULL"
372 sql << " AND #{db_table}.#{db_field} <> ''" if is_custom_filter
396 sql << " AND #{db_table}.#{db_field} <> ''" if is_custom_filter
373 when ">="
397 when ">="
374 sql = "#{db_table}.#{db_field} >= #{value.first.to_i}"
398 sql = "#{db_table}.#{db_field} >= #{value.first.to_i}"
375 when "<="
399 when "<="
376 sql = "#{db_table}.#{db_field} <= #{value.first.to_i}"
400 sql = "#{db_table}.#{db_field} <= #{value.first.to_i}"
377 when "o"
401 when "o"
378 sql = "#{IssueStatus.table_name}.is_closed=#{connection.quoted_false}" if field == "status_id"
402 sql = "#{IssueStatus.table_name}.is_closed=#{connection.quoted_false}" if field == "status_id"
379 when "c"
403 when "c"
380 sql = "#{IssueStatus.table_name}.is_closed=#{connection.quoted_true}" if field == "status_id"
404 sql = "#{IssueStatus.table_name}.is_closed=#{connection.quoted_true}" if field == "status_id"
381 when ">t-"
405 when ">t-"
382 sql = date_range_clause(db_table, db_field, - value.first.to_i, 0)
406 sql = date_range_clause(db_table, db_field, - value.first.to_i, 0)
383 when "<t-"
407 when "<t-"
384 sql = date_range_clause(db_table, db_field, nil, - value.first.to_i)
408 sql = date_range_clause(db_table, db_field, nil, - value.first.to_i)
385 when "t-"
409 when "t-"
386 sql = date_range_clause(db_table, db_field, - value.first.to_i, - value.first.to_i)
410 sql = date_range_clause(db_table, db_field, - value.first.to_i, - value.first.to_i)
387 when ">t+"
411 when ">t+"
388 sql = date_range_clause(db_table, db_field, value.first.to_i, nil)
412 sql = date_range_clause(db_table, db_field, value.first.to_i, nil)
389 when "<t+"
413 when "<t+"
390 sql = date_range_clause(db_table, db_field, 0, value.first.to_i)
414 sql = date_range_clause(db_table, db_field, 0, value.first.to_i)
391 when "t+"
415 when "t+"
392 sql = date_range_clause(db_table, db_field, value.first.to_i, value.first.to_i)
416 sql = date_range_clause(db_table, db_field, value.first.to_i, value.first.to_i)
393 when "t"
417 when "t"
394 sql = date_range_clause(db_table, db_field, 0, 0)
418 sql = date_range_clause(db_table, db_field, 0, 0)
395 when "w"
419 when "w"
396 from = l(:general_first_day_of_week) == '7' ?
420 from = l(:general_first_day_of_week) == '7' ?
397 # week starts on sunday
421 # week starts on sunday
398 ((Date.today.cwday == 7) ? Time.now.at_beginning_of_day : Time.now.at_beginning_of_week - 1.day) :
422 ((Date.today.cwday == 7) ? Time.now.at_beginning_of_day : Time.now.at_beginning_of_week - 1.day) :
399 # week starts on monday (Rails default)
423 # week starts on monday (Rails default)
400 Time.now.at_beginning_of_week
424 Time.now.at_beginning_of_week
401 sql = "#{db_table}.#{db_field} BETWEEN '%s' AND '%s'" % [connection.quoted_date(from), connection.quoted_date(from + 7.days)]
425 sql = "#{db_table}.#{db_field} BETWEEN '%s' AND '%s'" % [connection.quoted_date(from), connection.quoted_date(from + 7.days)]
402 when "~"
426 when "~"
403 sql = "#{db_table}.#{db_field} LIKE '%#{connection.quote_string(value.first)}%'"
427 sql = "#{db_table}.#{db_field} LIKE '%#{connection.quote_string(value.first)}%'"
404 when "!~"
428 when "!~"
405 sql = "#{db_table}.#{db_field} NOT LIKE '%#{connection.quote_string(value.first)}%'"
429 sql = "#{db_table}.#{db_field} NOT LIKE '%#{connection.quote_string(value.first)}%'"
406 end
430 end
407
431
408 return sql
432 return sql
409 end
433 end
410
434
411 def add_custom_fields_filters(custom_fields)
435 def add_custom_fields_filters(custom_fields)
412 @available_filters ||= {}
436 @available_filters ||= {}
413
437
414 custom_fields.select(&:is_filter?).each do |field|
438 custom_fields.select(&:is_filter?).each do |field|
415 case field.field_format
439 case field.field_format
416 when "text"
440 when "text"
417 options = { :type => :text, :order => 20 }
441 options = { :type => :text, :order => 20 }
418 when "list"
442 when "list"
419 options = { :type => :list_optional, :values => field.possible_values, :order => 20}
443 options = { :type => :list_optional, :values => field.possible_values, :order => 20}
420 when "date"
444 when "date"
421 options = { :type => :date, :order => 20 }
445 options = { :type => :date, :order => 20 }
422 when "bool"
446 when "bool"
423 options = { :type => :list, :values => [[l(:general_text_yes), "1"], [l(:general_text_no), "0"]], :order => 20 }
447 options = { :type => :list, :values => [[l(:general_text_yes), "1"], [l(:general_text_no), "0"]], :order => 20 }
424 else
448 else
425 options = { :type => :string, :order => 20 }
449 options = { :type => :string, :order => 20 }
426 end
450 end
427 @available_filters["cf_#{field.id}"] = options.merge({ :name => field.name })
451 @available_filters["cf_#{field.id}"] = options.merge({ :name => field.name })
428 end
452 end
429 end
453 end
430
454
431 # Returns a SQL clause for a date or datetime field.
455 # Returns a SQL clause for a date or datetime field.
432 def date_range_clause(table, field, from, to)
456 def date_range_clause(table, field, from, to)
433 s = []
457 s = []
434 if from
458 if from
435 s << ("#{table}.#{field} > '%s'" % [connection.quoted_date((Date.yesterday + from).to_time.end_of_day)])
459 s << ("#{table}.#{field} > '%s'" % [connection.quoted_date((Date.yesterday + from).to_time.end_of_day)])
436 end
460 end
437 if to
461 if to
438 s << ("#{table}.#{field} <= '%s'" % [connection.quoted_date((Date.today + to).to_time.end_of_day)])
462 s << ("#{table}.#{field} <= '%s'" % [connection.quoted_date((Date.today + to).to_time.end_of_day)])
439 end
463 end
440 s.join(' AND ')
464 s.join(' AND ')
441 end
465 end
442 end
466 end
@@ -1,22 +1,32
1 <% form_tag({}) do -%>
1 <% form_tag({}) do -%>
2 <table class="list issues">
2 <table class="list issues">
3 <thead><tr>
3 <thead><tr>
4 <th><%= link_to image_tag('toggle_check.png'), {}, :onclick => 'toggleIssuesSelection(Element.up(this, "form")); return false;',
4 <th><%= link_to image_tag('toggle_check.png'), {}, :onclick => 'toggleIssuesSelection(Element.up(this, "form")); return false;',
5 :title => "#{l(:button_check_all)}/#{l(:button_uncheck_all)}" %>
5 :title => "#{l(:button_check_all)}/#{l(:button_uncheck_all)}" %>
6 </th>
6 </th>
7 <%= sort_header_tag('id', :caption => '#', :default_order => 'desc') %>
7 <%= sort_header_tag('id', :caption => '#', :default_order => 'desc') %>
8 <% query.columns.each do |column| %>
8 <% query.columns.each do |column| %>
9 <%= column_header(column) %>
9 <%= column_header(column) %>
10 <% end %>
10 <% end %>
11 </tr></thead>
11 </tr></thead>
12 <% group = false %>
12 <tbody>
13 <tbody>
13 <% issues.each do |issue| -%>
14 <% issues.each do |issue| -%>
15 <% if @query.grouped? && issue.send(@query.group_by) != group %>
16 <% group = issue.send(@query.group_by) %>
17 <% reset_cycle %>
18 <tr class="group">
19 <td colspan="<%= query.columns.size + 2 %>">
20 <%= group.blank? ? 'None' : group %> <span class="count">(<%= @issue_count_by_group[group] %>)</span>
21 </td>
22 </tr>
23 <% end %>
14 <tr id="issue-<%= issue.id %>" class="hascontextmenu <%= cycle('odd', 'even') %> <%= issue.css_classes %>">
24 <tr id="issue-<%= issue.id %>" class="hascontextmenu <%= cycle('odd', 'even') %> <%= issue.css_classes %>">
15 <td class="checkbox"><%= check_box_tag("ids[]", issue.id, false, :id => nil) %></td>
25 <td class="checkbox"><%= check_box_tag("ids[]", issue.id, false, :id => nil) %></td>
16 <td><%= link_to issue.id, :controller => 'issues', :action => 'show', :id => issue %></td>
26 <td><%= link_to issue.id, :controller => 'issues', :action => 'show', :id => issue %></td>
17 <% query.columns.each do |column| %><%= content_tag 'td', column_content(column, issue), :class => column.name %><% end %>
27 <% query.columns.each do |column| %><%= content_tag 'td', column_content(column, issue), :class => column.name %><% end %>
18 </tr>
28 </tr>
19 <% end -%>
29 <% end -%>
20 </tbody>
30 </tbody>
21 </table>
31 </table>
22 <% end -%>
32 <% end -%>
@@ -1,68 +1,74
1 <% if @query.new_record? %>
1 <% if @query.new_record? %>
2 <h2><%=l(:label_issue_plural)%></h2>
2 <h2><%=l(:label_issue_plural)%></h2>
3 <% html_title(l(:label_issue_plural)) %>
3 <% html_title(l(:label_issue_plural)) %>
4
4
5 <% form_tag({ :controller => 'queries', :action => 'new' }, :id => 'query_form') do %>
5 <% form_tag({ :controller => 'queries', :action => 'new' }, :id => 'query_form') do %>
6 <%= hidden_field_tag('project_id', @project.to_param) if @project %>
6 <%= hidden_field_tag('project_id', @project.to_param) if @project %>
7 <div id="query_form_content">
7 <fieldset id="filters"><legend><%= l(:label_filter_plural) %></legend>
8 <fieldset id="filters"><legend><%= l(:label_filter_plural) %></legend>
8 <%= render :partial => 'queries/filters', :locals => {:query => @query} %>
9 <%= render :partial => 'queries/filters', :locals => {:query => @query} %>
10 </fieldset>
11 <p><%= l(:field_group_by) %>
12 <%= select_tag('group_by', options_for_select([[]] + @query.groupable_columns.collect {|c| [c.caption, c.name.to_s]}, @query.group_by)) %></p>
13 </div>
9 <p class="buttons">
14 <p class="buttons">
15
10 <%= link_to_remote l(:button_apply),
16 <%= link_to_remote l(:button_apply),
11 { :url => { :set_filter => 1 },
17 { :url => { :set_filter => 1 },
12 :update => "content",
18 :update => "content",
13 :with => "Form.serialize('query_form')"
19 :with => "Form.serialize('query_form')"
14 }, :class => 'icon icon-checked' %>
20 }, :class => 'icon icon-checked' %>
15
21
16 <%= link_to_remote l(:button_clear),
22 <%= link_to_remote l(:button_clear),
17 { :url => { :set_filter => 1, :project_id => @project },
23 { :url => { :set_filter => 1, :project_id => @project },
18 :method => :get,
24 :method => :get,
19 :update => "content",
25 :update => "content",
20 }, :class => 'icon icon-reload' %>
26 }, :class => 'icon icon-reload' %>
21
27
22 <% if User.current.allowed_to?(:save_queries, @project, :global => true) %>
28 <% if User.current.allowed_to?(:save_queries, @project, :global => true) %>
23 <%= link_to l(:button_save), {}, :onclick => "$('query_form').submit(); return false;", :class => 'icon icon-save' %>
29 <%= link_to l(:button_save), {}, :onclick => "$('query_form').submit(); return false;", :class => 'icon icon-save' %>
24 <% end %>
30 <% end %>
25 </p>
31 </p>
26 </fieldset>
27 <% end %>
32 <% end %>
28 <% else %>
33 <% else %>
29 <div class="contextual">
34 <div class="contextual">
30 <% if @query.editable_by?(User.current) %>
35 <% if @query.editable_by?(User.current) %>
31 <%= link_to l(:button_edit), {:controller => 'queries', :action => 'edit', :id => @query}, :class => 'icon icon-edit' %>
36 <%= link_to l(:button_edit), {:controller => 'queries', :action => 'edit', :id => @query}, :class => 'icon icon-edit' %>
32 <%= link_to l(:button_delete), {:controller => 'queries', :action => 'destroy', :id => @query}, :confirm => l(:text_are_you_sure), :method => :post, :class => 'icon icon-del' %>
37 <%= link_to l(:button_delete), {:controller => 'queries', :action => 'destroy', :id => @query}, :confirm => l(:text_are_you_sure), :method => :post, :class => 'icon icon-del' %>
33 <% end %>
38 <% end %>
34 </div>
39 </div>
35 <h2><%=h @query.name %></h2>
40 <h2><%=h @query.name %></h2>
36 <div id="query_form"></div>
41 <div id="query_form"></div>
37 <% html_title @query.name %>
42 <% html_title @query.name %>
38 <% end %>
43 <% end %>
44
39 <%= error_messages_for 'query' %>
45 <%= error_messages_for 'query' %>
40 <% if @query.valid? %>
46 <% if @query.valid? %>
41 <% if @issues.empty? %>
47 <% if @issues.empty? %>
42 <p class="nodata"><%= l(:label_no_data) %></p>
48 <p class="nodata"><%= l(:label_no_data) %></p>
43 <% else %>
49 <% else %>
44 <%= render :partial => 'issues/list', :locals => {:issues => @issues, :query => @query} %>
50 <%= render :partial => 'issues/list', :locals => {:issues => @issues, :query => @query} %>
45 <p class="pagination"><%= pagination_links_full @issue_pages, @issue_count %></p>
51 <p class="pagination"><%= pagination_links_full @issue_pages, @issue_count %></p>
46 <% end %>
52 <% end %>
47
53
48 <% other_formats_links do |f| %>
54 <% other_formats_links do |f| %>
49 <%= f.link_to 'Atom', :url => { :project_id => @project, :query_id => (@query.new_record? ? nil : @query), :key => User.current.rss_key } %>
55 <%= f.link_to 'Atom', :url => { :project_id => @project, :query_id => (@query.new_record? ? nil : @query), :key => User.current.rss_key } %>
50 <%= f.link_to 'CSV', :url => { :project_id => @project } %>
56 <%= f.link_to 'CSV', :url => { :project_id => @project } %>
51 <%= f.link_to 'PDF', :url => { :project_id => @project } %>
57 <%= f.link_to 'PDF', :url => { :project_id => @project } %>
52 <% end %>
58 <% end %>
53
59
54 <% end %>
60 <% end %>
55
61
56 <% content_for :sidebar do %>
62 <% content_for :sidebar do %>
57 <%= render :partial => 'issues/sidebar' %>
63 <%= render :partial => 'issues/sidebar' %>
58 <% end %>
64 <% end %>
59
65
60 <% content_for :header_tags do %>
66 <% content_for :header_tags do %>
61 <%= auto_discovery_link_tag(:atom, {:query_id => @query, :format => 'atom', :page => nil, :key => User.current.rss_key}, :title => l(:label_issue_plural)) %>
67 <%= auto_discovery_link_tag(:atom, {:query_id => @query, :format => 'atom', :page => nil, :key => User.current.rss_key}, :title => l(:label_issue_plural)) %>
62 <%= auto_discovery_link_tag(:atom, {:action => 'changes', :query_id => @query, :format => 'atom', :page => nil, :key => User.current.rss_key}, :title => l(:label_changes_details)) %>
68 <%= auto_discovery_link_tag(:atom, {:action => 'changes', :query_id => @query, :format => 'atom', :page => nil, :key => User.current.rss_key}, :title => l(:label_changes_details)) %>
63 <%= javascript_include_tag 'context_menu' %>
69 <%= javascript_include_tag 'context_menu' %>
64 <%= stylesheet_link_tag 'context_menu' %>
70 <%= stylesheet_link_tag 'context_menu' %>
65 <% end %>
71 <% end %>
66
72
67 <div id="context-menu" style="display: none;"></div>
73 <div id="context-menu" style="display: none;"></div>
68 <%= javascript_tag "new ContextMenu('#{url_for(:controller => 'issues', :action => 'context_menu')}')" %>
74 <%= javascript_tag "new ContextMenu('#{url_for(:controller => 'issues', :action => 'context_menu')}')" %>
@@ -1,38 +1,41
1 <%= error_messages_for 'query' %>
1 <%= error_messages_for 'query' %>
2 <%= hidden_field_tag 'confirm', 1 %>
2 <%= hidden_field_tag 'confirm', 1 %>
3
3
4 <div class="box">
4 <div class="box">
5 <div class="tabular">
5 <div class="tabular">
6 <p><label for="query_name"><%=l(:field_name)%></label>
6 <p><label for="query_name"><%=l(:field_name)%></label>
7 <%= text_field 'query', 'name', :size => 80 %></p>
7 <%= text_field 'query', 'name', :size => 80 %></p>
8
8
9 <% if User.current.admin? || (@project && current_role.allowed_to?(:manage_public_queries)) %>
9 <% if User.current.admin? || (@project && current_role.allowed_to?(:manage_public_queries)) %>
10 <p><label for="query_is_public"><%=l(:field_is_public)%></label>
10 <p><label for="query_is_public"><%=l(:field_is_public)%></label>
11 <%= check_box 'query', 'is_public',
11 <%= check_box 'query', 'is_public',
12 :onchange => (User.current.admin? ? nil : 'if (this.checked) {$("query_is_for_all").checked = false; $("query_is_for_all").disabled = true;} else {$("query_is_for_all").disabled = false;}') %></p>
12 :onchange => (User.current.admin? ? nil : 'if (this.checked) {$("query_is_for_all").checked = false; $("query_is_for_all").disabled = true;} else {$("query_is_for_all").disabled = false;}') %></p>
13 <% end %>
13 <% end %>
14
14
15 <p><label for="query_is_for_all"><%=l(:field_is_for_all)%></label>
15 <p><label for="query_is_for_all"><%=l(:field_is_for_all)%></label>
16 <%= check_box_tag 'query_is_for_all', 1, @query.project.nil?,
16 <%= check_box_tag 'query_is_for_all', 1, @query.project.nil?,
17 :disabled => (!@query.new_record? && (@query.project.nil? || (@query.is_public? && !User.current.admin?))) %></p>
17 :disabled => (!@query.new_record? && (@query.project.nil? || (@query.is_public? && !User.current.admin?))) %></p>
18
18
19 <p><label for="query_default_columns"><%=l(:label_default_columns)%></label>
19 <p><label for="query_default_columns"><%=l(:label_default_columns)%></label>
20 <%= check_box_tag 'default_columns', 1, @query.has_default_columns?, :id => 'query_default_columns',
20 <%= check_box_tag 'default_columns', 1, @query.has_default_columns?, :id => 'query_default_columns',
21 :onclick => 'if (this.checked) {Element.hide("columns")} else {Element.show("columns")}' %></p>
21 :onclick => 'if (this.checked) {Element.hide("columns")} else {Element.show("columns")}' %></p>
22
23 <p><label for="query_group_by"><%= l(:field_group_by) %></label>
24 <%= select 'query', 'group_by', @query.groupable_columns.collect {|c| [c.caption, c.name.to_s]}, :include_blank => true %></p>
22 </div>
25 </div>
23
26
24 <fieldset><legend><%= l(:label_filter_plural) %></legend>
27 <fieldset><legend><%= l(:label_filter_plural) %></legend>
25 <%= render :partial => 'queries/filters', :locals => {:query => query}%>
28 <%= render :partial => 'queries/filters', :locals => {:query => query}%>
26 </fieldset>
29 </fieldset>
27
30
28 <fieldset><legend><%= l(:label_sort) %></legend>
31 <fieldset><legend><%= l(:label_sort) %></legend>
29 <% 3.times do |i| %>
32 <% 3.times do |i| %>
30 <%= i+1 %>: <%= select_tag("query[sort_criteria][#{i}][]",
33 <%= i+1 %>: <%= select_tag("query[sort_criteria][#{i}][]",
31 options_for_select([[]] + query.available_columns.select(&:sortable?).collect {|column| [column.caption, column.name.to_s]}, @query.sort_criteria_key(i))) %>
34 options_for_select([[]] + query.available_columns.select(&:sortable?).collect {|column| [column.caption, column.name.to_s]}, @query.sort_criteria_key(i))) %>
32 <%= select_tag("query[sort_criteria][#{i}][]",
35 <%= select_tag("query[sort_criteria][#{i}][]",
33 options_for_select([[], [l(:label_ascending), 'asc'], [l(:label_descending), 'desc']], @query.sort_criteria_order(i))) %><br />
36 options_for_select([[], [l(:label_ascending), 'asc'], [l(:label_descending), 'desc']], @query.sort_criteria_order(i))) %><br />
34 <% end %>
37 <% end %>
35 </fieldset>
38 </fieldset>
36
39
37 <%= render :partial => 'queries/columns', :locals => {:query => query}%>
40 <%= render :partial => 'queries/columns', :locals => {:query => query}%>
38 </div>
41 </div>
@@ -1,791 +1,792
1 bg:
1 bg:
2 date:
2 date:
3 formats:
3 formats:
4 # Use the strftime parameters for formats.
4 # Use the strftime parameters for formats.
5 # When no format has been given, it uses default.
5 # When no format has been given, it uses default.
6 # You can provide other formats here if you like!
6 # You can provide other formats here if you like!
7 default: "%Y-%m-%d"
7 default: "%Y-%m-%d"
8 short: "%b %d"
8 short: "%b %d"
9 long: "%B %d, %Y"
9 long: "%B %d, %Y"
10
10
11 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
11 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
12 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
12 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
13
13
14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
15 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
16 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
16 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
17 # Used in date_select and datime_select.
17 # Used in date_select and datime_select.
18 order: [ :year, :month, :day ]
18 order: [ :year, :month, :day ]
19
19
20 time:
20 time:
21 formats:
21 formats:
22 default: "%a, %d %b %Y %H:%M:%S %z"
22 default: "%a, %d %b %Y %H:%M:%S %z"
23 time: "%H:%M"
23 time: "%H:%M"
24 short: "%d %b %H:%M"
24 short: "%d %b %H:%M"
25 long: "%B %d, %Y %H:%M"
25 long: "%B %d, %Y %H:%M"
26 am: "am"
26 am: "am"
27 pm: "pm"
27 pm: "pm"
28
28
29 datetime:
29 datetime:
30 distance_in_words:
30 distance_in_words:
31 half_a_minute: "half a minute"
31 half_a_minute: "half a minute"
32 less_than_x_seconds:
32 less_than_x_seconds:
33 one: "less than 1 second"
33 one: "less than 1 second"
34 other: "less than {{count}} seconds"
34 other: "less than {{count}} seconds"
35 x_seconds:
35 x_seconds:
36 one: "1 second"
36 one: "1 second"
37 other: "{{count}} seconds"
37 other: "{{count}} seconds"
38 less_than_x_minutes:
38 less_than_x_minutes:
39 one: "less than a minute"
39 one: "less than a minute"
40 other: "less than {{count}} minutes"
40 other: "less than {{count}} minutes"
41 x_minutes:
41 x_minutes:
42 one: "1 minute"
42 one: "1 minute"
43 other: "{{count}} minutes"
43 other: "{{count}} minutes"
44 about_x_hours:
44 about_x_hours:
45 one: "about 1 hour"
45 one: "about 1 hour"
46 other: "about {{count}} hours"
46 other: "about {{count}} hours"
47 x_days:
47 x_days:
48 one: "1 day"
48 one: "1 day"
49 other: "{{count}} days"
49 other: "{{count}} days"
50 about_x_months:
50 about_x_months:
51 one: "about 1 month"
51 one: "about 1 month"
52 other: "about {{count}} months"
52 other: "about {{count}} months"
53 x_months:
53 x_months:
54 one: "1 month"
54 one: "1 month"
55 other: "{{count}} months"
55 other: "{{count}} months"
56 about_x_years:
56 about_x_years:
57 one: "about 1 year"
57 one: "about 1 year"
58 other: "about {{count}} years"
58 other: "about {{count}} years"
59 over_x_years:
59 over_x_years:
60 one: "over 1 year"
60 one: "over 1 year"
61 other: "over {{count}} years"
61 other: "over {{count}} years"
62
62
63 # Used in array.to_sentence.
63 # Used in array.to_sentence.
64 support:
64 support:
65 array:
65 array:
66 sentence_connector: "and"
66 sentence_connector: "and"
67 skip_last_comma: false
67 skip_last_comma: false
68
68
69 activerecord:
69 activerecord:
70 errors:
70 errors:
71 messages:
71 messages:
72 inclusion: "не съществува в списъка"
72 inclusion: "не съществува в списъка"
73 exclusion: запазено"
73 exclusion: запазено"
74 invalid: невалидно"
74 invalid: невалидно"
75 confirmation: "липсва одобрение"
75 confirmation: "липсва одобрение"
76 accepted: "трябва да се приеме"
76 accepted: "трябва да се приеме"
77 empty: "не може да е празно"
77 empty: "не може да е празно"
78 blank: "не може да е празно"
78 blank: "не може да е празно"
79 too_long: прекалено дълго"
79 too_long: прекалено дълго"
80 too_short: прекалено късо"
80 too_short: прекалено късо"
81 wrong_length: с грешна дължина"
81 wrong_length: с грешна дължина"
82 taken: "вече съществува"
82 taken: "вече съществува"
83 not_a_number: "не е число"
83 not_a_number: "не е число"
84 not_a_date: невалидна дата"
84 not_a_date: невалидна дата"
85 greater_than: "must be greater than {{count}}"
85 greater_than: "must be greater than {{count}}"
86 greater_than_or_equal_to: "must be greater than or equal to {{count}}"
86 greater_than_or_equal_to: "must be greater than or equal to {{count}}"
87 equal_to: "must be equal to {{count}}"
87 equal_to: "must be equal to {{count}}"
88 less_than: "must be less than {{count}}"
88 less_than: "must be less than {{count}}"
89 less_than_or_equal_to: "must be less than or equal to {{count}}"
89 less_than_or_equal_to: "must be less than or equal to {{count}}"
90 odd: "must be odd"
90 odd: "must be odd"
91 even: "must be even"
91 even: "must be even"
92 greater_than_start_date: "трябва да е след началната дата"
92 greater_than_start_date: "трябва да е след началната дата"
93 not_same_project: "не е от същия проект"
93 not_same_project: "не е от същия проект"
94 circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
94 circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
95
95
96 actionview_instancetag_blank_option: Изберете
96 actionview_instancetag_blank_option: Изберете
97
97
98 general_text_No: 'Не'
98 general_text_No: 'Не'
99 general_text_Yes: 'Да'
99 general_text_Yes: 'Да'
100 general_text_no: 'не'
100 general_text_no: 'не'
101 general_text_yes: 'да'
101 general_text_yes: 'да'
102 general_lang_name: 'Bulgarian'
102 general_lang_name: 'Bulgarian'
103 general_csv_separator: ','
103 general_csv_separator: ','
104 general_csv_decimal_separator: '.'
104 general_csv_decimal_separator: '.'
105 general_csv_encoding: UTF-8
105 general_csv_encoding: UTF-8
106 general_pdf_encoding: UTF-8
106 general_pdf_encoding: UTF-8
107 general_first_day_of_week: '1'
107 general_first_day_of_week: '1'
108
108
109 notice_account_updated: Профилът е обновен успешно.
109 notice_account_updated: Профилът е обновен успешно.
110 notice_account_invalid_creditentials: Невалиден потребител или парола.
110 notice_account_invalid_creditentials: Невалиден потребител или парола.
111 notice_account_password_updated: Паролата е успешно променена.
111 notice_account_password_updated: Паролата е успешно променена.
112 notice_account_wrong_password: Грешна парола
112 notice_account_wrong_password: Грешна парола
113 notice_account_register_done: Профилът е създаден успешно.
113 notice_account_register_done: Профилът е създаден успешно.
114 notice_account_unknown_email: Непознат e-mail.
114 notice_account_unknown_email: Непознат e-mail.
115 notice_can_t_change_password: Този профил е с външен метод за оторизация. Невъзможна смяна на паролата.
115 notice_can_t_change_password: Този профил е с външен метод за оторизация. Невъзможна смяна на паролата.
116 notice_account_lost_email_sent: Изпратен ви е e-mail с инструкции за избор на нова парола.
116 notice_account_lost_email_sent: Изпратен ви е e-mail с инструкции за избор на нова парола.
117 notice_account_activated: Профилът ви е активиран. Вече може да влезете в системата.
117 notice_account_activated: Профилът ви е активиран. Вече може да влезете в системата.
118 notice_successful_create: Успешно създаване.
118 notice_successful_create: Успешно създаване.
119 notice_successful_update: Успешно обновяване.
119 notice_successful_update: Успешно обновяване.
120 notice_successful_delete: Успешно изтриване.
120 notice_successful_delete: Успешно изтриване.
121 notice_successful_connection: Успешно свързване.
121 notice_successful_connection: Успешно свързване.
122 notice_file_not_found: Несъществуваща или преместена страница.
122 notice_file_not_found: Несъществуваща или преместена страница.
123 notice_locking_conflict: Друг потребител променя тези данни в момента.
123 notice_locking_conflict: Друг потребител променя тези данни в момента.
124 notice_not_authorized: Нямате право на достъп до тази страница.
124 notice_not_authorized: Нямате право на достъп до тази страница.
125 notice_email_sent: "Изпратен e-mail на {{value}}"
125 notice_email_sent: "Изпратен e-mail на {{value}}"
126 notice_email_error: "Грешка при изпращане на e-mail ({{value}})"
126 notice_email_error: "Грешка при изпращане на e-mail ({{value}})"
127 notice_feeds_access_key_reseted: Вашия ключ за RSS достъп беше променен.
127 notice_feeds_access_key_reseted: Вашия ключ за RSS достъп беше променен.
128
128
129 error_scm_not_found: Несъществуващ обект в хранилището.
129 error_scm_not_found: Несъществуващ обект в хранилището.
130 error_scm_command_failed: "Грешка при опит за комуникация с хранилище: {{value}}"
130 error_scm_command_failed: "Грешка при опит за комуникация с хранилище: {{value}}"
131
131
132 mail_subject_lost_password: "Вашата парола ({{value}})"
132 mail_subject_lost_password: "Вашата парола ({{value}})"
133 mail_body_lost_password: 'За да смените паролата си, използвайте следния линк:'
133 mail_body_lost_password: 'За да смените паролата си, използвайте следния линк:'
134 mail_subject_register: "Активация на профил ({{value}})"
134 mail_subject_register: "Активация на профил ({{value}})"
135 mail_body_register: 'За да активирате профила си използвайте следния линк:'
135 mail_body_register: 'За да активирате профила си използвайте следния линк:'
136
136
137 gui_validation_error: 1 грешка
137 gui_validation_error: 1 грешка
138 gui_validation_error_plural: "{{count}} грешки"
138 gui_validation_error_plural: "{{count}} грешки"
139
139
140 field_name: Име
140 field_name: Име
141 field_description: Описание
141 field_description: Описание
142 field_summary: Групиран изглед
142 field_summary: Групиран изглед
143 field_is_required: Задължително
143 field_is_required: Задължително
144 field_firstname: Име
144 field_firstname: Име
145 field_lastname: Фамилия
145 field_lastname: Фамилия
146 field_mail: Email
146 field_mail: Email
147 field_filename: Файл
147 field_filename: Файл
148 field_filesize: Големина
148 field_filesize: Големина
149 field_downloads: Downloads
149 field_downloads: Downloads
150 field_author: Автор
150 field_author: Автор
151 field_created_on: От дата
151 field_created_on: От дата
152 field_updated_on: Обновена
152 field_updated_on: Обновена
153 field_field_format: Тип
153 field_field_format: Тип
154 field_is_for_all: За всички проекти
154 field_is_for_all: За всички проекти
155 field_possible_values: Възможни стойности
155 field_possible_values: Възможни стойности
156 field_regexp: Регулярен израз
156 field_regexp: Регулярен израз
157 field_min_length: Мин. дължина
157 field_min_length: Мин. дължина
158 field_max_length: Макс. дължина
158 field_max_length: Макс. дължина
159 field_value: Стойност
159 field_value: Стойност
160 field_category: Категория
160 field_category: Категория
161 field_title: Заглавие
161 field_title: Заглавие
162 field_project: Проект
162 field_project: Проект
163 field_issue: Задача
163 field_issue: Задача
164 field_status: Статус
164 field_status: Статус
165 field_notes: Бележка
165 field_notes: Бележка
166 field_is_closed: Затворена задача
166 field_is_closed: Затворена задача
167 field_is_default: Статус по подразбиране
167 field_is_default: Статус по подразбиране
168 field_tracker: Тракер
168 field_tracker: Тракер
169 field_subject: Относно
169 field_subject: Относно
170 field_due_date: Крайна дата
170 field_due_date: Крайна дата
171 field_assigned_to: Възложена на
171 field_assigned_to: Възложена на
172 field_priority: Приоритет
172 field_priority: Приоритет
173 field_fixed_version: Планувана версия
173 field_fixed_version: Планувана версия
174 field_user: Потребител
174 field_user: Потребител
175 field_role: Роля
175 field_role: Роля
176 field_homepage: Начална страница
176 field_homepage: Начална страница
177 field_is_public: Публичен
177 field_is_public: Публичен
178 field_parent: Подпроект на
178 field_parent: Подпроект на
179 field_is_in_chlog: Да се вижда ли в Изменения
179 field_is_in_chlog: Да се вижда ли в Изменения
180 field_is_in_roadmap: Да се вижда ли в Пътна карта
180 field_is_in_roadmap: Да се вижда ли в Пътна карта
181 field_login: Потребител
181 field_login: Потребител
182 field_mail_notification: Известия по пощата
182 field_mail_notification: Известия по пощата
183 field_admin: Администратор
183 field_admin: Администратор
184 field_last_login_on: Последно свързване
184 field_last_login_on: Последно свързване
185 field_language: Език
185 field_language: Език
186 field_effective_date: Дата
186 field_effective_date: Дата
187 field_password: Парола
187 field_password: Парола
188 field_new_password: Нова парола
188 field_new_password: Нова парола
189 field_password_confirmation: Потвърждение
189 field_password_confirmation: Потвърждение
190 field_version: Версия
190 field_version: Версия
191 field_type: Тип
191 field_type: Тип
192 field_host: Хост
192 field_host: Хост
193 field_port: Порт
193 field_port: Порт
194 field_account: Профил
194 field_account: Профил
195 field_base_dn: Base DN
195 field_base_dn: Base DN
196 field_attr_login: Login attribute
196 field_attr_login: Login attribute
197 field_attr_firstname: Firstname attribute
197 field_attr_firstname: Firstname attribute
198 field_attr_lastname: Lastname attribute
198 field_attr_lastname: Lastname attribute
199 field_attr_mail: Email attribute
199 field_attr_mail: Email attribute
200 field_onthefly: Динамично създаване на потребител
200 field_onthefly: Динамично създаване на потребител
201 field_start_date: Начална дата
201 field_start_date: Начална дата
202 field_done_ratio: % Прогрес
202 field_done_ratio: % Прогрес
203 field_auth_source: Начин на оторизация
203 field_auth_source: Начин на оторизация
204 field_hide_mail: Скрий e-mail адреса ми
204 field_hide_mail: Скрий e-mail адреса ми
205 field_comments: Коментар
205 field_comments: Коментар
206 field_url: Адрес
206 field_url: Адрес
207 field_start_page: Начална страница
207 field_start_page: Начална страница
208 field_subproject: Подпроект
208 field_subproject: Подпроект
209 field_hours: Часове
209 field_hours: Часове
210 field_activity: Дейност
210 field_activity: Дейност
211 field_spent_on: Дата
211 field_spent_on: Дата
212 field_identifier: Идентификатор
212 field_identifier: Идентификатор
213 field_is_filter: Използва се за филтър
213 field_is_filter: Използва се за филтър
214 field_issue_to_id: Свързана задача
214 field_issue_to_id: Свързана задача
215 field_delay: Отместване
215 field_delay: Отместване
216 field_assignable: Възможно е възлагане на задачи за тази роля
216 field_assignable: Възможно е възлагане на задачи за тази роля
217 field_redirect_existing_links: Пренасочване на съществуващи линкове
217 field_redirect_existing_links: Пренасочване на съществуващи линкове
218 field_estimated_hours: Изчислено време
218 field_estimated_hours: Изчислено време
219 field_default_value: Стойност по подразбиране
219 field_default_value: Стойност по подразбиране
220
220
221 setting_app_title: Заглавие
221 setting_app_title: Заглавие
222 setting_app_subtitle: Описание
222 setting_app_subtitle: Описание
223 setting_welcome_text: Допълнителен текст
223 setting_welcome_text: Допълнителен текст
224 setting_default_language: Език по подразбиране
224 setting_default_language: Език по подразбиране
225 setting_login_required: Изискване за вход в системата
225 setting_login_required: Изискване за вход в системата
226 setting_self_registration: Регистрация от потребители
226 setting_self_registration: Регистрация от потребители
227 setting_attachment_max_size: Максимална големина на прикачен файл
227 setting_attachment_max_size: Максимална големина на прикачен файл
228 setting_issues_export_limit: Лимит за експорт на задачи
228 setting_issues_export_limit: Лимит за експорт на задачи
229 setting_mail_from: E-mail адрес за емисии
229 setting_mail_from: E-mail адрес за емисии
230 setting_host_name: Хост
230 setting_host_name: Хост
231 setting_text_formatting: Форматиране на текста
231 setting_text_formatting: Форматиране на текста
232 setting_wiki_compression: Wiki компресиране на историята
232 setting_wiki_compression: Wiki компресиране на историята
233 setting_feeds_limit: Лимит на Feeds
233 setting_feeds_limit: Лимит на Feeds
234 setting_autofetch_changesets: Автоматично обработване на ревизиите
234 setting_autofetch_changesets: Автоматично обработване на ревизиите
235 setting_sys_api_enabled: Разрешаване на WS за управление
235 setting_sys_api_enabled: Разрешаване на WS за управление
236 setting_commit_ref_keywords: Отбелязващи ключови думи
236 setting_commit_ref_keywords: Отбелязващи ключови думи
237 setting_commit_fix_keywords: Приключващи ключови думи
237 setting_commit_fix_keywords: Приключващи ключови думи
238 setting_autologin: Автоматичен вход
238 setting_autologin: Автоматичен вход
239 setting_date_format: Формат на датата
239 setting_date_format: Формат на датата
240 setting_cross_project_issue_relations: Релации на задачи между проекти
240 setting_cross_project_issue_relations: Релации на задачи между проекти
241
241
242 label_user: Потребител
242 label_user: Потребител
243 label_user_plural: Потребители
243 label_user_plural: Потребители
244 label_user_new: Нов потребител
244 label_user_new: Нов потребител
245 label_project: Проект
245 label_project: Проект
246 label_project_new: Нов проект
246 label_project_new: Нов проект
247 label_project_plural: Проекти
247 label_project_plural: Проекти
248 label_x_projects:
248 label_x_projects:
249 zero: no projects
249 zero: no projects
250 one: 1 project
250 one: 1 project
251 other: "{{count}} projects"
251 other: "{{count}} projects"
252 label_project_all: Всички проекти
252 label_project_all: Всички проекти
253 label_project_latest: Последни проекти
253 label_project_latest: Последни проекти
254 label_issue: Задача
254 label_issue: Задача
255 label_issue_new: Нова задача
255 label_issue_new: Нова задача
256 label_issue_plural: Задачи
256 label_issue_plural: Задачи
257 label_issue_view_all: Всички задачи
257 label_issue_view_all: Всички задачи
258 label_document: Документ
258 label_document: Документ
259 label_document_new: Нов документ
259 label_document_new: Нов документ
260 label_document_plural: Документи
260 label_document_plural: Документи
261 label_role: Роля
261 label_role: Роля
262 label_role_plural: Роли
262 label_role_plural: Роли
263 label_role_new: Нова роля
263 label_role_new: Нова роля
264 label_role_and_permissions: Роли и права
264 label_role_and_permissions: Роли и права
265 label_member: Член
265 label_member: Член
266 label_member_new: Нов член
266 label_member_new: Нов член
267 label_member_plural: Членове
267 label_member_plural: Членове
268 label_tracker: Тракер
268 label_tracker: Тракер
269 label_tracker_plural: Тракери
269 label_tracker_plural: Тракери
270 label_tracker_new: Нов тракер
270 label_tracker_new: Нов тракер
271 label_workflow: Работен процес
271 label_workflow: Работен процес
272 label_issue_status: Статус на задача
272 label_issue_status: Статус на задача
273 label_issue_status_plural: Статуси на задачи
273 label_issue_status_plural: Статуси на задачи
274 label_issue_status_new: Нов статус
274 label_issue_status_new: Нов статус
275 label_issue_category: Категория задача
275 label_issue_category: Категория задача
276 label_issue_category_plural: Категории задачи
276 label_issue_category_plural: Категории задачи
277 label_issue_category_new: Нова категория
277 label_issue_category_new: Нова категория
278 label_custom_field: Потребителско поле
278 label_custom_field: Потребителско поле
279 label_custom_field_plural: Потребителски полета
279 label_custom_field_plural: Потребителски полета
280 label_custom_field_new: Ново потребителско поле
280 label_custom_field_new: Ново потребителско поле
281 label_enumerations: Списъци
281 label_enumerations: Списъци
282 label_enumeration_new: Нова стойност
282 label_enumeration_new: Нова стойност
283 label_information: Информация
283 label_information: Информация
284 label_information_plural: Информация
284 label_information_plural: Информация
285 label_please_login: Вход
285 label_please_login: Вход
286 label_register: Регистрация
286 label_register: Регистрация
287 label_password_lost: Забравена парола
287 label_password_lost: Забравена парола
288 label_home: Начало
288 label_home: Начало
289 label_my_page: Лична страница
289 label_my_page: Лична страница
290 label_my_account: Профил
290 label_my_account: Профил
291 label_my_projects: Проекти, в които участвам
291 label_my_projects: Проекти, в които участвам
292 label_administration: Администрация
292 label_administration: Администрация
293 label_login: Вход
293 label_login: Вход
294 label_logout: Изход
294 label_logout: Изход
295 label_help: Помощ
295 label_help: Помощ
296 label_reported_issues: Публикувани задачи
296 label_reported_issues: Публикувани задачи
297 label_assigned_to_me_issues: Възложени на мен
297 label_assigned_to_me_issues: Възложени на мен
298 label_last_login: Последно свързване
298 label_last_login: Последно свързване
299 label_registered_on: Регистрация
299 label_registered_on: Регистрация
300 label_activity: Дейност
300 label_activity: Дейност
301 label_new: Нов
301 label_new: Нов
302 label_logged_as: Логнат като
302 label_logged_as: Логнат като
303 label_environment: Среда
303 label_environment: Среда
304 label_authentication: Оторизация
304 label_authentication: Оторизация
305 label_auth_source: Начин на оторозация
305 label_auth_source: Начин на оторозация
306 label_auth_source_new: Нов начин на оторизация
306 label_auth_source_new: Нов начин на оторизация
307 label_auth_source_plural: Начини на оторизация
307 label_auth_source_plural: Начини на оторизация
308 label_subproject_plural: Подпроекти
308 label_subproject_plural: Подпроекти
309 label_min_max_length: Мин. - Макс. дължина
309 label_min_max_length: Мин. - Макс. дължина
310 label_list: Списък
310 label_list: Списък
311 label_date: Дата
311 label_date: Дата
312 label_integer: Целочислен
312 label_integer: Целочислен
313 label_boolean: Чекбокс
313 label_boolean: Чекбокс
314 label_string: Текст
314 label_string: Текст
315 label_text: Дълъг текст
315 label_text: Дълъг текст
316 label_attribute: Атрибут
316 label_attribute: Атрибут
317 label_attribute_plural: Атрибути
317 label_attribute_plural: Атрибути
318 label_download: "{{count}} Download"
318 label_download: "{{count}} Download"
319 label_download_plural: "{{count}} Downloads"
319 label_download_plural: "{{count}} Downloads"
320 label_no_data: Няма изходни данни
320 label_no_data: Няма изходни данни
321 label_change_status: Промяна на статуса
321 label_change_status: Промяна на статуса
322 label_history: История
322 label_history: История
323 label_attachment: Файл
323 label_attachment: Файл
324 label_attachment_new: Нов файл
324 label_attachment_new: Нов файл
325 label_attachment_delete: Изтриване
325 label_attachment_delete: Изтриване
326 label_attachment_plural: Файлове
326 label_attachment_plural: Файлове
327 label_report: Справка
327 label_report: Справка
328 label_report_plural: Справки
328 label_report_plural: Справки
329 label_news: Новини
329 label_news: Новини
330 label_news_new: Добави
330 label_news_new: Добави
331 label_news_plural: Новини
331 label_news_plural: Новини
332 label_news_latest: Последни новини
332 label_news_latest: Последни новини
333 label_news_view_all: Виж всички
333 label_news_view_all: Виж всички
334 label_change_log: Изменения
334 label_change_log: Изменения
335 label_settings: Настройки
335 label_settings: Настройки
336 label_overview: Общ изглед
336 label_overview: Общ изглед
337 label_version: Версия
337 label_version: Версия
338 label_version_new: Нова версия
338 label_version_new: Нова версия
339 label_version_plural: Версии
339 label_version_plural: Версии
340 label_confirmation: Одобрение
340 label_confirmation: Одобрение
341 label_export_to: Експорт към
341 label_export_to: Експорт към
342 label_read: Read...
342 label_read: Read...
343 label_public_projects: Публични проекти
343 label_public_projects: Публични проекти
344 label_open_issues: отворена
344 label_open_issues: отворена
345 label_open_issues_plural: отворени
345 label_open_issues_plural: отворени
346 label_closed_issues: затворена
346 label_closed_issues: затворена
347 label_closed_issues_plural: затворени
347 label_closed_issues_plural: затворени
348 label_x_open_issues_abbr_on_total:
348 label_x_open_issues_abbr_on_total:
349 zero: 0 open / {{total}}
349 zero: 0 open / {{total}}
350 one: 1 open / {{total}}
350 one: 1 open / {{total}}
351 other: "{{count}} open / {{total}}"
351 other: "{{count}} open / {{total}}"
352 label_x_open_issues_abbr:
352 label_x_open_issues_abbr:
353 zero: 0 open
353 zero: 0 open
354 one: 1 open
354 one: 1 open
355 other: "{{count}} open"
355 other: "{{count}} open"
356 label_x_closed_issues_abbr:
356 label_x_closed_issues_abbr:
357 zero: 0 closed
357 zero: 0 closed
358 one: 1 closed
358 one: 1 closed
359 other: "{{count}} closed"
359 other: "{{count}} closed"
360 label_total: Общо
360 label_total: Общо
361 label_permissions: Права
361 label_permissions: Права
362 label_current_status: Текущ статус
362 label_current_status: Текущ статус
363 label_new_statuses_allowed: Позволени статуси
363 label_new_statuses_allowed: Позволени статуси
364 label_all: всички
364 label_all: всички
365 label_none: никакви
365 label_none: никакви
366 label_next: Следващ
366 label_next: Следващ
367 label_previous: Предишен
367 label_previous: Предишен
368 label_used_by: Използва се от
368 label_used_by: Използва се от
369 label_details: Детайли
369 label_details: Детайли
370 label_add_note: Добавяне на бележка
370 label_add_note: Добавяне на бележка
371 label_per_page: На страница
371 label_per_page: На страница
372 label_calendar: Календар
372 label_calendar: Календар
373 label_months_from: месеца от
373 label_months_from: месеца от
374 label_gantt: Gantt
374 label_gantt: Gantt
375 label_internal: Вътрешен
375 label_internal: Вътрешен
376 label_last_changes: "последни {{count}} промени"
376 label_last_changes: "последни {{count}} промени"
377 label_change_view_all: Виж всички промени
377 label_change_view_all: Виж всички промени
378 label_personalize_page: Персонализиране
378 label_personalize_page: Персонализиране
379 label_comment: Коментар
379 label_comment: Коментар
380 label_comment_plural: Коментари
380 label_comment_plural: Коментари
381 label_x_comments:
381 label_x_comments:
382 zero: no comments
382 zero: no comments
383 one: 1 comment
383 one: 1 comment
384 other: "{{count}} comments"
384 other: "{{count}} comments"
385 label_comment_add: Добавяне на коментар
385 label_comment_add: Добавяне на коментар
386 label_comment_added: Добавен коментар
386 label_comment_added: Добавен коментар
387 label_comment_delete: Изтриване на коментари
387 label_comment_delete: Изтриване на коментари
388 label_query: Потребителска справка
388 label_query: Потребителска справка
389 label_query_plural: Потребителски справки
389 label_query_plural: Потребителски справки
390 label_query_new: Нова заявка
390 label_query_new: Нова заявка
391 label_filter_add: Добави филтър
391 label_filter_add: Добави филтър
392 label_filter_plural: Филтри
392 label_filter_plural: Филтри
393 label_equals: е
393 label_equals: е
394 label_not_equals: не е
394 label_not_equals: не е
395 label_in_less_than: след по-малко от
395 label_in_less_than: след по-малко от
396 label_in_more_than: след повече от
396 label_in_more_than: след повече от
397 label_in: в следващите
397 label_in: в следващите
398 label_today: днес
398 label_today: днес
399 label_this_week: тази седмица
399 label_this_week: тази седмица
400 label_less_than_ago: преди по-малко от
400 label_less_than_ago: преди по-малко от
401 label_more_than_ago: преди повече от
401 label_more_than_ago: преди повече от
402 label_ago: преди
402 label_ago: преди
403 label_contains: съдържа
403 label_contains: съдържа
404 label_not_contains: не съдържа
404 label_not_contains: не съдържа
405 label_day_plural: дни
405 label_day_plural: дни
406 label_repository: Хранилище
406 label_repository: Хранилище
407 label_browse: Разглеждане
407 label_browse: Разглеждане
408 label_modification: "{{count}} промяна"
408 label_modification: "{{count}} промяна"
409 label_modification_plural: "{{count}} промени"
409 label_modification_plural: "{{count}} промени"
410 label_revision: Ревизия
410 label_revision: Ревизия
411 label_revision_plural: Ревизии
411 label_revision_plural: Ревизии
412 label_added: добавено
412 label_added: добавено
413 label_modified: променено
413 label_modified: променено
414 label_deleted: изтрито
414 label_deleted: изтрито
415 label_latest_revision: Последна ревизия
415 label_latest_revision: Последна ревизия
416 label_latest_revision_plural: Последни ревизии
416 label_latest_revision_plural: Последни ревизии
417 label_view_revisions: Виж ревизиите
417 label_view_revisions: Виж ревизиите
418 label_max_size: Максимална големина
418 label_max_size: Максимална големина
419 label_sort_highest: Премести най-горе
419 label_sort_highest: Премести най-горе
420 label_sort_higher: Премести по-горе
420 label_sort_higher: Премести по-горе
421 label_sort_lower: Премести по-долу
421 label_sort_lower: Премести по-долу
422 label_sort_lowest: Премести най-долу
422 label_sort_lowest: Премести най-долу
423 label_roadmap: Пътна карта
423 label_roadmap: Пътна карта
424 label_roadmap_due_in: "Излиза след {{value}}"
424 label_roadmap_due_in: "Излиза след {{value}}"
425 label_roadmap_overdue: "{{value}} закъснение"
425 label_roadmap_overdue: "{{value}} закъснение"
426 label_roadmap_no_issues: Няма задачи за тази версия
426 label_roadmap_no_issues: Няма задачи за тази версия
427 label_search: Търсене
427 label_search: Търсене
428 label_result_plural: Pезултати
428 label_result_plural: Pезултати
429 label_all_words: Всички думи
429 label_all_words: Всички думи
430 label_wiki: Wiki
430 label_wiki: Wiki
431 label_wiki_edit: Wiki редакция
431 label_wiki_edit: Wiki редакция
432 label_wiki_edit_plural: Wiki редакции
432 label_wiki_edit_plural: Wiki редакции
433 label_wiki_page: Wiki page
433 label_wiki_page: Wiki page
434 label_wiki_page_plural: Wiki pages
434 label_wiki_page_plural: Wiki pages
435 label_index_by_title: Индекс
435 label_index_by_title: Индекс
436 label_index_by_date: Индекс по дата
436 label_index_by_date: Индекс по дата
437 label_current_version: Текуща версия
437 label_current_version: Текуща версия
438 label_preview: Преглед
438 label_preview: Преглед
439 label_feed_plural: Feeds
439 label_feed_plural: Feeds
440 label_changes_details: Подробни промени
440 label_changes_details: Подробни промени
441 label_issue_tracking: Тракинг
441 label_issue_tracking: Тракинг
442 label_spent_time: Отделено време
442 label_spent_time: Отделено време
443 label_f_hour: "{{value}} час"
443 label_f_hour: "{{value}} час"
444 label_f_hour_plural: "{{value}} часа"
444 label_f_hour_plural: "{{value}} часа"
445 label_time_tracking: Отделяне на време
445 label_time_tracking: Отделяне на време
446 label_change_plural: Промени
446 label_change_plural: Промени
447 label_statistics: Статистики
447 label_statistics: Статистики
448 label_commits_per_month: Ревизии по месеци
448 label_commits_per_month: Ревизии по месеци
449 label_commits_per_author: Ревизии по автор
449 label_commits_per_author: Ревизии по автор
450 label_view_diff: Виж разликите
450 label_view_diff: Виж разликите
451 label_diff_inline: хоризонтално
451 label_diff_inline: хоризонтално
452 label_diff_side_by_side: вертикално
452 label_diff_side_by_side: вертикално
453 label_options: Опции
453 label_options: Опции
454 label_copy_workflow_from: Копирай работния процес от
454 label_copy_workflow_from: Копирай работния процес от
455 label_permissions_report: Справка за права
455 label_permissions_report: Справка за права
456 label_watched_issues: Наблюдавани задачи
456 label_watched_issues: Наблюдавани задачи
457 label_related_issues: Свързани задачи
457 label_related_issues: Свързани задачи
458 label_applied_status: Промени статуса на
458 label_applied_status: Промени статуса на
459 label_loading: Зареждане...
459 label_loading: Зареждане...
460 label_relation_new: Нова релация
460 label_relation_new: Нова релация
461 label_relation_delete: Изтриване на релация
461 label_relation_delete: Изтриване на релация
462 label_relates_to: свързана със
462 label_relates_to: свързана със
463 label_duplicates: дублира
463 label_duplicates: дублира
464 label_blocks: блокира
464 label_blocks: блокира
465 label_blocked_by: блокирана от
465 label_blocked_by: блокирана от
466 label_precedes: предшества
466 label_precedes: предшества
467 label_follows: изпълнява се след
467 label_follows: изпълнява се след
468 label_end_to_start: end to start
468 label_end_to_start: end to start
469 label_end_to_end: end to end
469 label_end_to_end: end to end
470 label_start_to_start: start to start
470 label_start_to_start: start to start
471 label_start_to_end: start to end
471 label_start_to_end: start to end
472 label_stay_logged_in: Запомни ме
472 label_stay_logged_in: Запомни ме
473 label_disabled: забранено
473 label_disabled: забранено
474 label_show_completed_versions: Показване на реализирани версии
474 label_show_completed_versions: Показване на реализирани версии
475 label_me: аз
475 label_me: аз
476 label_board: Форум
476 label_board: Форум
477 label_board_new: Нов форум
477 label_board_new: Нов форум
478 label_board_plural: Форуми
478 label_board_plural: Форуми
479 label_topic_plural: Теми
479 label_topic_plural: Теми
480 label_message_plural: Съобщения
480 label_message_plural: Съобщения
481 label_message_last: Последно съобщение
481 label_message_last: Последно съобщение
482 label_message_new: Нова тема
482 label_message_new: Нова тема
483 label_reply_plural: Отговори
483 label_reply_plural: Отговори
484 label_send_information: Изпращане на информацията до потребителя
484 label_send_information: Изпращане на информацията до потребителя
485 label_year: Година
485 label_year: Година
486 label_month: Месец
486 label_month: Месец
487 label_week: Седмица
487 label_week: Седмица
488 label_date_from: От
488 label_date_from: От
489 label_date_to: До
489 label_date_to: До
490 label_language_based: В зависимост от езика
490 label_language_based: В зависимост от езика
491 label_sort_by: "Сортиране по {{value}}"
491 label_sort_by: "Сортиране по {{value}}"
492 label_send_test_email: Изпращане на тестов e-mail
492 label_send_test_email: Изпращане на тестов e-mail
493 label_feeds_access_key_created_on: "{{value}} от създаването на RSS ключа"
493 label_feeds_access_key_created_on: "{{value}} от създаването на RSS ключа"
494 label_module_plural: Модули
494 label_module_plural: Модули
495 label_added_time_by: "Публикувана от {{author}} преди {{age}}"
495 label_added_time_by: "Публикувана от {{author}} преди {{age}}"
496 label_updated_time: "Обновена преди {{value}}"
496 label_updated_time: "Обновена преди {{value}}"
497 label_jump_to_a_project: Проект...
497 label_jump_to_a_project: Проект...
498
498
499 button_login: Вход
499 button_login: Вход
500 button_submit: Прикачване
500 button_submit: Прикачване
501 button_save: Запис
501 button_save: Запис
502 button_check_all: Избор на всички
502 button_check_all: Избор на всички
503 button_uncheck_all: Изчистване на всички
503 button_uncheck_all: Изчистване на всички
504 button_delete: Изтриване
504 button_delete: Изтриване
505 button_create: Създаване
505 button_create: Създаване
506 button_test: Тест
506 button_test: Тест
507 button_edit: Редакция
507 button_edit: Редакция
508 button_add: Добавяне
508 button_add: Добавяне
509 button_change: Промяна
509 button_change: Промяна
510 button_apply: Приложи
510 button_apply: Приложи
511 button_clear: Изчисти
511 button_clear: Изчисти
512 button_lock: Заключване
512 button_lock: Заключване
513 button_unlock: Отключване
513 button_unlock: Отключване
514 button_download: Download
514 button_download: Download
515 button_list: Списък
515 button_list: Списък
516 button_view: Преглед
516 button_view: Преглед
517 button_move: Преместване
517 button_move: Преместване
518 button_back: Назад
518 button_back: Назад
519 button_cancel: Отказ
519 button_cancel: Отказ
520 button_activate: Активация
520 button_activate: Активация
521 button_sort: Сортиране
521 button_sort: Сортиране
522 button_log_time: Отделяне на време
522 button_log_time: Отделяне на време
523 button_rollback: Върни се към тази ревизия
523 button_rollback: Върни се към тази ревизия
524 button_watch: Наблюдавай
524 button_watch: Наблюдавай
525 button_unwatch: Спри наблюдението
525 button_unwatch: Спри наблюдението
526 button_reply: Отговор
526 button_reply: Отговор
527 button_archive: Архивиране
527 button_archive: Архивиране
528 button_unarchive: Разархивиране
528 button_unarchive: Разархивиране
529 button_reset: Генериране наново
529 button_reset: Генериране наново
530 button_rename: Преименуване
530 button_rename: Преименуване
531
531
532 status_active: активен
532 status_active: активен
533 status_registered: регистриран
533 status_registered: регистриран
534 status_locked: заключен
534 status_locked: заключен
535
535
536 text_select_mail_notifications: Изберете събития за изпращане на e-mail.
536 text_select_mail_notifications: Изберете събития за изпращане на e-mail.
537 text_regexp_info: пр. ^[A-Z0-9]+$
537 text_regexp_info: пр. ^[A-Z0-9]+$
538 text_min_max_length_info: 0 - без ограничения
538 text_min_max_length_info: 0 - без ограничения
539 text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
539 text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
540 text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
540 text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
541 text_are_you_sure: Сигурни ли сте?
541 text_are_you_sure: Сигурни ли сте?
542 text_journal_changed: "промяна от {{old}} на {{new}}"
542 text_journal_changed: "промяна от {{old}} на {{new}}"
543 text_journal_set_to: "установено на {{value}}"
543 text_journal_set_to: "установено на {{value}}"
544 text_journal_deleted: изтрито
544 text_journal_deleted: изтрито
545 text_tip_task_begin_day: задача започваща този ден
545 text_tip_task_begin_day: задача започваща този ден
546 text_tip_task_end_day: задача завършваща този ден
546 text_tip_task_end_day: задача завършваща този ден
547 text_tip_task_begin_end_day: задача започваща и завършваща този ден
547 text_tip_task_begin_end_day: задача започваща и завършваща този ден
548 text_project_identifier_info: 'Позволени са малки букви (a-z), цифри и тирета.<br />Невъзможна промяна след запис.'
548 text_project_identifier_info: 'Позволени са малки букви (a-z), цифри и тирета.<br />Невъзможна промяна след запис.'
549 text_caracters_maximum: "До {{count}} символа."
549 text_caracters_maximum: "До {{count}} символа."
550 text_length_between: "От {{min}} до {{max}} символа."
550 text_length_between: "От {{min}} до {{max}} символа."
551 text_tracker_no_workflow: Няма дефиниран работен процес за този тракер
551 text_tracker_no_workflow: Няма дефиниран работен процес за този тракер
552 text_unallowed_characters: Непозволени символи
552 text_unallowed_characters: Непозволени символи
553 text_comma_separated: Позволено е изброяване (с разделител запетая).
553 text_comma_separated: Позволено е изброяване (с разделител запетая).
554 text_issues_ref_in_commit_messages: Отбелязване и приключване на задачи от ревизии
554 text_issues_ref_in_commit_messages: Отбелязване и приключване на задачи от ревизии
555 text_issue_added: "Публикувана е нова задача с номер {{id}} (от {{author}})."
555 text_issue_added: "Публикувана е нова задача с номер {{id}} (от {{author}})."
556 text_issue_updated: "Задача {{id}} е обновена (от {{author}})."
556 text_issue_updated: "Задача {{id}} е обновена (от {{author}})."
557 text_wiki_destroy_confirmation: Сигурни ли сте, че искате да изтриете това Wiki и цялото му съдържание?
557 text_wiki_destroy_confirmation: Сигурни ли сте, че искате да изтриете това Wiki и цялото му съдържание?
558 text_issue_category_destroy_question: "Има задачи ({{count}}) обвързани с тази категория. Какво ще изберете?"
558 text_issue_category_destroy_question: "Има задачи ({{count}}) обвързани с тази категория. Какво ще изберете?"
559 text_issue_category_destroy_assignments: Премахване на връзките с категорията
559 text_issue_category_destroy_assignments: Премахване на връзките с категорията
560 text_issue_category_reassign_to: Преобвързване с категория
560 text_issue_category_reassign_to: Преобвързване с категория
561
561
562 default_role_manager: Мениджър
562 default_role_manager: Мениджър
563 default_role_developper: Разработчик
563 default_role_developper: Разработчик
564 default_role_reporter: Публикуващ
564 default_role_reporter: Публикуващ
565 default_tracker_bug: Бъг
565 default_tracker_bug: Бъг
566 default_tracker_feature: Функционалност
566 default_tracker_feature: Функционалност
567 default_tracker_support: Поддръжка
567 default_tracker_support: Поддръжка
568 default_issue_status_new: Нова
568 default_issue_status_new: Нова
569 default_issue_status_assigned: Възложена
569 default_issue_status_assigned: Възложена
570 default_issue_status_resolved: Приключена
570 default_issue_status_resolved: Приключена
571 default_issue_status_feedback: Обратна връзка
571 default_issue_status_feedback: Обратна връзка
572 default_issue_status_closed: Затворена
572 default_issue_status_closed: Затворена
573 default_issue_status_rejected: Отхвърлена
573 default_issue_status_rejected: Отхвърлена
574 default_doc_category_user: Документация за потребителя
574 default_doc_category_user: Документация за потребителя
575 default_doc_category_tech: Техническа документация
575 default_doc_category_tech: Техническа документация
576 default_priority_low: Нисък
576 default_priority_low: Нисък
577 default_priority_normal: Нормален
577 default_priority_normal: Нормален
578 default_priority_high: Висок
578 default_priority_high: Висок
579 default_priority_urgent: Спешен
579 default_priority_urgent: Спешен
580 default_priority_immediate: Веднага
580 default_priority_immediate: Веднага
581 default_activity_design: Дизайн
581 default_activity_design: Дизайн
582 default_activity_development: Разработка
582 default_activity_development: Разработка
583
583
584 enumeration_issue_priorities: Приоритети на задачи
584 enumeration_issue_priorities: Приоритети на задачи
585 enumeration_doc_categories: Категории документи
585 enumeration_doc_categories: Категории документи
586 enumeration_activities: Дейности (time tracking)
586 enumeration_activities: Дейности (time tracking)
587 label_file_plural: Файлове
587 label_file_plural: Файлове
588 label_changeset_plural: Ревизии
588 label_changeset_plural: Ревизии
589 field_column_names: Колони
589 field_column_names: Колони
590 label_default_columns: По подразбиране
590 label_default_columns: По подразбиране
591 setting_issue_list_default_columns: Показвани колони по подразбиране
591 setting_issue_list_default_columns: Показвани колони по подразбиране
592 setting_repositories_encodings: Кодови таблици
592 setting_repositories_encodings: Кодови таблици
593 notice_no_issue_selected: "Няма избрани задачи."
593 notice_no_issue_selected: "Няма избрани задачи."
594 label_bulk_edit_selected_issues: Редактиране на задачи
594 label_bulk_edit_selected_issues: Редактиране на задачи
595 label_no_change_option: (Без промяна)
595 label_no_change_option: (Без промяна)
596 notice_failed_to_save_issues: "Неуспешен запис на {{count}} задачи от {{total}} избрани: {{ids}}."
596 notice_failed_to_save_issues: "Неуспешен запис на {{count}} задачи от {{total}} избрани: {{ids}}."
597 label_theme: Тема
597 label_theme: Тема
598 label_default: По подразбиране
598 label_default: По подразбиране
599 label_search_titles_only: Само в заглавията
599 label_search_titles_only: Само в заглавията
600 label_nobody: никой
600 label_nobody: никой
601 button_change_password: Промяна на парола
601 button_change_password: Промяна на парола
602 text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
602 text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
603 label_user_mail_option_selected: "За всички събития само в избраните проекти..."
603 label_user_mail_option_selected: "За всички събития само в избраните проекти..."
604 label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
604 label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
605 label_user_mail_option_none: "Само за наблюдавани или в които участвам (автор или назначени на мен)"
605 label_user_mail_option_none: "Само за наблюдавани или в които участвам (автор или назначени на мен)"
606 setting_emails_footer: Подтекст за e-mail
606 setting_emails_footer: Подтекст за e-mail
607 label_float: Дробно
607 label_float: Дробно
608 button_copy: Копиране
608 button_copy: Копиране
609 mail_body_account_information_external: "Можете да използвате вашия {{value}} профил за вход."
609 mail_body_account_information_external: "Можете да използвате вашия {{value}} профил за вход."
610 mail_body_account_information: Информацията за профила ви
610 mail_body_account_information: Информацията за профила ви
611 setting_protocol: Протокол
611 setting_protocol: Протокол
612 label_user_mail_no_self_notified: "Не искам известия за извършени от мен промени"
612 label_user_mail_no_self_notified: "Не искам известия за извършени от мен промени"
613 setting_time_format: Формат на часа
613 setting_time_format: Формат на часа
614 label_registration_activation_by_email: активиране на профила по email
614 label_registration_activation_by_email: активиране на профила по email
615 mail_subject_account_activation_request: "Заявка за активиране на профил в {{value}}"
615 mail_subject_account_activation_request: "Заявка за активиране на профил в {{value}}"
616 mail_body_account_activation_request: "Има новорегистриран потребител ({{value}}), очакващ вашето одобрение:"
616 mail_body_account_activation_request: "Има новорегистриран потребител ({{value}}), очакващ вашето одобрение:"
617 label_registration_automatic_activation: автоматично активиране
617 label_registration_automatic_activation: автоматично активиране
618 label_registration_manual_activation: ръчно активиране
618 label_registration_manual_activation: ръчно активиране
619 notice_account_pending: "Профилът Ви е създаден и очаква одобрение от администратор."
619 notice_account_pending: "Профилът Ви е създаден и очаква одобрение от администратор."
620 field_time_zone: Часова зона
620 field_time_zone: Часова зона
621 text_caracters_minimum: "Минимум {{count}} символа."
621 text_caracters_minimum: "Минимум {{count}} символа."
622 setting_bcc_recipients: Получатели на скрито копие (bcc)
622 setting_bcc_recipients: Получатели на скрито копие (bcc)
623 button_annotate: Анотация
623 button_annotate: Анотация
624 label_issues_by: "Задачи по {{value}}"
624 label_issues_by: "Задачи по {{value}}"
625 field_searchable: С възможност за търсене
625 field_searchable: С възможност за търсене
626 label_display_per_page: "На страница по: {{value}}"
626 label_display_per_page: "На страница по: {{value}}"
627 setting_per_page_options: Опции за страниране
627 setting_per_page_options: Опции за страниране
628 label_age: Възраст
628 label_age: Възраст
629 notice_default_data_loaded: Примерната информацията е успешно заредена.
629 notice_default_data_loaded: Примерната информацията е успешно заредена.
630 text_load_default_configuration: Зареждане на примерна информация
630 text_load_default_configuration: Зареждане на примерна информация
631 text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, статуси на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
631 text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, статуси на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
632 error_can_t_load_default_data: "Грешка при зареждане на примерната информация: {{value}}"
632 error_can_t_load_default_data: "Грешка при зареждане на примерната информация: {{value}}"
633 button_update: Обновяване
633 button_update: Обновяване
634 label_change_properties: Промяна на настройки
634 label_change_properties: Промяна на настройки
635 label_general: Основни
635 label_general: Основни
636 label_repository_plural: Хранилища
636 label_repository_plural: Хранилища
637 label_associated_revisions: Асоциирани ревизии
637 label_associated_revisions: Асоциирани ревизии
638 setting_user_format: Потребителски формат
638 setting_user_format: Потребителски формат
639 text_status_changed_by_changeset: "Приложено с ревизия {{value}}."
639 text_status_changed_by_changeset: "Приложено с ревизия {{value}}."
640 label_more: Още
640 label_more: Още
641 text_issues_destroy_confirmation: 'Сигурни ли сте, че искате да изтриете избраните задачи?'
641 text_issues_destroy_confirmation: 'Сигурни ли сте, че искате да изтриете избраните задачи?'
642 label_scm: SCM (Система за контрол на кода)
642 label_scm: SCM (Система за контрол на кода)
643 text_select_project_modules: 'Изберете активните модули за този проект:'
643 text_select_project_modules: 'Изберете активните модули за този проект:'
644 label_issue_added: Добавена задача
644 label_issue_added: Добавена задача
645 label_issue_updated: Обновена задача
645 label_issue_updated: Обновена задача
646 label_document_added: Добавен документ
646 label_document_added: Добавен документ
647 label_message_posted: Добавено съобщение
647 label_message_posted: Добавено съобщение
648 label_file_added: Добавен файл
648 label_file_added: Добавен файл
649 label_news_added: Добавена новина
649 label_news_added: Добавена новина
650 project_module_boards: Форуми
650 project_module_boards: Форуми
651 project_module_issue_tracking: Тракинг
651 project_module_issue_tracking: Тракинг
652 project_module_wiki: Wiki
652 project_module_wiki: Wiki
653 project_module_files: Файлове
653 project_module_files: Файлове
654 project_module_documents: Документи
654 project_module_documents: Документи
655 project_module_repository: Хранилище
655 project_module_repository: Хранилище
656 project_module_news: Новини
656 project_module_news: Новини
657 project_module_time_tracking: Отделяне на време
657 project_module_time_tracking: Отделяне на време
658 text_file_repository_writable: Възможност за писане в хранилището с файлове
658 text_file_repository_writable: Възможност за писане в хранилището с файлове
659 text_default_administrator_account_changed: Сменен фабричния администраторски профил
659 text_default_administrator_account_changed: Сменен фабричния администраторски профил
660 text_rmagick_available: Наличен RMagick (по избор)
660 text_rmagick_available: Наличен RMagick (по избор)
661 button_configure: Конфигуриране
661 button_configure: Конфигуриране
662 label_plugins: Плъгини
662 label_plugins: Плъгини
663 label_ldap_authentication: LDAP оторизация
663 label_ldap_authentication: LDAP оторизация
664 label_downloads_abbr: D/L
664 label_downloads_abbr: D/L
665 label_this_month: текущия месец
665 label_this_month: текущия месец
666 label_last_n_days: "последните {{count}} дни"
666 label_last_n_days: "последните {{count}} дни"
667 label_all_time: всички
667 label_all_time: всички
668 label_this_year: текущата година
668 label_this_year: текущата година
669 label_date_range: Период
669 label_date_range: Период
670 label_last_week: последната седмица
670 label_last_week: последната седмица
671 label_yesterday: вчера
671 label_yesterday: вчера
672 label_last_month: последния месец
672 label_last_month: последния месец
673 label_add_another_file: Добавяне на друг файл
673 label_add_another_file: Добавяне на друг файл
674 label_optional_description: Незадължително описание
674 label_optional_description: Незадължително описание
675 text_destroy_time_entries_question: "{{hours}} часа са отделени на задачите, които искате да изтриете. Какво избирате?"
675 text_destroy_time_entries_question: "{{hours}} часа са отделени на задачите, които искате да изтриете. Какво избирате?"
676 error_issue_not_found_in_project: 'Задачата не е намерена или не принадлежи на този проект'
676 error_issue_not_found_in_project: 'Задачата не е намерена или не принадлежи на този проект'
677 text_assign_time_entries_to_project: Прехвърляне на отделеното време към проект
677 text_assign_time_entries_to_project: Прехвърляне на отделеното време към проект
678 text_destroy_time_entries: Изтриване на отделеното време
678 text_destroy_time_entries: Изтриване на отделеното време
679 text_reassign_time_entries: 'Прехвърляне на отделеното време към задача:'
679 text_reassign_time_entries: 'Прехвърляне на отделеното време към задача:'
680 setting_activity_days_default: Брой дни показвани на таб Дейност
680 setting_activity_days_default: Брой дни показвани на таб Дейност
681 label_chronological_order: Хронологичен ред
681 label_chronological_order: Хронологичен ред
682 field_comments_sorting: Сортиране на коментарите
682 field_comments_sorting: Сортиране на коментарите
683 label_reverse_chronological_order: Обратен хронологичен ред
683 label_reverse_chronological_order: Обратен хронологичен ред
684 label_preferences: Предпочитания
684 label_preferences: Предпочитания
685 setting_display_subprojects_issues: Показване на подпроектите в проектите по подразбиране
685 setting_display_subprojects_issues: Показване на подпроектите в проектите по подразбиране
686 label_overall_activity: Цялостна дейност
686 label_overall_activity: Цялостна дейност
687 setting_default_projects_public: Новите проекти са публични по подразбиране
687 setting_default_projects_public: Новите проекти са публични по подразбиране
688 error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
688 error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
689 label_planning: Планиране
689 label_planning: Планиране
690 text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted."
690 text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted."
691 label_and_its_subprojects: "{{value}} and its subprojects"
691 label_and_its_subprojects: "{{value}} and its subprojects"
692 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
692 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
693 mail_subject_reminder: "{{count}} issue(s) due in the next days"
693 mail_subject_reminder: "{{count}} issue(s) due in the next days"
694 text_user_wrote: "{{value}} wrote:"
694 text_user_wrote: "{{value}} wrote:"
695 label_duplicated_by: duplicated by
695 label_duplicated_by: duplicated by
696 setting_enabled_scm: Enabled SCM
696 setting_enabled_scm: Enabled SCM
697 text_enumeration_category_reassign_to: 'Reassign them to this value:'
697 text_enumeration_category_reassign_to: 'Reassign them to this value:'
698 text_enumeration_destroy_question: "{{count}} objects are assigned to this value."
698 text_enumeration_destroy_question: "{{count}} objects are assigned to this value."
699 label_incoming_emails: Incoming emails
699 label_incoming_emails: Incoming emails
700 label_generate_key: Generate a key
700 label_generate_key: Generate a key
701 setting_mail_handler_api_enabled: Enable WS for incoming emails
701 setting_mail_handler_api_enabled: Enable WS for incoming emails
702 setting_mail_handler_api_key: API key
702 setting_mail_handler_api_key: API key
703 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
703 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
704 field_parent_title: Parent page
704 field_parent_title: Parent page
705 label_issue_watchers: Watchers
705 label_issue_watchers: Watchers
706 setting_commit_logs_encoding: Commit messages encoding
706 setting_commit_logs_encoding: Commit messages encoding
707 button_quote: Quote
707 button_quote: Quote
708 setting_sequential_project_identifiers: Generate sequential project identifiers
708 setting_sequential_project_identifiers: Generate sequential project identifiers
709 notice_unable_delete_version: Unable to delete version
709 notice_unable_delete_version: Unable to delete version
710 label_renamed: renamed
710 label_renamed: renamed
711 label_copied: copied
711 label_copied: copied
712 setting_plain_text_mail: plain text only (no HTML)
712 setting_plain_text_mail: plain text only (no HTML)
713 permission_view_files: View files
713 permission_view_files: View files
714 permission_edit_issues: Edit issues
714 permission_edit_issues: Edit issues
715 permission_edit_own_time_entries: Edit own time logs
715 permission_edit_own_time_entries: Edit own time logs
716 permission_manage_public_queries: Manage public queries
716 permission_manage_public_queries: Manage public queries
717 permission_add_issues: Add issues
717 permission_add_issues: Add issues
718 permission_log_time: Log spent time
718 permission_log_time: Log spent time
719 permission_view_changesets: View changesets
719 permission_view_changesets: View changesets
720 permission_view_time_entries: View spent time
720 permission_view_time_entries: View spent time
721 permission_manage_versions: Manage versions
721 permission_manage_versions: Manage versions
722 permission_manage_wiki: Manage wiki
722 permission_manage_wiki: Manage wiki
723 permission_manage_categories: Manage issue categories
723 permission_manage_categories: Manage issue categories
724 permission_protect_wiki_pages: Protect wiki pages
724 permission_protect_wiki_pages: Protect wiki pages
725 permission_comment_news: Comment news
725 permission_comment_news: Comment news
726 permission_delete_messages: Delete messages
726 permission_delete_messages: Delete messages
727 permission_select_project_modules: Select project modules
727 permission_select_project_modules: Select project modules
728 permission_manage_documents: Manage documents
728 permission_manage_documents: Manage documents
729 permission_edit_wiki_pages: Edit wiki pages
729 permission_edit_wiki_pages: Edit wiki pages
730 permission_add_issue_watchers: Add watchers
730 permission_add_issue_watchers: Add watchers
731 permission_view_gantt: View gantt chart
731 permission_view_gantt: View gantt chart
732 permission_move_issues: Move issues
732 permission_move_issues: Move issues
733 permission_manage_issue_relations: Manage issue relations
733 permission_manage_issue_relations: Manage issue relations
734 permission_delete_wiki_pages: Delete wiki pages
734 permission_delete_wiki_pages: Delete wiki pages
735 permission_manage_boards: Manage boards
735 permission_manage_boards: Manage boards
736 permission_delete_wiki_pages_attachments: Delete attachments
736 permission_delete_wiki_pages_attachments: Delete attachments
737 permission_view_wiki_edits: View wiki history
737 permission_view_wiki_edits: View wiki history
738 permission_add_messages: Post messages
738 permission_add_messages: Post messages
739 permission_view_messages: View messages
739 permission_view_messages: View messages
740 permission_manage_files: Manage files
740 permission_manage_files: Manage files
741 permission_edit_issue_notes: Edit notes
741 permission_edit_issue_notes: Edit notes
742 permission_manage_news: Manage news
742 permission_manage_news: Manage news
743 permission_view_calendar: View calendrier
743 permission_view_calendar: View calendrier
744 permission_manage_members: Manage members
744 permission_manage_members: Manage members
745 permission_edit_messages: Edit messages
745 permission_edit_messages: Edit messages
746 permission_delete_issues: Delete issues
746 permission_delete_issues: Delete issues
747 permission_view_issue_watchers: View watchers list
747 permission_view_issue_watchers: View watchers list
748 permission_manage_repository: Manage repository
748 permission_manage_repository: Manage repository
749 permission_commit_access: Commit access
749 permission_commit_access: Commit access
750 permission_browse_repository: Browse repository
750 permission_browse_repository: Browse repository
751 permission_view_documents: View documents
751 permission_view_documents: View documents
752 permission_edit_project: Edit project
752 permission_edit_project: Edit project
753 permission_add_issue_notes: Add notes
753 permission_add_issue_notes: Add notes
754 permission_save_queries: Save queries
754 permission_save_queries: Save queries
755 permission_view_wiki_pages: View wiki
755 permission_view_wiki_pages: View wiki
756 permission_rename_wiki_pages: Rename wiki pages
756 permission_rename_wiki_pages: Rename wiki pages
757 permission_edit_time_entries: Edit time logs
757 permission_edit_time_entries: Edit time logs
758 permission_edit_own_issue_notes: Edit own notes
758 permission_edit_own_issue_notes: Edit own notes
759 setting_gravatar_enabled: Use Gravatar user icons
759 setting_gravatar_enabled: Use Gravatar user icons
760 label_example: Example
760 label_example: Example
761 text_repository_usernames_mapping: "Select ou update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
761 text_repository_usernames_mapping: "Select ou update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
762 permission_edit_own_messages: Edit own messages
762 permission_edit_own_messages: Edit own messages
763 permission_delete_own_messages: Delete own messages
763 permission_delete_own_messages: Delete own messages
764 label_user_activity: "{{value}}'s activity"
764 label_user_activity: "{{value}}'s activity"
765 label_updated_time_by: "Updated by {{author}} {{age}} ago"
765 label_updated_time_by: "Updated by {{author}} {{age}} ago"
766 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
766 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
767 setting_diff_max_lines_displayed: Max number of diff lines displayed
767 setting_diff_max_lines_displayed: Max number of diff lines displayed
768 text_plugin_assets_writable: Plugin assets directory writable
768 text_plugin_assets_writable: Plugin assets directory writable
769 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
769 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
770 button_create_and_continue: Create and continue
770 button_create_and_continue: Create and continue
771 text_custom_field_possible_values_info: 'One line for each value'
771 text_custom_field_possible_values_info: 'One line for each value'
772 label_display: Display
772 label_display: Display
773 field_editable: Editable
773 field_editable: Editable
774 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
774 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
775 setting_file_max_size_displayed: Max size of text files displayed inline
775 setting_file_max_size_displayed: Max size of text files displayed inline
776 field_watcher: Watcher
776 field_watcher: Watcher
777 setting_openid: Allow OpenID login and registration
777 setting_openid: Allow OpenID login and registration
778 field_identity_url: OpenID URL
778 field_identity_url: OpenID URL
779 label_login_with_open_id_option: or login with OpenID
779 label_login_with_open_id_option: or login with OpenID
780 field_content: Content
780 field_content: Content
781 label_descending: Descending
781 label_descending: Descending
782 label_sort: Sort
782 label_sort: Sort
783 label_ascending: Ascending
783 label_ascending: Ascending
784 label_date_from_to: From {{start}} to {{end}}
784 label_date_from_to: From {{start}} to {{end}}
785 label_greater_or_equal: ">="
785 label_greater_or_equal: ">="
786 label_less_or_equal: <=
786 label_less_or_equal: <=
787 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
787 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
788 text_wiki_page_reassign_children: Reassign child pages to this parent page
788 text_wiki_page_reassign_children: Reassign child pages to this parent page
789 text_wiki_page_nullify_children: Keep child pages as root pages
789 text_wiki_page_nullify_children: Keep child pages as root pages
790 text_wiki_page_destroy_children: Delete child pages and all their descendants
790 text_wiki_page_destroy_children: Delete child pages and all their descendants
791 setting_password_min_length: Minimum password length
791 setting_password_min_length: Minimum password length
792 field_group_by: Group results by
@@ -1,824 +1,825
1 #Ernad Husremovic hernad@bring.out.ba
1 #Ernad Husremovic hernad@bring.out.ba
2
2
3 bs:
3 bs:
4 date:
4 date:
5 formats:
5 formats:
6 default: "%d.%m.%Y"
6 default: "%d.%m.%Y"
7 short: "%e. %b"
7 short: "%e. %b"
8 long: "%e. %B %Y"
8 long: "%e. %B %Y"
9 only_day: "%e"
9 only_day: "%e"
10
10
11
11
12 day_names: [Nedjelja, Ponedjeljak, Utorak, Srijeda, Četvrtak, Petak, Subota]
12 day_names: [Nedjelja, Ponedjeljak, Utorak, Srijeda, Četvrtak, Petak, Subota]
13 abbr_day_names: [Ned, Pon, Uto, Sri, Čet, Pet, Sub]
13 abbr_day_names: [Ned, Pon, Uto, Sri, Čet, Pet, Sub]
14
14
15 month_names: [~, Januar, Februar, Mart, April, Maj, Jun, Jul, Avgust, Septembar, Oktobar, Novembar, Decembar]
15 month_names: [~, Januar, Februar, Mart, April, Maj, Jun, Jul, Avgust, Septembar, Oktobar, Novembar, Decembar]
16 abbr_month_names: [~, Jan, Feb, Mar, Apr, Maj, Jun, Jul, Avg, Sep, Okt, Nov, Dec]
16 abbr_month_names: [~, Jan, Feb, Mar, Apr, Maj, Jun, Jul, Avg, Sep, Okt, Nov, Dec]
17 order: [ :day, :month, :year ]
17 order: [ :day, :month, :year ]
18
18
19 time:
19 time:
20 formats:
20 formats:
21 default: "%A, %e. %B %Y, %H:%M"
21 default: "%A, %e. %B %Y, %H:%M"
22 short: "%e. %B, %H:%M Uhr"
22 short: "%e. %B, %H:%M Uhr"
23 long: "%A, %e. %B %Y, %H:%M"
23 long: "%A, %e. %B %Y, %H:%M"
24 time: "%H:%M"
24 time: "%H:%M"
25
25
26 am: "prijepodne"
26 am: "prijepodne"
27 pm: "poslijepodne"
27 pm: "poslijepodne"
28
28
29 datetime:
29 datetime:
30 distance_in_words:
30 distance_in_words:
31 half_a_minute: "pola minute"
31 half_a_minute: "pola minute"
32 less_than_x_seconds:
32 less_than_x_seconds:
33 one: "manje od 1 sekunde"
33 one: "manje od 1 sekunde"
34 other: "manje od {{count}} sekudni"
34 other: "manje od {{count}} sekudni"
35 x_seconds:
35 x_seconds:
36 one: "1 sekunda"
36 one: "1 sekunda"
37 other: "{{count}} sekundi"
37 other: "{{count}} sekundi"
38 less_than_x_minutes:
38 less_than_x_minutes:
39 one: "manje od 1 minute"
39 one: "manje od 1 minute"
40 other: "manje od {{count}} minuta"
40 other: "manje od {{count}} minuta"
41 x_minutes:
41 x_minutes:
42 one: "1 minuta"
42 one: "1 minuta"
43 other: "{{count}} minuta"
43 other: "{{count}} minuta"
44 about_x_hours:
44 about_x_hours:
45 one: "oko 1 sahat"
45 one: "oko 1 sahat"
46 other: "oko {{count}} sahata"
46 other: "oko {{count}} sahata"
47 x_days:
47 x_days:
48 one: "1 dan"
48 one: "1 dan"
49 other: "{{count}} dana"
49 other: "{{count}} dana"
50 about_x_months:
50 about_x_months:
51 one: "oko 1 mjesec"
51 one: "oko 1 mjesec"
52 other: "oko {{count}} mjeseci"
52 other: "oko {{count}} mjeseci"
53 x_months:
53 x_months:
54 one: "1 mjesec"
54 one: "1 mjesec"
55 other: "{{count}} mjeseci"
55 other: "{{count}} mjeseci"
56 about_x_years:
56 about_x_years:
57 one: "oko 1 godine"
57 one: "oko 1 godine"
58 other: "oko {{count}} godina"
58 other: "oko {{count}} godina"
59 over_x_years:
59 over_x_years:
60 one: "preko 1 godine"
60 one: "preko 1 godine"
61 other: "preko {{count}} godina"
61 other: "preko {{count}} godina"
62
62
63
63
64 number:
64 number:
65 format:
65 format:
66 precision: 2
66 precision: 2
67 separator: ','
67 separator: ','
68 delimiter: '.'
68 delimiter: '.'
69 currency:
69 currency:
70 format:
70 format:
71 unit: 'KM'
71 unit: 'KM'
72 format: '%u %n'
72 format: '%u %n'
73 separator:
73 separator:
74 delimiter:
74 delimiter:
75 precision:
75 precision:
76 percentage:
76 percentage:
77 format:
77 format:
78 delimiter: ""
78 delimiter: ""
79 precision:
79 precision:
80 format:
80 format:
81 delimiter: ""
81 delimiter: ""
82 human:
82 human:
83 format:
83 format:
84 delimiter: ""
84 delimiter: ""
85 precision: 1
85 precision: 1
86
86
87
87
88
88
89
89
90 # Used in array.to_sentence.
90 # Used in array.to_sentence.
91 support:
91 support:
92 array:
92 array:
93 sentence_connector: "i"
93 sentence_connector: "i"
94 skip_last_comma: false
94 skip_last_comma: false
95
95
96 activerecord:
96 activerecord:
97 errors:
97 errors:
98 messages:
98 messages:
99 inclusion: "nije uključeno u listu"
99 inclusion: "nije uključeno u listu"
100 exclusion: "je rezervisano"
100 exclusion: "je rezervisano"
101 invalid: "nije ispravno"
101 invalid: "nije ispravno"
102 confirmation: "ne odgovara potvrdi"
102 confirmation: "ne odgovara potvrdi"
103 accepted: "mora se prihvatiti"
103 accepted: "mora se prihvatiti"
104 empty: "ne može biti prazno"
104 empty: "ne može biti prazno"
105 blank: "ne može biti znak razmaka"
105 blank: "ne može biti znak razmaka"
106 too_long: "je predugačko"
106 too_long: "je predugačko"
107 too_short: "je prekratko"
107 too_short: "je prekratko"
108 wrong_length: "je pogrešne dužine"
108 wrong_length: "je pogrešne dužine"
109 taken: "već je zauzeto"
109 taken: "već je zauzeto"
110 not_a_number: "nije broj"
110 not_a_number: "nije broj"
111 not_a_date: "nije ispravan datum"
111 not_a_date: "nije ispravan datum"
112 greater_than: "mora bit veći od {{count}}"
112 greater_than: "mora bit veći od {{count}}"
113 greater_than_or_equal_to: "mora bit veći ili jednak {{count}}"
113 greater_than_or_equal_to: "mora bit veći ili jednak {{count}}"
114 equal_to: "mora biti jednak {{count}}"
114 equal_to: "mora biti jednak {{count}}"
115 less_than: "mora biti manji od {{count}}"
115 less_than: "mora biti manji od {{count}}"
116 less_than_or_equal_to: "mora bit manji ili jednak {{count}}"
116 less_than_or_equal_to: "mora bit manji ili jednak {{count}}"
117 odd: "mora biti neparan"
117 odd: "mora biti neparan"
118 even: "mora biti paran"
118 even: "mora biti paran"
119 greater_than_start_date: "mora biti veći nego početni datum"
119 greater_than_start_date: "mora biti veći nego početni datum"
120 not_same_project: "ne pripada istom projektu"
120 not_same_project: "ne pripada istom projektu"
121 circular_dependency: "Ova relacija stvar cirkularnu zavisnost"
121 circular_dependency: "Ova relacija stvar cirkularnu zavisnost"
122
122
123 actionview_instancetag_blank_option: Molimo odaberite
123 actionview_instancetag_blank_option: Molimo odaberite
124
124
125 general_text_No: 'Da'
125 general_text_No: 'Da'
126 general_text_Yes: 'Ne'
126 general_text_Yes: 'Ne'
127 general_text_no: 'ne'
127 general_text_no: 'ne'
128 general_text_yes: 'da'
128 general_text_yes: 'da'
129 general_lang_name: 'Bosanski'
129 general_lang_name: 'Bosanski'
130 general_csv_separator: ','
130 general_csv_separator: ','
131 general_csv_decimal_separator: '.'
131 general_csv_decimal_separator: '.'
132 general_csv_encoding: utf8
132 general_csv_encoding: utf8
133 general_pdf_encoding: utf8
133 general_pdf_encoding: utf8
134 general_first_day_of_week: '7'
134 general_first_day_of_week: '7'
135
135
136 notice_account_activated: Vaš nalog je aktiviran. Možete se prijaviti.
136 notice_account_activated: Vaš nalog je aktiviran. Možete se prijaviti.
137 notice_account_invalid_creditentials: Pogrešan korisnik ili lozinka
137 notice_account_invalid_creditentials: Pogrešan korisnik ili lozinka
138 notice_account_lost_email_sent: Email sa uputstvima o izboru nove šifre je poslat na vašu adresu.
138 notice_account_lost_email_sent: Email sa uputstvima o izboru nove šifre je poslat na vašu adresu.
139 notice_account_password_updated: Lozinka je uspješno promjenjena.
139 notice_account_password_updated: Lozinka je uspješno promjenjena.
140 notice_account_pending: "Vaš nalog je kreiran i čeka odobrenje administratora."
140 notice_account_pending: "Vaš nalog je kreiran i čeka odobrenje administratora."
141 notice_account_register_done: Nalog je uspješno kreiran. Da bi ste aktivirali vaš nalog kliknite na link koji vam je poslat.
141 notice_account_register_done: Nalog je uspješno kreiran. Da bi ste aktivirali vaš nalog kliknite na link koji vam je poslat.
142 notice_account_unknown_email: Nepoznati korisnik.
142 notice_account_unknown_email: Nepoznati korisnik.
143 notice_account_updated: Nalog je uspješno promjenen.
143 notice_account_updated: Nalog je uspješno promjenen.
144 notice_account_wrong_password: Pogrešna lozinka
144 notice_account_wrong_password: Pogrešna lozinka
145 notice_can_t_change_password: Ovaj nalog koristi eksterni izvor prijavljivanja. Ne mogu da promjenim šifru.
145 notice_can_t_change_password: Ovaj nalog koristi eksterni izvor prijavljivanja. Ne mogu da promjenim šifru.
146 notice_default_data_loaded: Podrazumjevana konfiguracija uspječno učitana.
146 notice_default_data_loaded: Podrazumjevana konfiguracija uspječno učitana.
147 notice_email_error: Došlo je do greške pri slanju emaila ({{value}})
147 notice_email_error: Došlo je do greške pri slanju emaila ({{value}})
148 notice_email_sent: "Email je poslan {{value}}"
148 notice_email_sent: "Email je poslan {{value}}"
149 notice_failed_to_save_issues: "Neuspješno snimanje {{count}} aktivnosti na {{total}} izabrano: {{ids}}."
149 notice_failed_to_save_issues: "Neuspješno snimanje {{count}} aktivnosti na {{total}} izabrano: {{ids}}."
150 notice_feeds_access_key_reseted: Vaš RSS pristup je resetovan.
150 notice_feeds_access_key_reseted: Vaš RSS pristup je resetovan.
151 notice_file_not_found: Stranica kojoj pokušavate da pristupite ne postoji ili je uklonjena.
151 notice_file_not_found: Stranica kojoj pokušavate da pristupite ne postoji ili je uklonjena.
152 notice_locking_conflict: "Konflikt: podaci su izmjenjeni od strane drugog korisnika."
152 notice_locking_conflict: "Konflikt: podaci su izmjenjeni od strane drugog korisnika."
153 notice_no_issue_selected: "Nijedna aktivnost nije izabrana! Molim, izaberite aktivnosti koje želite za ispravljate."
153 notice_no_issue_selected: "Nijedna aktivnost nije izabrana! Molim, izaberite aktivnosti koje želite za ispravljate."
154 notice_not_authorized: Niste ovlašćeni da pristupite ovoj stranici.
154 notice_not_authorized: Niste ovlašćeni da pristupite ovoj stranici.
155 notice_successful_connection: Uspješna konekcija.
155 notice_successful_connection: Uspješna konekcija.
156 notice_successful_create: Uspješno kreiranje.
156 notice_successful_create: Uspješno kreiranje.
157 notice_successful_delete: Brisanje izvršeno.
157 notice_successful_delete: Brisanje izvršeno.
158 notice_successful_update: Promjene uspješno izvršene.
158 notice_successful_update: Promjene uspješno izvršene.
159
159
160 error_can_t_load_default_data: "Podrazumjevane postavke se ne mogu učitati {{value}}"
160 error_can_t_load_default_data: "Podrazumjevane postavke se ne mogu učitati {{value}}"
161 error_scm_command_failed: "Desila se greška pri pristupu repozitoriju: {{value}}"
161 error_scm_command_failed: "Desila se greška pri pristupu repozitoriju: {{value}}"
162 error_scm_not_found: "Unos i/ili revizija ne postoji u repozitoriju."
162 error_scm_not_found: "Unos i/ili revizija ne postoji u repozitoriju."
163
163
164 error_scm_annotate: "Ova stavka ne postoji ili nije označena."
164 error_scm_annotate: "Ova stavka ne postoji ili nije označena."
165 error_issue_not_found_in_project: 'Aktivnost nije nađena ili ne pripada ovom projektu'
165 error_issue_not_found_in_project: 'Aktivnost nije nađena ili ne pripada ovom projektu'
166
166
167 warning_attachments_not_saved: "{{count}} fajl(ovi) ne mogu biti snimljen(i)."
167 warning_attachments_not_saved: "{{count}} fajl(ovi) ne mogu biti snimljen(i)."
168
168
169 mail_subject_lost_password: "Vaša {{value}} lozinka"
169 mail_subject_lost_password: "Vaša {{value}} lozinka"
170 mail_body_lost_password: 'Za promjenu lozinke, kliknite na sljedeći link:'
170 mail_body_lost_password: 'Za promjenu lozinke, kliknite na sljedeći link:'
171 mail_subject_register: "Aktivirajte {{value}} vaš korisnički račun"
171 mail_subject_register: "Aktivirajte {{value}} vaš korisnički račun"
172 mail_body_register: 'Za aktivaciju vašeg korisničkog računa, kliknite na sljedeći link:'
172 mail_body_register: 'Za aktivaciju vašeg korisničkog računa, kliknite na sljedeći link:'
173 mail_body_account_information_external: "Možete koristiti vaš {{value}} korisnički račun za prijavu na sistem."
173 mail_body_account_information_external: "Možete koristiti vaš {{value}} korisnički račun za prijavu na sistem."
174 mail_body_account_information: Informacija o vašem korisničkom računu
174 mail_body_account_information: Informacija o vašem korisničkom računu
175 mail_subject_account_activation_request: "{{value}} zahtjev za aktivaciju korisničkog računa"
175 mail_subject_account_activation_request: "{{value}} zahtjev za aktivaciju korisničkog računa"
176 mail_body_account_activation_request: "Novi korisnik ({{value}}) se registrovao. Korisnički račun čeka vaše odobrenje za aktivaciju:"
176 mail_body_account_activation_request: "Novi korisnik ({{value}}) se registrovao. Korisnički račun čeka vaše odobrenje za aktivaciju:"
177 mail_subject_reminder: "{{count}} aktivnost(i) u kašnjenju u narednim danima"
177 mail_subject_reminder: "{{count}} aktivnost(i) u kašnjenju u narednim danima"
178 mail_body_reminder: "{{count}} aktivnost(i) koje su dodjeljenje vama u narednim {{days}} danima:"
178 mail_body_reminder: "{{count}} aktivnost(i) koje su dodjeljenje vama u narednim {{days}} danima:"
179
179
180 gui_validation_error: 1 greška
180 gui_validation_error: 1 greška
181 gui_validation_error_plural: "{{count}} grešaka"
181 gui_validation_error_plural: "{{count}} grešaka"
182
182
183 field_name: Ime
183 field_name: Ime
184 field_description: Opis
184 field_description: Opis
185 field_summary: Pojašnjenje
185 field_summary: Pojašnjenje
186 field_is_required: Neophodno popuniti
186 field_is_required: Neophodno popuniti
187 field_firstname: Ime
187 field_firstname: Ime
188 field_lastname: Prezime
188 field_lastname: Prezime
189 field_mail: Email
189 field_mail: Email
190 field_filename: Fajl
190 field_filename: Fajl
191 field_filesize: Veličina
191 field_filesize: Veličina
192 field_downloads: Downloadi
192 field_downloads: Downloadi
193 field_author: Autor
193 field_author: Autor
194 field_created_on: Kreirano
194 field_created_on: Kreirano
195 field_updated_on: Izmjenjeno
195 field_updated_on: Izmjenjeno
196 field_field_format: Format
196 field_field_format: Format
197 field_is_for_all: Za sve projekte
197 field_is_for_all: Za sve projekte
198 field_possible_values: Moguće vrijednosti
198 field_possible_values: Moguće vrijednosti
199 field_regexp: '"Regularni izraz"'
199 field_regexp: '"Regularni izraz"'
200 field_min_length: Minimalna veličina
200 field_min_length: Minimalna veličina
201 field_max_length: Maksimalna veličina
201 field_max_length: Maksimalna veličina
202 field_value: Vrijednost
202 field_value: Vrijednost
203 field_category: Kategorija
203 field_category: Kategorija
204 field_title: Naslov
204 field_title: Naslov
205 field_project: Projekat
205 field_project: Projekat
206 field_issue: Aktivnost
206 field_issue: Aktivnost
207 field_status: Status
207 field_status: Status
208 field_notes: Bilješke
208 field_notes: Bilješke
209 field_is_closed: Aktivnost zatvorena
209 field_is_closed: Aktivnost zatvorena
210 field_is_default: Podrazumjevana vrijednost
210 field_is_default: Podrazumjevana vrijednost
211 field_tracker: Područje aktivnosti
211 field_tracker: Područje aktivnosti
212 field_subject: Subjekat
212 field_subject: Subjekat
213 field_due_date: Završiti do
213 field_due_date: Završiti do
214 field_assigned_to: Dodijeljeno
214 field_assigned_to: Dodijeljeno
215 field_priority: Prioritet
215 field_priority: Prioritet
216 field_fixed_version: Ciljna verzija
216 field_fixed_version: Ciljna verzija
217 field_user: Korisnik
217 field_user: Korisnik
218 field_role: Uloga
218 field_role: Uloga
219 field_homepage: Naslovna strana
219 field_homepage: Naslovna strana
220 field_is_public: Javni
220 field_is_public: Javni
221 field_parent: Podprojekt od
221 field_parent: Podprojekt od
222 field_is_in_chlog: Aktivnosti prikazane u logu promjena
222 field_is_in_chlog: Aktivnosti prikazane u logu promjena
223 field_is_in_roadmap: Aktivnosti prikazane u planu realizacije
223 field_is_in_roadmap: Aktivnosti prikazane u planu realizacije
224 field_login: Prijava
224 field_login: Prijava
225 field_mail_notification: Email notifikacije
225 field_mail_notification: Email notifikacije
226 field_admin: Administrator
226 field_admin: Administrator
227 field_last_login_on: Posljednja konekcija
227 field_last_login_on: Posljednja konekcija
228 field_language: Jezik
228 field_language: Jezik
229 field_effective_date: Datum
229 field_effective_date: Datum
230 field_password: Lozinka
230 field_password: Lozinka
231 field_new_password: Nova lozinka
231 field_new_password: Nova lozinka
232 field_password_confirmation: Potvrda
232 field_password_confirmation: Potvrda
233 field_version: Verzija
233 field_version: Verzija
234 field_type: Tip
234 field_type: Tip
235 field_host: Host
235 field_host: Host
236 field_port: Port
236 field_port: Port
237 field_account: Korisnički račun
237 field_account: Korisnički račun
238 field_base_dn: Base DN
238 field_base_dn: Base DN
239 field_attr_login: Attribut za prijavu
239 field_attr_login: Attribut za prijavu
240 field_attr_firstname: Attribut za ime
240 field_attr_firstname: Attribut za ime
241 field_attr_lastname: Atribut za prezime
241 field_attr_lastname: Atribut za prezime
242 field_attr_mail: Atribut za email
242 field_attr_mail: Atribut za email
243 field_onthefly: 'Kreiranje korisnika "On-the-fly"'
243 field_onthefly: 'Kreiranje korisnika "On-the-fly"'
244 field_start_date: Početak
244 field_start_date: Početak
245 field_done_ratio: % Realizovano
245 field_done_ratio: % Realizovano
246 field_auth_source: Mod za authentifikaciju
246 field_auth_source: Mod za authentifikaciju
247 field_hide_mail: Sakrij moju email adresu
247 field_hide_mail: Sakrij moju email adresu
248 field_comments: Komentar
248 field_comments: Komentar
249 field_url: URL
249 field_url: URL
250 field_start_page: Početna stranica
250 field_start_page: Početna stranica
251 field_subproject: Podprojekat
251 field_subproject: Podprojekat
252 field_hours: Sahata
252 field_hours: Sahata
253 field_activity: Operacija
253 field_activity: Operacija
254 field_spent_on: Datum
254 field_spent_on: Datum
255 field_identifier: Identifikator
255 field_identifier: Identifikator
256 field_is_filter: Korišteno kao filter
256 field_is_filter: Korišteno kao filter
257 field_issue_to_id: Povezana aktivnost
257 field_issue_to_id: Povezana aktivnost
258 field_delay: Odgađanje
258 field_delay: Odgađanje
259 field_assignable: Aktivnosti dodijeljene ovoj ulozi
259 field_assignable: Aktivnosti dodijeljene ovoj ulozi
260 field_redirect_existing_links: Izvrši redirekciju postojećih linkova
260 field_redirect_existing_links: Izvrši redirekciju postojećih linkova
261 field_estimated_hours: Procjena vremena
261 field_estimated_hours: Procjena vremena
262 field_column_names: Kolone
262 field_column_names: Kolone
263 field_time_zone: Vremenska zona
263 field_time_zone: Vremenska zona
264 field_searchable: Pretraživo
264 field_searchable: Pretraživo
265 field_default_value: Podrazumjevana vrijednost
265 field_default_value: Podrazumjevana vrijednost
266 field_comments_sorting: Prikaži komentare
266 field_comments_sorting: Prikaži komentare
267 field_parent_title: 'Stranica "roditelj"'
267 field_parent_title: 'Stranica "roditelj"'
268 field_editable: Može se mijenjati
268 field_editable: Može se mijenjati
269 field_watcher: Posmatrač
269 field_watcher: Posmatrač
270 field_identity_url: OpenID URL
270 field_identity_url: OpenID URL
271 field_content: Sadržaj
271 field_content: Sadržaj
272
272
273 setting_app_title: Naslov aplikacije
273 setting_app_title: Naslov aplikacije
274 setting_app_subtitle: Podnaslov aplikacije
274 setting_app_subtitle: Podnaslov aplikacije
275 setting_welcome_text: Tekst dobrodošlice
275 setting_welcome_text: Tekst dobrodošlice
276 setting_default_language: Podrazumjevani jezik
276 setting_default_language: Podrazumjevani jezik
277 setting_login_required: Authentifikacija neophodna
277 setting_login_required: Authentifikacija neophodna
278 setting_self_registration: Samo-registracija
278 setting_self_registration: Samo-registracija
279 setting_attachment_max_size: Maksimalna veličina prikačenog fajla
279 setting_attachment_max_size: Maksimalna veličina prikačenog fajla
280 setting_issues_export_limit: Limit za eksport aktivnosti
280 setting_issues_export_limit: Limit za eksport aktivnosti
281 setting_mail_from: Mail adresa - pošaljilac
281 setting_mail_from: Mail adresa - pošaljilac
282 setting_bcc_recipients: '"BCC" (blind carbon copy) primaoci '
282 setting_bcc_recipients: '"BCC" (blind carbon copy) primaoci '
283 setting_plain_text_mail: Email sa običnim tekstom (bez HTML-a)
283 setting_plain_text_mail: Email sa običnim tekstom (bez HTML-a)
284 setting_host_name: Ime hosta i putanja
284 setting_host_name: Ime hosta i putanja
285 setting_text_formatting: Formatiranje teksta
285 setting_text_formatting: Formatiranje teksta
286 setting_wiki_compression: Kompresija Wiki istorije
286 setting_wiki_compression: Kompresija Wiki istorije
287
287
288 setting_feeds_limit: 'Limit za "RSS" feed-ove'
288 setting_feeds_limit: 'Limit za "RSS" feed-ove'
289 setting_default_projects_public: Podrazumjeva se da je novi projekat javni
289 setting_default_projects_public: Podrazumjeva se da je novi projekat javni
290 setting_autofetch_changesets: 'Automatski kupi "commit"-e'
290 setting_autofetch_changesets: 'Automatski kupi "commit"-e'
291 setting_sys_api_enabled: 'Omogući "WS" za upravljanje repozitorijom'
291 setting_sys_api_enabled: 'Omogući "WS" za upravljanje repozitorijom'
292 setting_commit_ref_keywords: Ključne riječi za reference
292 setting_commit_ref_keywords: Ključne riječi za reference
293 setting_commit_fix_keywords: 'Ključne riječi za status "zatvoreno"'
293 setting_commit_fix_keywords: 'Ključne riječi za status "zatvoreno"'
294 setting_autologin: Automatski login
294 setting_autologin: Automatski login
295 setting_date_format: Format datuma
295 setting_date_format: Format datuma
296 setting_time_format: Format vremena
296 setting_time_format: Format vremena
297 setting_cross_project_issue_relations: Omogući relacije između aktivnosti na različitim projektima
297 setting_cross_project_issue_relations: Omogući relacije između aktivnosti na različitim projektima
298 setting_issue_list_default_columns: Podrazumjevane koleone za prikaz na listi aktivnosti
298 setting_issue_list_default_columns: Podrazumjevane koleone za prikaz na listi aktivnosti
299 setting_repositories_encodings: Enkodiranje repozitorija
299 setting_repositories_encodings: Enkodiranje repozitorija
300 setting_commit_logs_encoding: 'Enkodiranje "commit" poruka'
300 setting_commit_logs_encoding: 'Enkodiranje "commit" poruka'
301 setting_emails_footer: Potpis na email-ovima
301 setting_emails_footer: Potpis na email-ovima
302 setting_protocol: Protokol
302 setting_protocol: Protokol
303 setting_per_page_options: Broj objekata po stranici
303 setting_per_page_options: Broj objekata po stranici
304 setting_user_format: Format korisničkog prikaza
304 setting_user_format: Format korisničkog prikaza
305 setting_activity_days_default: Prikaz promjena na projektu - opseg dana
305 setting_activity_days_default: Prikaz promjena na projektu - opseg dana
306 setting_display_subprojects_issues: Prikaz podprojekata na glavnom projektima (podrazumjeva se)
306 setting_display_subprojects_issues: Prikaz podprojekata na glavnom projektima (podrazumjeva se)
307 setting_enabled_scm: Omogući SCM (source code management)
307 setting_enabled_scm: Omogući SCM (source code management)
308 setting_mail_handler_api_enabled: Omogući automatsku obradu ulaznih emailova
308 setting_mail_handler_api_enabled: Omogući automatsku obradu ulaznih emailova
309 setting_mail_handler_api_key: API ključ (obrada ulaznih mailova)
309 setting_mail_handler_api_key: API ključ (obrada ulaznih mailova)
310 setting_sequential_project_identifiers: Generiši identifikatore projekta sekvencijalno
310 setting_sequential_project_identifiers: Generiši identifikatore projekta sekvencijalno
311 setting_gravatar_enabled: 'Koristi "gravatar" korisničke ikone'
311 setting_gravatar_enabled: 'Koristi "gravatar" korisničke ikone'
312 setting_diff_max_lines_displayed: Maksimalan broj linija za prikaz razlika između dva fajla
312 setting_diff_max_lines_displayed: Maksimalan broj linija za prikaz razlika između dva fajla
313 setting_file_max_size_displayed: Maksimalna veličina fajla kod prikaza razlika unutar fajla (inline)
313 setting_file_max_size_displayed: Maksimalna veličina fajla kod prikaza razlika unutar fajla (inline)
314 setting_repository_log_display_limit: Maksimalna veličina revizija prikazanih na log fajlu
314 setting_repository_log_display_limit: Maksimalna veličina revizija prikazanih na log fajlu
315 setting_openid: Omogući OpenID prijavu i registraciju
315 setting_openid: Omogući OpenID prijavu i registraciju
316
316
317 permission_edit_project: Ispravke projekta
317 permission_edit_project: Ispravke projekta
318 permission_select_project_modules: Odaberi module projekta
318 permission_select_project_modules: Odaberi module projekta
319 permission_manage_members: Upravljanje članovima
319 permission_manage_members: Upravljanje članovima
320 permission_manage_versions: Upravljanje verzijama
320 permission_manage_versions: Upravljanje verzijama
321 permission_manage_categories: Upravljanje kategorijama aktivnosti
321 permission_manage_categories: Upravljanje kategorijama aktivnosti
322 permission_add_issues: Dodaj aktivnosti
322 permission_add_issues: Dodaj aktivnosti
323 permission_edit_issues: Ispravka aktivnosti
323 permission_edit_issues: Ispravka aktivnosti
324 permission_manage_issue_relations: Upravljaj relacijama među aktivnostima
324 permission_manage_issue_relations: Upravljaj relacijama među aktivnostima
325 permission_add_issue_notes: Dodaj bilješke
325 permission_add_issue_notes: Dodaj bilješke
326 permission_edit_issue_notes: Ispravi bilješke
326 permission_edit_issue_notes: Ispravi bilješke
327 permission_edit_own_issue_notes: Ispravi sopstvene bilješke
327 permission_edit_own_issue_notes: Ispravi sopstvene bilješke
328 permission_move_issues: Pomjeri aktivnosti
328 permission_move_issues: Pomjeri aktivnosti
329 permission_delete_issues: Izbriši aktivnosti
329 permission_delete_issues: Izbriši aktivnosti
330 permission_manage_public_queries: Upravljaj javnim upitima
330 permission_manage_public_queries: Upravljaj javnim upitima
331 permission_save_queries: Snimi upite
331 permission_save_queries: Snimi upite
332 permission_view_gantt: Pregled gantograma
332 permission_view_gantt: Pregled gantograma
333 permission_view_calendar: Pregled kalendara
333 permission_view_calendar: Pregled kalendara
334 permission_view_issue_watchers: Pregled liste korisnika koji prate aktivnost
334 permission_view_issue_watchers: Pregled liste korisnika koji prate aktivnost
335 permission_add_issue_watchers: Dodaj onoga koji prati aktivnost
335 permission_add_issue_watchers: Dodaj onoga koji prati aktivnost
336 permission_log_time: Evidentiraj utrošak vremena
336 permission_log_time: Evidentiraj utrošak vremena
337 permission_view_time_entries: Pregled utroška vremena
337 permission_view_time_entries: Pregled utroška vremena
338 permission_edit_time_entries: Ispravka utroška vremena
338 permission_edit_time_entries: Ispravka utroška vremena
339 permission_edit_own_time_entries: Ispravka svog utroška vremena
339 permission_edit_own_time_entries: Ispravka svog utroška vremena
340 permission_manage_news: Upravljaj novostima
340 permission_manage_news: Upravljaj novostima
341 permission_comment_news: Komentiraj novosti
341 permission_comment_news: Komentiraj novosti
342 permission_manage_documents: Upravljaj dokumentima
342 permission_manage_documents: Upravljaj dokumentima
343 permission_view_documents: Pregled dokumenata
343 permission_view_documents: Pregled dokumenata
344 permission_manage_files: Upravljaj fajlovima
344 permission_manage_files: Upravljaj fajlovima
345 permission_view_files: Pregled fajlova
345 permission_view_files: Pregled fajlova
346 permission_manage_wiki: Upravljaj wiki stranicama
346 permission_manage_wiki: Upravljaj wiki stranicama
347 permission_rename_wiki_pages: Ispravi wiki stranicu
347 permission_rename_wiki_pages: Ispravi wiki stranicu
348 permission_delete_wiki_pages: Izbriši wiki stranicu
348 permission_delete_wiki_pages: Izbriši wiki stranicu
349 permission_view_wiki_pages: Pregled wiki sadržaja
349 permission_view_wiki_pages: Pregled wiki sadržaja
350 permission_view_wiki_edits: Pregled wiki istorije
350 permission_view_wiki_edits: Pregled wiki istorije
351 permission_edit_wiki_pages: Ispravka wiki stranica
351 permission_edit_wiki_pages: Ispravka wiki stranica
352 permission_delete_wiki_pages_attachments: Brisanje fajlova prikačenih wiki-ju
352 permission_delete_wiki_pages_attachments: Brisanje fajlova prikačenih wiki-ju
353 permission_protect_wiki_pages: Zaštiti wiki stranicu
353 permission_protect_wiki_pages: Zaštiti wiki stranicu
354 permission_manage_repository: Upravljaj repozitorijem
354 permission_manage_repository: Upravljaj repozitorijem
355 permission_browse_repository: Pregled repozitorija
355 permission_browse_repository: Pregled repozitorija
356 permission_view_changesets: Pregled setova promjena
356 permission_view_changesets: Pregled setova promjena
357 permission_commit_access: 'Pristup "commit"-u'
357 permission_commit_access: 'Pristup "commit"-u'
358 permission_manage_boards: Upravljaj forumima
358 permission_manage_boards: Upravljaj forumima
359 permission_view_messages: Pregled poruka
359 permission_view_messages: Pregled poruka
360 permission_add_messages: Šalji poruke
360 permission_add_messages: Šalji poruke
361 permission_edit_messages: Ispravi poruke
361 permission_edit_messages: Ispravi poruke
362 permission_edit_own_messages: Ispravka sopstvenih poruka
362 permission_edit_own_messages: Ispravka sopstvenih poruka
363 permission_delete_messages: Prisanje poruka
363 permission_delete_messages: Prisanje poruka
364 permission_delete_own_messages: Brisanje sopstvenih poruka
364 permission_delete_own_messages: Brisanje sopstvenih poruka
365
365
366 project_module_issue_tracking: Praćenje aktivnosti
366 project_module_issue_tracking: Praćenje aktivnosti
367 project_module_time_tracking: Praćenje vremena
367 project_module_time_tracking: Praćenje vremena
368 project_module_news: Novosti
368 project_module_news: Novosti
369 project_module_documents: Dokumenti
369 project_module_documents: Dokumenti
370 project_module_files: Fajlovi
370 project_module_files: Fajlovi
371 project_module_wiki: Wiki stranice
371 project_module_wiki: Wiki stranice
372 project_module_repository: Repozitorij
372 project_module_repository: Repozitorij
373 project_module_boards: Forumi
373 project_module_boards: Forumi
374
374
375 label_user: Korisnik
375 label_user: Korisnik
376 label_user_plural: Korisnici
376 label_user_plural: Korisnici
377 label_user_new: Novi korisnik
377 label_user_new: Novi korisnik
378 label_project: Projekat
378 label_project: Projekat
379 label_project_new: Novi projekat
379 label_project_new: Novi projekat
380 label_project_plural: Projekti
380 label_project_plural: Projekti
381 label_x_projects:
381 label_x_projects:
382 zero: 0 projekata
382 zero: 0 projekata
383 one: 1 projekat
383 one: 1 projekat
384 other: "{{count}} projekata"
384 other: "{{count}} projekata"
385 label_project_all: Svi projekti
385 label_project_all: Svi projekti
386 label_project_latest: Posljednji projekti
386 label_project_latest: Posljednji projekti
387 label_issue: Aktivnost
387 label_issue: Aktivnost
388 label_issue_new: Nova aktivnost
388 label_issue_new: Nova aktivnost
389 label_issue_plural: Aktivnosti
389 label_issue_plural: Aktivnosti
390 label_issue_view_all: Vidi sve aktivnosti
390 label_issue_view_all: Vidi sve aktivnosti
391 label_issues_by: "Aktivnosti po {{value}}"
391 label_issues_by: "Aktivnosti po {{value}}"
392 label_issue_added: Aktivnost je dodana
392 label_issue_added: Aktivnost je dodana
393 label_issue_updated: Aktivnost je izmjenjena
393 label_issue_updated: Aktivnost je izmjenjena
394 label_document: Dokument
394 label_document: Dokument
395 label_document_new: Novi dokument
395 label_document_new: Novi dokument
396 label_document_plural: Dokumenti
396 label_document_plural: Dokumenti
397 label_document_added: Dokument je dodan
397 label_document_added: Dokument je dodan
398 label_role: Uloga
398 label_role: Uloga
399 label_role_plural: Uloge
399 label_role_plural: Uloge
400 label_role_new: Nove uloge
400 label_role_new: Nove uloge
401 label_role_and_permissions: Uloge i dozvole
401 label_role_and_permissions: Uloge i dozvole
402 label_member: Izvršilac
402 label_member: Izvršilac
403 label_member_new: Novi izvršilac
403 label_member_new: Novi izvršilac
404 label_member_plural: Izvršioci
404 label_member_plural: Izvršioci
405 label_tracker: Područje aktivnosti
405 label_tracker: Područje aktivnosti
406 label_tracker_plural: Područja aktivnosti
406 label_tracker_plural: Područja aktivnosti
407 label_tracker_new: Novo područje aktivnosti
407 label_tracker_new: Novo područje aktivnosti
408 label_workflow: Tok promjena na aktivnosti
408 label_workflow: Tok promjena na aktivnosti
409 label_issue_status: Status aktivnosti
409 label_issue_status: Status aktivnosti
410 label_issue_status_plural: Statusi aktivnosti
410 label_issue_status_plural: Statusi aktivnosti
411 label_issue_status_new: Novi status
411 label_issue_status_new: Novi status
412 label_issue_category: Kategorija aktivnosti
412 label_issue_category: Kategorija aktivnosti
413 label_issue_category_plural: Kategorije aktivnosti
413 label_issue_category_plural: Kategorije aktivnosti
414 label_issue_category_new: Nova kategorija
414 label_issue_category_new: Nova kategorija
415 label_custom_field: Proizvoljno polje
415 label_custom_field: Proizvoljno polje
416 label_custom_field_plural: Proizvoljna polja
416 label_custom_field_plural: Proizvoljna polja
417 label_custom_field_new: Novo proizvoljno polje
417 label_custom_field_new: Novo proizvoljno polje
418 label_enumerations: Enumeracije
418 label_enumerations: Enumeracije
419 label_enumeration_new: Nova vrijednost
419 label_enumeration_new: Nova vrijednost
420 label_information: Informacija
420 label_information: Informacija
421 label_information_plural: Informacije
421 label_information_plural: Informacije
422 label_please_login: Molimo prijavite se
422 label_please_login: Molimo prijavite se
423 label_register: Registracija
423 label_register: Registracija
424 label_login_with_open_id_option: ili prijava sa OpenID-om
424 label_login_with_open_id_option: ili prijava sa OpenID-om
425 label_password_lost: Izgubljena lozinka
425 label_password_lost: Izgubljena lozinka
426 label_home: Početna stranica
426 label_home: Početna stranica
427 label_my_page: Moja stranica
427 label_my_page: Moja stranica
428 label_my_account: Moj korisnički račun
428 label_my_account: Moj korisnički račun
429 label_my_projects: Moji projekti
429 label_my_projects: Moji projekti
430 label_administration: Administracija
430 label_administration: Administracija
431 label_login: Prijavi se
431 label_login: Prijavi se
432 label_logout: Odjavi se
432 label_logout: Odjavi se
433 label_help: Pomoć
433 label_help: Pomoć
434 label_reported_issues: Prijavljene aktivnosti
434 label_reported_issues: Prijavljene aktivnosti
435 label_assigned_to_me_issues: Aktivnosti dodjeljene meni
435 label_assigned_to_me_issues: Aktivnosti dodjeljene meni
436 label_last_login: Posljednja konekcija
436 label_last_login: Posljednja konekcija
437 label_registered_on: Registrovan na
437 label_registered_on: Registrovan na
438 label_activity_plural: Promjene
438 label_activity_plural: Promjene
439 label_activity: Operacija
439 label_activity: Operacija
440 label_overall_activity: Pregled svih promjena
440 label_overall_activity: Pregled svih promjena
441 label_user_activity: "Promjene izvršene od: {{value}}"
441 label_user_activity: "Promjene izvršene od: {{value}}"
442 label_new: Novi
442 label_new: Novi
443 label_logged_as: Prijavljen kao
443 label_logged_as: Prijavljen kao
444 label_environment: Sistemsko okruženje
444 label_environment: Sistemsko okruženje
445 label_authentication: Authentifikacija
445 label_authentication: Authentifikacija
446 label_auth_source: Mod authentifikacije
446 label_auth_source: Mod authentifikacije
447 label_auth_source_new: Novi mod authentifikacije
447 label_auth_source_new: Novi mod authentifikacije
448 label_auth_source_plural: Modovi authentifikacije
448 label_auth_source_plural: Modovi authentifikacije
449 label_subproject_plural: Podprojekti
449 label_subproject_plural: Podprojekti
450 label_and_its_subprojects: "{{value}} i njegovi podprojekti"
450 label_and_its_subprojects: "{{value}} i njegovi podprojekti"
451 label_min_max_length: Min - Maks dužina
451 label_min_max_length: Min - Maks dužina
452 label_list: Lista
452 label_list: Lista
453 label_date: Datum
453 label_date: Datum
454 label_integer: Cijeli broj
454 label_integer: Cijeli broj
455 label_float: Float
455 label_float: Float
456 label_boolean: Logička varijabla
456 label_boolean: Logička varijabla
457 label_string: Tekst
457 label_string: Tekst
458 label_text: Dugi tekst
458 label_text: Dugi tekst
459 label_attribute: Atribut
459 label_attribute: Atribut
460 label_attribute_plural: Atributi
460 label_attribute_plural: Atributi
461 label_download: "{{count}} download"
461 label_download: "{{count}} download"
462 label_download_plural: "{{count}} download-i"
462 label_download_plural: "{{count}} download-i"
463 label_no_data: Nema podataka za prikaz
463 label_no_data: Nema podataka za prikaz
464 label_change_status: Promjeni status
464 label_change_status: Promjeni status
465 label_history: Istorija
465 label_history: Istorija
466 label_attachment: Fajl
466 label_attachment: Fajl
467 label_attachment_new: Novi fajl
467 label_attachment_new: Novi fajl
468 label_attachment_delete: Izbriši fajl
468 label_attachment_delete: Izbriši fajl
469 label_attachment_plural: Fajlovi
469 label_attachment_plural: Fajlovi
470 label_file_added: Fajl je dodan
470 label_file_added: Fajl je dodan
471 label_report: Izvještaj
471 label_report: Izvještaj
472 label_report_plural: Izvještaji
472 label_report_plural: Izvještaji
473 label_news: Novosti
473 label_news: Novosti
474 label_news_new: Dodaj novosti
474 label_news_new: Dodaj novosti
475 label_news_plural: Novosti
475 label_news_plural: Novosti
476 label_news_latest: Posljednje novosti
476 label_news_latest: Posljednje novosti
477 label_news_view_all: Pogledaj sve novosti
477 label_news_view_all: Pogledaj sve novosti
478 label_news_added: Novosti su dodane
478 label_news_added: Novosti su dodane
479 label_change_log: Log promjena
479 label_change_log: Log promjena
480 label_settings: Postavke
480 label_settings: Postavke
481 label_overview: Pregled
481 label_overview: Pregled
482 label_version: Verzija
482 label_version: Verzija
483 label_version_new: Nova verzija
483 label_version_new: Nova verzija
484 label_version_plural: Verzije
484 label_version_plural: Verzije
485 label_confirmation: Potvrda
485 label_confirmation: Potvrda
486 label_export_to: 'Takođe dostupno u:'
486 label_export_to: 'Takođe dostupno u:'
487 label_read: Čitaj...
487 label_read: Čitaj...
488 label_public_projects: Javni projekti
488 label_public_projects: Javni projekti
489 label_open_issues: otvoren
489 label_open_issues: otvoren
490 label_open_issues_plural: otvoreni
490 label_open_issues_plural: otvoreni
491 label_closed_issues: zatvoren
491 label_closed_issues: zatvoren
492 label_closed_issues_plural: zatvoreni
492 label_closed_issues_plural: zatvoreni
493 label_x_open_issues_abbr_on_total:
493 label_x_open_issues_abbr_on_total:
494 zero: 0 otvoreno / {{total}}
494 zero: 0 otvoreno / {{total}}
495 one: 1 otvorena / {{total}}
495 one: 1 otvorena / {{total}}
496 other: "{{count}} otvorene / {{total}}"
496 other: "{{count}} otvorene / {{total}}"
497 label_x_open_issues_abbr:
497 label_x_open_issues_abbr:
498 zero: 0 otvoreno
498 zero: 0 otvoreno
499 one: 1 otvorena
499 one: 1 otvorena
500 other: "{{count}} otvorene"
500 other: "{{count}} otvorene"
501 label_x_closed_issues_abbr:
501 label_x_closed_issues_abbr:
502 zero: 0 zatvoreno
502 zero: 0 zatvoreno
503 one: 1 zatvorena
503 one: 1 zatvorena
504 other: "{{count}} zatvorene"
504 other: "{{count}} zatvorene"
505 label_total: Ukupno
505 label_total: Ukupno
506 label_permissions: Dozvole
506 label_permissions: Dozvole
507 label_current_status: Tekući status
507 label_current_status: Tekući status
508 label_new_statuses_allowed: Novi statusi dozvoljeni
508 label_new_statuses_allowed: Novi statusi dozvoljeni
509 label_all: sve
509 label_all: sve
510 label_none: ništa
510 label_none: ništa
511 label_nobody: niko
511 label_nobody: niko
512 label_next: Sljedeće
512 label_next: Sljedeće
513 label_previous: Predhodno
513 label_previous: Predhodno
514 label_used_by: Korišteno od
514 label_used_by: Korišteno od
515 label_details: Detalji
515 label_details: Detalji
516 label_add_note: Dodaj bilješku
516 label_add_note: Dodaj bilješku
517 label_per_page: Po stranici
517 label_per_page: Po stranici
518 label_calendar: Kalendar
518 label_calendar: Kalendar
519 label_months_from: mjeseci od
519 label_months_from: mjeseci od
520 label_gantt: Gantt
520 label_gantt: Gantt
521 label_internal: Interno
521 label_internal: Interno
522 label_last_changes: "posljednjih {{count}} promjena"
522 label_last_changes: "posljednjih {{count}} promjena"
523 label_change_view_all: Vidi sve promjene
523 label_change_view_all: Vidi sve promjene
524 label_personalize_page: Personaliziraj ovu stranicu
524 label_personalize_page: Personaliziraj ovu stranicu
525 label_comment: Komentar
525 label_comment: Komentar
526 label_comment_plural: Komentari
526 label_comment_plural: Komentari
527 label_x_comments:
527 label_x_comments:
528 zero: bez komentara
528 zero: bez komentara
529 one: 1 komentar
529 one: 1 komentar
530 other: "{{count}} komentari"
530 other: "{{count}} komentari"
531 label_comment_add: Dodaj komentar
531 label_comment_add: Dodaj komentar
532 label_comment_added: Komentar je dodan
532 label_comment_added: Komentar je dodan
533 label_comment_delete: Izbriši komentar
533 label_comment_delete: Izbriši komentar
534 label_query: Proizvoljan upit
534 label_query: Proizvoljan upit
535 label_query_plural: Proizvoljni upiti
535 label_query_plural: Proizvoljni upiti
536 label_query_new: Novi upit
536 label_query_new: Novi upit
537 label_filter_add: Dodaj filter
537 label_filter_add: Dodaj filter
538 label_filter_plural: Filteri
538 label_filter_plural: Filteri
539 label_equals: je
539 label_equals: je
540 label_not_equals: nije
540 label_not_equals: nije
541 label_in_less_than: je manji nego
541 label_in_less_than: je manji nego
542 label_in_more_than: je više nego
542 label_in_more_than: je više nego
543 label_in: u
543 label_in: u
544 label_today: danas
544 label_today: danas
545 label_all_time: sve vrijeme
545 label_all_time: sve vrijeme
546 label_yesterday: juče
546 label_yesterday: juče
547 label_this_week: ova hefta
547 label_this_week: ova hefta
548 label_last_week: zadnja hefta
548 label_last_week: zadnja hefta
549 label_last_n_days: "posljednjih {{count}} dana"
549 label_last_n_days: "posljednjih {{count}} dana"
550 label_this_month: ovaj mjesec
550 label_this_month: ovaj mjesec
551 label_last_month: posljednji mjesec
551 label_last_month: posljednji mjesec
552 label_this_year: ova godina
552 label_this_year: ova godina
553 label_date_range: Datumski opseg
553 label_date_range: Datumski opseg
554 label_less_than_ago: ranije nego (dana)
554 label_less_than_ago: ranije nego (dana)
555 label_more_than_ago: starije nego (dana)
555 label_more_than_ago: starije nego (dana)
556 label_ago: prije (dana)
556 label_ago: prije (dana)
557 label_contains: sadrži
557 label_contains: sadrži
558 label_not_contains: ne sadrži
558 label_not_contains: ne sadrži
559 label_day_plural: dani
559 label_day_plural: dani
560 label_repository: Repozitorij
560 label_repository: Repozitorij
561 label_repository_plural: Repozitoriji
561 label_repository_plural: Repozitoriji
562 label_browse: Listaj
562 label_browse: Listaj
563 label_modification: "{{count}} promjena"
563 label_modification: "{{count}} promjena"
564 label_modification_plural: "{{count}} promjene"
564 label_modification_plural: "{{count}} promjene"
565 label_revision: Revizija
565 label_revision: Revizija
566 label_revision_plural: Revizije
566 label_revision_plural: Revizije
567 label_associated_revisions: Doddjeljene revizije
567 label_associated_revisions: Doddjeljene revizije
568 label_added: dodano
568 label_added: dodano
569 label_modified: izmjenjeno
569 label_modified: izmjenjeno
570 label_copied: kopirano
570 label_copied: kopirano
571 label_renamed: preimenovano
571 label_renamed: preimenovano
572 label_deleted: izbrisano
572 label_deleted: izbrisano
573 label_latest_revision: Posljednja revizija
573 label_latest_revision: Posljednja revizija
574 label_latest_revision_plural: Posljednje revizije
574 label_latest_revision_plural: Posljednje revizije
575 label_view_revisions: Vidi revizije
575 label_view_revisions: Vidi revizije
576 label_max_size: Maksimalna veličina
576 label_max_size: Maksimalna veličina
577 label_sort_highest: Pomjeri na vrh
577 label_sort_highest: Pomjeri na vrh
578 label_sort_higher: Pomjeri gore
578 label_sort_higher: Pomjeri gore
579 label_sort_lower: Pomjeri dole
579 label_sort_lower: Pomjeri dole
580 label_sort_lowest: Pomjeri na dno
580 label_sort_lowest: Pomjeri na dno
581 label_roadmap: Plan realizacije
581 label_roadmap: Plan realizacije
582 label_roadmap_due_in: "Obavezan do {{value}}"
582 label_roadmap_due_in: "Obavezan do {{value}}"
583 label_roadmap_overdue: "{{value}} kasni"
583 label_roadmap_overdue: "{{value}} kasni"
584 label_roadmap_no_issues: Nema aktivnosti za ovu verziju
584 label_roadmap_no_issues: Nema aktivnosti za ovu verziju
585 label_search: Traži
585 label_search: Traži
586 label_result_plural: Rezultati
586 label_result_plural: Rezultati
587 label_all_words: Sve riječi
587 label_all_words: Sve riječi
588 label_wiki: Wiki stranice
588 label_wiki: Wiki stranice
589 label_wiki_edit: ispravka wiki-ja
589 label_wiki_edit: ispravka wiki-ja
590 label_wiki_edit_plural: ispravke wiki-ja
590 label_wiki_edit_plural: ispravke wiki-ja
591 label_wiki_page: Wiki stranica
591 label_wiki_page: Wiki stranica
592 label_wiki_page_plural: Wiki stranice
592 label_wiki_page_plural: Wiki stranice
593 label_index_by_title: Indeks prema naslovima
593 label_index_by_title: Indeks prema naslovima
594 label_index_by_date: Indeks po datumima
594 label_index_by_date: Indeks po datumima
595 label_current_version: Tekuća verzija
595 label_current_version: Tekuća verzija
596 label_preview: Pregled
596 label_preview: Pregled
597 label_feed_plural: Feeds
597 label_feed_plural: Feeds
598 label_changes_details: Detalji svih promjena
598 label_changes_details: Detalji svih promjena
599 label_issue_tracking: Evidencija aktivnosti
599 label_issue_tracking: Evidencija aktivnosti
600 label_spent_time: Utrošak vremena
600 label_spent_time: Utrošak vremena
601 label_f_hour: "{{value}} sahat"
601 label_f_hour: "{{value}} sahat"
602 label_f_hour_plural: "{{value}} sahata"
602 label_f_hour_plural: "{{value}} sahata"
603 label_time_tracking: Evidencija vremena
603 label_time_tracking: Evidencija vremena
604 label_change_plural: Promjene
604 label_change_plural: Promjene
605 label_statistics: Statistika
605 label_statistics: Statistika
606 label_commits_per_month: '"Commit"-a po mjesecu'
606 label_commits_per_month: '"Commit"-a po mjesecu'
607 label_commits_per_author: '"Commit"-a po autoru'
607 label_commits_per_author: '"Commit"-a po autoru'
608 label_view_diff: Pregled razlika
608 label_view_diff: Pregled razlika
609 label_diff_inline: zajedno
609 label_diff_inline: zajedno
610 label_diff_side_by_side: jedna pored druge
610 label_diff_side_by_side: jedna pored druge
611 label_options: Opcije
611 label_options: Opcije
612 label_copy_workflow_from: Kopiraj tok promjena statusa iz
612 label_copy_workflow_from: Kopiraj tok promjena statusa iz
613 label_permissions_report: Izvještaj
613 label_permissions_report: Izvještaj
614 label_watched_issues: Aktivnosti koje pratim
614 label_watched_issues: Aktivnosti koje pratim
615 label_related_issues: Korelirane aktivnosti
615 label_related_issues: Korelirane aktivnosti
616 label_applied_status: Status je primjenjen
616 label_applied_status: Status je primjenjen
617 label_loading: Učitavam...
617 label_loading: Učitavam...
618 label_relation_new: Nova relacija
618 label_relation_new: Nova relacija
619 label_relation_delete: Izbriši relaciju
619 label_relation_delete: Izbriši relaciju
620 label_relates_to: korelira sa
620 label_relates_to: korelira sa
621 label_duplicates: duplikat
621 label_duplicates: duplikat
622 label_duplicated_by: duplicirano od
622 label_duplicated_by: duplicirano od
623 label_blocks: blokira
623 label_blocks: blokira
624 label_blocked_by: blokirano on
624 label_blocked_by: blokirano on
625 label_precedes: predhodi
625 label_precedes: predhodi
626 label_follows: slijedi
626 label_follows: slijedi
627 label_end_to_start: 'kraj -> početak'
627 label_end_to_start: 'kraj -> početak'
628 label_end_to_end: 'kraja -> kraj'
628 label_end_to_end: 'kraja -> kraj'
629 label_start_to_start: 'početak -> početak'
629 label_start_to_start: 'početak -> početak'
630 label_start_to_end: 'početak -> kraj'
630 label_start_to_end: 'početak -> kraj'
631 label_stay_logged_in: Ostani prijavljen
631 label_stay_logged_in: Ostani prijavljen
632 label_disabled: onemogućen
632 label_disabled: onemogućen
633 label_show_completed_versions: Prikaži završene verzije
633 label_show_completed_versions: Prikaži završene verzije
634 label_me: ja
634 label_me: ja
635 label_board: Forum
635 label_board: Forum
636 label_board_new: Novi forum
636 label_board_new: Novi forum
637 label_board_plural: Forumi
637 label_board_plural: Forumi
638 label_topic_plural: Teme
638 label_topic_plural: Teme
639 label_message_plural: Poruke
639 label_message_plural: Poruke
640 label_message_last: Posljednja poruka
640 label_message_last: Posljednja poruka
641 label_message_new: Nova poruka
641 label_message_new: Nova poruka
642 label_message_posted: Poruka je dodana
642 label_message_posted: Poruka je dodana
643 label_reply_plural: Odgovori
643 label_reply_plural: Odgovori
644 label_send_information: Pošalji informaciju o korisničkom računu
644 label_send_information: Pošalji informaciju o korisničkom računu
645 label_year: Godina
645 label_year: Godina
646 label_month: Mjesec
646 label_month: Mjesec
647 label_week: Hefta
647 label_week: Hefta
648 label_date_from: Od
648 label_date_from: Od
649 label_date_to: Do
649 label_date_to: Do
650 label_language_based: Bazirano na korisnikovom jeziku
650 label_language_based: Bazirano na korisnikovom jeziku
651 label_sort_by: "Sortiraj po {{value}}"
651 label_sort_by: "Sortiraj po {{value}}"
652 label_send_test_email: Pošalji testni email
652 label_send_test_email: Pošalji testni email
653 label_feeds_access_key_created_on: "RSS pristupni ključ kreiran prije {{value}} dana"
653 label_feeds_access_key_created_on: "RSS pristupni ključ kreiran prije {{value}} dana"
654 label_module_plural: Moduli
654 label_module_plural: Moduli
655 label_added_time_by: "Dodano od {{author}} prije {{age}}"
655 label_added_time_by: "Dodano od {{author}} prije {{age}}"
656 label_updated_time_by: "Izmjenjeno od {{author}} prije {{age}}"
656 label_updated_time_by: "Izmjenjeno od {{author}} prije {{age}}"
657 label_updated_time: "Izmjenjeno prije {{value}}"
657 label_updated_time: "Izmjenjeno prije {{value}}"
658 label_jump_to_a_project: Skoči na projekat...
658 label_jump_to_a_project: Skoči na projekat...
659 label_file_plural: Fajlovi
659 label_file_plural: Fajlovi
660 label_changeset_plural: Setovi promjena
660 label_changeset_plural: Setovi promjena
661 label_default_columns: Podrazumjevane kolone
661 label_default_columns: Podrazumjevane kolone
662 label_no_change_option: (Bez promjene)
662 label_no_change_option: (Bez promjene)
663 label_bulk_edit_selected_issues: Ispravi odjednom odabrane aktivnosti
663 label_bulk_edit_selected_issues: Ispravi odjednom odabrane aktivnosti
664 label_theme: Tema
664 label_theme: Tema
665 label_default: Podrazumjevano
665 label_default: Podrazumjevano
666 label_search_titles_only: Pretraži samo naslove
666 label_search_titles_only: Pretraži samo naslove
667 label_user_mail_option_all: "Za bilo koji događaj na svim mojim projektima"
667 label_user_mail_option_all: "Za bilo koji događaj na svim mojim projektima"
668 label_user_mail_option_selected: "Za bilo koji događaj na odabranim projektima..."
668 label_user_mail_option_selected: "Za bilo koji događaj na odabranim projektima..."
669 label_user_mail_option_none: "Samo za stvari koje ja gledam ili sam u njih uključen"
669 label_user_mail_option_none: "Samo za stvari koje ja gledam ili sam u njih uključen"
670 label_user_mail_no_self_notified: "Ne želim notifikaciju za promjene koje sam ja napravio"
670 label_user_mail_no_self_notified: "Ne želim notifikaciju za promjene koje sam ja napravio"
671 label_registration_activation_by_email: aktivacija korisničkog računa email-om
671 label_registration_activation_by_email: aktivacija korisničkog računa email-om
672 label_registration_manual_activation: ručna aktivacija korisničkog računa
672 label_registration_manual_activation: ručna aktivacija korisničkog računa
673 label_registration_automatic_activation: automatska kreacija korisničkog računa
673 label_registration_automatic_activation: automatska kreacija korisničkog računa
674 label_display_per_page: "Po stranici: {{value}}"
674 label_display_per_page: "Po stranici: {{value}}"
675 label_age: Starost
675 label_age: Starost
676 label_change_properties: Promjena osobina
676 label_change_properties: Promjena osobina
677 label_general: Generalno
677 label_general: Generalno
678 label_more: Više
678 label_more: Više
679 label_scm: SCM
679 label_scm: SCM
680 label_plugins: Plugin-ovi
680 label_plugins: Plugin-ovi
681 label_ldap_authentication: LDAP authentifikacija
681 label_ldap_authentication: LDAP authentifikacija
682 label_downloads_abbr: D/L
682 label_downloads_abbr: D/L
683 label_optional_description: Opis (opciono)
683 label_optional_description: Opis (opciono)
684 label_add_another_file: Dodaj još jedan fajl
684 label_add_another_file: Dodaj još jedan fajl
685 label_preferences: Postavke
685 label_preferences: Postavke
686 label_chronological_order: Hronološki poredak
686 label_chronological_order: Hronološki poredak
687 label_reverse_chronological_order: Reverzni hronološki poredak
687 label_reverse_chronological_order: Reverzni hronološki poredak
688 label_planning: Planiranje
688 label_planning: Planiranje
689 label_incoming_emails: Dolazni email-ovi
689 label_incoming_emails: Dolazni email-ovi
690 label_generate_key: Generiši ključ
690 label_generate_key: Generiši ključ
691 label_issue_watchers: Praćeno od
691 label_issue_watchers: Praćeno od
692 label_example: Primjer
692 label_example: Primjer
693 label_display: Prikaz
693 label_display: Prikaz
694
694
695 button_apply: Primjeni
695 button_apply: Primjeni
696 button_add: Dodaj
696 button_add: Dodaj
697 button_archive: Arhiviranje
697 button_archive: Arhiviranje
698 button_back: Nazad
698 button_back: Nazad
699 button_cancel: Odustani
699 button_cancel: Odustani
700 button_change: Izmjeni
700 button_change: Izmjeni
701 button_change_password: Izmjena lozinke
701 button_change_password: Izmjena lozinke
702 button_check_all: Označi sve
702 button_check_all: Označi sve
703 button_clear: Briši
703 button_clear: Briši
704 button_copy: Kopiraj
704 button_copy: Kopiraj
705 button_create: Novi
705 button_create: Novi
706 button_delete: Briši
706 button_delete: Briši
707 button_download: Download
707 button_download: Download
708 button_edit: Ispravka
708 button_edit: Ispravka
709 button_list: Lista
709 button_list: Lista
710 button_lock: Zaključaj
710 button_lock: Zaključaj
711 button_log_time: Utrošak vremena
711 button_log_time: Utrošak vremena
712 button_login: Prijava
712 button_login: Prijava
713 button_move: Pomjeri
713 button_move: Pomjeri
714 button_rename: Promjena imena
714 button_rename: Promjena imena
715 button_reply: Odgovor
715 button_reply: Odgovor
716 button_reset: Resetuj
716 button_reset: Resetuj
717 button_rollback: Vrati predhodno stanje
717 button_rollback: Vrati predhodno stanje
718 button_save: Snimi
718 button_save: Snimi
719 button_sort: Sortiranje
719 button_sort: Sortiranje
720 button_submit: Pošalji
720 button_submit: Pošalji
721 button_test: Testiraj
721 button_test: Testiraj
722 button_unarchive: Otpakuj arhivu
722 button_unarchive: Otpakuj arhivu
723 button_uncheck_all: Isključi sve
723 button_uncheck_all: Isključi sve
724 button_unlock: Otključaj
724 button_unlock: Otključaj
725 button_unwatch: Prekini notifikaciju
725 button_unwatch: Prekini notifikaciju
726 button_update: Promjena na aktivnosti
726 button_update: Promjena na aktivnosti
727 button_view: Pregled
727 button_view: Pregled
728 button_watch: Notifikacija
728 button_watch: Notifikacija
729 button_configure: Konfiguracija
729 button_configure: Konfiguracija
730 button_quote: Citat
730 button_quote: Citat
731
731
732 status_active: aktivan
732 status_active: aktivan
733 status_registered: registrovan
733 status_registered: registrovan
734 status_locked: zaključan
734 status_locked: zaključan
735
735
736 text_select_mail_notifications: Odaberi događaje za koje će se slati email notifikacija.
736 text_select_mail_notifications: Odaberi događaje za koje će se slati email notifikacija.
737 text_regexp_info: npr. ^[A-Z0-9]+$
737 text_regexp_info: npr. ^[A-Z0-9]+$
738 text_min_max_length_info: 0 znači bez restrikcije
738 text_min_max_length_info: 0 znači bez restrikcije
739 text_project_destroy_confirmation: Sigurno želite izbrisati ovaj projekat i njegove podatke ?
739 text_project_destroy_confirmation: Sigurno želite izbrisati ovaj projekat i njegove podatke ?
740 text_subprojects_destroy_warning: "Podprojekt(i): {{value}} će takođe biti izbrisani."
740 text_subprojects_destroy_warning: "Podprojekt(i): {{value}} će takođe biti izbrisani."
741 text_workflow_edit: Odaberite ulogu i područje aktivnosti za ispravku toka promjena na aktivnosti
741 text_workflow_edit: Odaberite ulogu i područje aktivnosti za ispravku toka promjena na aktivnosti
742 text_are_you_sure: Da li ste sigurni ?
742 text_are_you_sure: Da li ste sigurni ?
743 text_journal_changed: "promjena iz {{old}} u {{new}}"
743 text_journal_changed: "promjena iz {{old}} u {{new}}"
744 text_journal_set_to: "postavi na {{value}}"
744 text_journal_set_to: "postavi na {{value}}"
745 text_journal_deleted: izbrisano
745 text_journal_deleted: izbrisano
746 text_tip_task_begin_day: zadatak počinje danas
746 text_tip_task_begin_day: zadatak počinje danas
747 text_tip_task_end_day: zadatak završava danas
747 text_tip_task_end_day: zadatak završava danas
748 text_tip_task_begin_end_day: zadatak započinje i završava danas
748 text_tip_task_begin_end_day: zadatak započinje i završava danas
749 text_project_identifier_info: 'Samo mala slova (a-z), brojevi i crtice su dozvoljeni.<br />Nakon snimanja, identifikator se ne može mijenjati.'
749 text_project_identifier_info: 'Samo mala slova (a-z), brojevi i crtice su dozvoljeni.<br />Nakon snimanja, identifikator se ne može mijenjati.'
750 text_caracters_maximum: "maksimum {{count}} karaktera."
750 text_caracters_maximum: "maksimum {{count}} karaktera."
751 text_caracters_minimum: "Dužina mora biti najmanje {{count}} znakova."
751 text_caracters_minimum: "Dužina mora biti najmanje {{count}} znakova."
752 text_length_between: "Broj znakova između {{min}} i {{max}}."
752 text_length_between: "Broj znakova između {{min}} i {{max}}."
753 text_tracker_no_workflow: Tok statusa nije definisan za ovo područje aktivnosti
753 text_tracker_no_workflow: Tok statusa nije definisan za ovo područje aktivnosti
754 text_unallowed_characters: Nedozvoljeni znakovi
754 text_unallowed_characters: Nedozvoljeni znakovi
755 text_comma_separated: Višestruke vrijednosti dozvoljene (odvojiti zarezom).
755 text_comma_separated: Višestruke vrijednosti dozvoljene (odvojiti zarezom).
756 text_issues_ref_in_commit_messages: 'Referenciranje i zatvaranje aktivnosti putem "commit" poruka'
756 text_issues_ref_in_commit_messages: 'Referenciranje i zatvaranje aktivnosti putem "commit" poruka'
757 text_issue_added: "Aktivnost {{id}} je prijavljena od {{author}}."
757 text_issue_added: "Aktivnost {{id}} je prijavljena od {{author}}."
758 text_issue_updated: "Aktivnost {{id}} je izmjenjena od {{author}}."
758 text_issue_updated: "Aktivnost {{id}} je izmjenjena od {{author}}."
759 text_wiki_destroy_confirmation: Sigurno želite izbrisati ovaj wiki i čitav njegov sadržaj ?
759 text_wiki_destroy_confirmation: Sigurno želite izbrisati ovaj wiki i čitav njegov sadržaj ?
760 text_issue_category_destroy_question: "Neke aktivnosti ({{count}}) pripadaju ovoj kategoriji. Sigurno to želite uraditi ?"
760 text_issue_category_destroy_question: "Neke aktivnosti ({{count}}) pripadaju ovoj kategoriji. Sigurno to želite uraditi ?"
761 text_issue_category_destroy_assignments: Ukloni kategoriju
761 text_issue_category_destroy_assignments: Ukloni kategoriju
762 text_issue_category_reassign_to: Ponovo dodijeli ovu kategoriju
762 text_issue_category_reassign_to: Ponovo dodijeli ovu kategoriju
763 text_user_mail_option: "Za projekte koje niste odabrali, primićete samo notifikacije o stavkama koje pratite ili ste u njih uključeni (npr. vi ste autor ili su vama dodjeljenje)."
763 text_user_mail_option: "Za projekte koje niste odabrali, primićete samo notifikacije o stavkama koje pratite ili ste u njih uključeni (npr. vi ste autor ili su vama dodjeljenje)."
764 text_no_configuration_data: "Uloge, područja aktivnosti, statusi aktivnosti i tok promjena statusa nisu konfigurisane.\nKrajnje je preporučeno da učitate tekuđe postavke. Kasnije ćete ih moći mjenjati po svojim potrebama."
764 text_no_configuration_data: "Uloge, područja aktivnosti, statusi aktivnosti i tok promjena statusa nisu konfigurisane.\nKrajnje je preporučeno da učitate tekuđe postavke. Kasnije ćete ih moći mjenjati po svojim potrebama."
765 text_load_default_configuration: Učitaj tekuću konfiguraciju
765 text_load_default_configuration: Učitaj tekuću konfiguraciju
766 text_status_changed_by_changeset: "Primjenjeno u setu promjena {{value}}."
766 text_status_changed_by_changeset: "Primjenjeno u setu promjena {{value}}."
767 text_issues_destroy_confirmation: 'Sigurno želite izbrisati odabranu/e aktivnost/i ?'
767 text_issues_destroy_confirmation: 'Sigurno želite izbrisati odabranu/e aktivnost/i ?'
768 text_select_project_modules: 'Odaberi module koje želite u ovom projektu:'
768 text_select_project_modules: 'Odaberi module koje želite u ovom projektu:'
769 text_default_administrator_account_changed: Tekući administratorski račun je promjenjen
769 text_default_administrator_account_changed: Tekući administratorski račun je promjenjen
770 text_file_repository_writable: U direktorij sa fajlovima koji su prilozi se može pisati
770 text_file_repository_writable: U direktorij sa fajlovima koji su prilozi se može pisati
771 text_plugin_assets_writable: U direktorij plugin-ova se može pisati
771 text_plugin_assets_writable: U direktorij plugin-ova se može pisati
772 text_rmagick_available: RMagick je dostupan (opciono)
772 text_rmagick_available: RMagick je dostupan (opciono)
773 text_destroy_time_entries_question: "{{hours}} sahata je prijavljeno na aktivnostima koje želite brisati. Želite li to učiniti ?"
773 text_destroy_time_entries_question: "{{hours}} sahata je prijavljeno na aktivnostima koje želite brisati. Želite li to učiniti ?"
774 text_destroy_time_entries: Izbriši prijavljeno vrijeme
774 text_destroy_time_entries: Izbriši prijavljeno vrijeme
775 text_assign_time_entries_to_project: Dodaj prijavljenoo vrijeme projektu
775 text_assign_time_entries_to_project: Dodaj prijavljenoo vrijeme projektu
776 text_reassign_time_entries: 'Preraspodjeli prijavljeno vrijeme na ovu aktivnost:'
776 text_reassign_time_entries: 'Preraspodjeli prijavljeno vrijeme na ovu aktivnost:'
777 text_user_wrote: "{{value}} je napisao/la:"
777 text_user_wrote: "{{value}} je napisao/la:"
778 text_enumeration_destroy_question: "Za {{count}} objekata je dodjeljenja ova vrijednost."
778 text_enumeration_destroy_question: "Za {{count}} objekata je dodjeljenja ova vrijednost."
779 text_enumeration_category_reassign_to: 'Ponovo im dodjeli ovu vrijednost:'
779 text_enumeration_category_reassign_to: 'Ponovo im dodjeli ovu vrijednost:'
780 text_email_delivery_not_configured: "Email dostava nije konfiguraisana, notifikacija je onemogućena.\nKonfiguriši SMTP server u config/email.yml i restartuj aplikaciju nakon toga."
780 text_email_delivery_not_configured: "Email dostava nije konfiguraisana, notifikacija je onemogućena.\nKonfiguriši SMTP server u config/email.yml i restartuj aplikaciju nakon toga."
781 text_repository_usernames_mapping: "Odaberi ili ispravi redmine korisnika mapiranog za svako korisničko ima nađeno u logu repozitorija.\nKorisnici sa istim imenom u redmineu i u repozitoruju se automatski mapiraju."
781 text_repository_usernames_mapping: "Odaberi ili ispravi redmine korisnika mapiranog za svako korisničko ima nađeno u logu repozitorija.\nKorisnici sa istim imenom u redmineu i u repozitoruju se automatski mapiraju."
782 text_diff_truncated: '... Ovaj prikaz razlike je odsječen pošto premašuje maksimalnu veličinu za prikaz'
782 text_diff_truncated: '... Ovaj prikaz razlike je odsječen pošto premašuje maksimalnu veličinu za prikaz'
783 text_custom_field_possible_values_info: 'Jedna linija za svaku vrijednost'
783 text_custom_field_possible_values_info: 'Jedna linija za svaku vrijednost'
784
784
785 default_role_manager: Menadžer
785 default_role_manager: Menadžer
786 default_role_developper: Programer
786 default_role_developper: Programer
787 default_role_reporter: Reporter
787 default_role_reporter: Reporter
788 default_tracker_bug: Greška
788 default_tracker_bug: Greška
789 default_tracker_feature: Nova funkcija
789 default_tracker_feature: Nova funkcija
790 default_tracker_support: Podrška
790 default_tracker_support: Podrška
791 default_issue_status_new: Novi
791 default_issue_status_new: Novi
792 default_issue_status_assigned: Dodjeljen
792 default_issue_status_assigned: Dodjeljen
793 default_issue_status_resolved: Riješen
793 default_issue_status_resolved: Riješen
794 default_issue_status_feedback: Čeka se povratna informacija
794 default_issue_status_feedback: Čeka se povratna informacija
795 default_issue_status_closed: Zatvoren
795 default_issue_status_closed: Zatvoren
796 default_issue_status_rejected: Odbijen
796 default_issue_status_rejected: Odbijen
797 default_doc_category_user: Korisnička dokumentacija
797 default_doc_category_user: Korisnička dokumentacija
798 default_doc_category_tech: Tehnička dokumentacija
798 default_doc_category_tech: Tehnička dokumentacija
799 default_priority_low: Nizak
799 default_priority_low: Nizak
800 default_priority_normal: Normalan
800 default_priority_normal: Normalan
801 default_priority_high: Visok
801 default_priority_high: Visok
802 default_priority_urgent: Urgentno
802 default_priority_urgent: Urgentno
803 default_priority_immediate: Odmah
803 default_priority_immediate: Odmah
804 default_activity_design: Dizajn
804 default_activity_design: Dizajn
805 default_activity_development: Programiranje
805 default_activity_development: Programiranje
806
806
807 enumeration_issue_priorities: Prioritet aktivnosti
807 enumeration_issue_priorities: Prioritet aktivnosti
808 enumeration_doc_categories: Kategorije dokumenata
808 enumeration_doc_categories: Kategorije dokumenata
809 enumeration_activities: Operacije (utrošak vremena)
809 enumeration_activities: Operacije (utrošak vremena)
810 notice_unable_delete_version: Ne mogu izbrisati verziju.
810 notice_unable_delete_version: Ne mogu izbrisati verziju.
811 button_create_and_continue: Kreiraj i nastavi
811 button_create_and_continue: Kreiraj i nastavi
812 button_annotate: Zabilježi
812 button_annotate: Zabilježi
813 button_activate: Aktiviraj
813 button_activate: Aktiviraj
814 label_sort: Sortiranje
814 label_sort: Sortiranje
815 label_date_from_to: Od {{start}} do {{end}}
815 label_date_from_to: Od {{start}} do {{end}}
816 label_ascending: Rastuće
816 label_ascending: Rastuće
817 label_descending: Opadajuće
817 label_descending: Opadajuće
818 label_greater_or_equal: ">="
818 label_greater_or_equal: ">="
819 label_less_or_equal: <=
819 label_less_or_equal: <=
820 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
820 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
821 text_wiki_page_reassign_children: Reassign child pages to this parent page
821 text_wiki_page_reassign_children: Reassign child pages to this parent page
822 text_wiki_page_nullify_children: Keep child pages as root pages
822 text_wiki_page_nullify_children: Keep child pages as root pages
823 text_wiki_page_destroy_children: Delete child pages and all their descendants
823 text_wiki_page_destroy_children: Delete child pages and all their descendants
824 setting_password_min_length: Minimum password length
824 setting_password_min_length: Minimum password length
825 field_group_by: Group results by
@@ -1,794 +1,795
1 ca:
1 ca:
2 date:
2 date:
3 formats:
3 formats:
4 # Use the strftime parameters for formats.
4 # Use the strftime parameters for formats.
5 # When no format has been given, it uses default.
5 # When no format has been given, it uses default.
6 # You can provide other formats here if you like!
6 # You can provide other formats here if you like!
7 default: "%d-%m-%Y"
7 default: "%d-%m-%Y"
8 short: "%e de %b"
8 short: "%e de %b"
9 long: "%a, %e de %b de %Y"
9 long: "%a, %e de %b de %Y"
10
10
11 day_names: [Diumenge, Dilluns, Dimarts, Dimecres, Dijous, Divendres, Dissabte]
11 day_names: [Diumenge, Dilluns, Dimarts, Dimecres, Dijous, Divendres, Dissabte]
12 abbr_day_names: [dg, dl, dt, dc, dj, dv, ds]
12 abbr_day_names: [dg, dl, dt, dc, dj, dv, ds]
13
13
14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 month_names: [~, Gener, Febrer, Març, Abril, Maig, Juny, Juliol, Agost, Setembre, Octubre, Novembre, Desembre]
15 month_names: [~, Gener, Febrer, Març, Abril, Maig, Juny, Juliol, Agost, Setembre, Octubre, Novembre, Desembre]
16 abbr_month_names: [~, Gen, Feb, Mar, Abr, Mai, Jun, Jul, Ago, Set, Oct, Nov, Des]
16 abbr_month_names: [~, Gen, Feb, Mar, Abr, Mai, Jun, Jul, Ago, Set, Oct, Nov, Des]
17 # Used in date_select and datime_select.
17 # Used in date_select and datime_select.
18 order: [ :year, :month, :day ]
18 order: [ :year, :month, :day ]
19
19
20 time:
20 time:
21 formats:
21 formats:
22 default: "%d-%m-%Y %H:%M"
22 default: "%d-%m-%Y %H:%M"
23 time: "%H:%M"
23 time: "%H:%M"
24 short: "%e de %b, %H:%M"
24 short: "%e de %b, %H:%M"
25 long: "%a, %e de %b de %Y, %H:%M"
25 long: "%a, %e de %b de %Y, %H:%M"
26 am: "am"
26 am: "am"
27 pm: "pm"
27 pm: "pm"
28
28
29 datetime:
29 datetime:
30 distance_in_words:
30 distance_in_words:
31 half_a_minute: "mig minut"
31 half_a_minute: "mig minut"
32 less_than_x_seconds:
32 less_than_x_seconds:
33 one: "menys d'un segon"
33 one: "menys d'un segon"
34 other: "menys de {{count}} segons"
34 other: "menys de {{count}} segons"
35 x_seconds:
35 x_seconds:
36 one: "1 segons"
36 one: "1 segons"
37 other: "{{count}} segons"
37 other: "{{count}} segons"
38 less_than_x_minutes:
38 less_than_x_minutes:
39 one: "menys d'un minut"
39 one: "menys d'un minut"
40 other: "menys de {{count}} minuts"
40 other: "menys de {{count}} minuts"
41 x_minutes:
41 x_minutes:
42 one: "1 minut"
42 one: "1 minut"
43 other: "{{count}} minuts"
43 other: "{{count}} minuts"
44 about_x_hours:
44 about_x_hours:
45 one: "aproximadament 1 hora"
45 one: "aproximadament 1 hora"
46 other: "aproximadament {{count}} hores"
46 other: "aproximadament {{count}} hores"
47 x_days:
47 x_days:
48 one: "1 dia"
48 one: "1 dia"
49 other: "{{count}} dies"
49 other: "{{count}} dies"
50 about_x_months:
50 about_x_months:
51 one: "aproximadament 1 mes"
51 one: "aproximadament 1 mes"
52 other: "aproximadament {{count}} mesos"
52 other: "aproximadament {{count}} mesos"
53 x_months:
53 x_months:
54 one: "1 mes"
54 one: "1 mes"
55 other: "{{count}} mesos"
55 other: "{{count}} mesos"
56 about_x_years:
56 about_x_years:
57 one: "aproximadament 1 any"
57 one: "aproximadament 1 any"
58 other: "aproximadament {{count}} anys"
58 other: "aproximadament {{count}} anys"
59 over_x_years:
59 over_x_years:
60 one: "més d'un any"
60 one: "més d'un any"
61 other: "més de {{count}} anys"
61 other: "més de {{count}} anys"
62
62
63 # Used in array.to_sentence.
63 # Used in array.to_sentence.
64 support:
64 support:
65 array:
65 array:
66 sentence_connector: "i"
66 sentence_connector: "i"
67 skip_last_comma: false
67 skip_last_comma: false
68
68
69 activerecord:
69 activerecord:
70 errors:
70 errors:
71 messages:
71 messages:
72 inclusion: "no està inclòs a la llista"
72 inclusion: "no està inclòs a la llista"
73 exclusion: "està reservat"
73 exclusion: "està reservat"
74 invalid: "no és vàlid"
74 invalid: "no és vàlid"
75 confirmation: "la confirmació no coincideix"
75 confirmation: "la confirmació no coincideix"
76 accepted: "s'ha d'acceptar"
76 accepted: "s'ha d'acceptar"
77 empty: "no pot estar buit"
77 empty: "no pot estar buit"
78 blank: "no pot estar en blanc"
78 blank: "no pot estar en blanc"
79 too_long: "és massa llarg"
79 too_long: "és massa llarg"
80 too_short: "és massa curt"
80 too_short: "és massa curt"
81 wrong_length: "la longitud és incorrecta"
81 wrong_length: "la longitud és incorrecta"
82 taken: "ja s'està utilitzant"
82 taken: "ja s'està utilitzant"
83 not_a_number: "no és un número"
83 not_a_number: "no és un número"
84 not_a_date: "no és una data vàlida"
84 not_a_date: "no és una data vàlida"
85 greater_than: "ha de ser més gran que {{count}}"
85 greater_than: "ha de ser més gran que {{count}}"
86 greater_than_or_equal_to: "ha de ser més gran o igual a {{count}}"
86 greater_than_or_equal_to: "ha de ser més gran o igual a {{count}}"
87 equal_to: "ha de ser igual a {{count}}"
87 equal_to: "ha de ser igual a {{count}}"
88 less_than: "ha de ser menys que {{count}}"
88 less_than: "ha de ser menys que {{count}}"
89 less_than_or_equal_to: "ha de ser menys o igual a {{count}}"
89 less_than_or_equal_to: "ha de ser menys o igual a {{count}}"
90 odd: "ha de ser senar"
90 odd: "ha de ser senar"
91 even: "ha de ser parell"
91 even: "ha de ser parell"
92 greater_than_start_date: "ha de ser superior que la data inicial"
92 greater_than_start_date: "ha de ser superior que la data inicial"
93 not_same_project: "no pertany al mateix projecte"
93 not_same_project: "no pertany al mateix projecte"
94 circular_dependency: "Aquesta relació crearia una dependència circular"
94 circular_dependency: "Aquesta relació crearia una dependència circular"
95
95
96 actionview_instancetag_blank_option: Seleccioneu
96 actionview_instancetag_blank_option: Seleccioneu
97
97
98 general_text_No: 'No'
98 general_text_No: 'No'
99 general_text_Yes: 'Si'
99 general_text_Yes: 'Si'
100 general_text_no: 'no'
100 general_text_no: 'no'
101 general_text_yes: 'si'
101 general_text_yes: 'si'
102 general_lang_name: 'Català'
102 general_lang_name: 'Català'
103 general_csv_separator: ';'
103 general_csv_separator: ';'
104 general_csv_decimal_separator: ','
104 general_csv_decimal_separator: ','
105 general_csv_encoding: ISO-8859-15
105 general_csv_encoding: ISO-8859-15
106 general_pdf_encoding: ISO-8859-15
106 general_pdf_encoding: ISO-8859-15
107 general_first_day_of_week: '1'
107 general_first_day_of_week: '1'
108
108
109 notice_account_updated: "El compte s'ha actualitzat correctament."
109 notice_account_updated: "El compte s'ha actualitzat correctament."
110 notice_account_invalid_creditentials: Usuari o contrasenya invàlid
110 notice_account_invalid_creditentials: Usuari o contrasenya invàlid
111 notice_account_password_updated: "La contrasenya s'ha modificat correctament."
111 notice_account_password_updated: "La contrasenya s'ha modificat correctament."
112 notice_account_wrong_password: Contrasenya incorrecta
112 notice_account_wrong_password: Contrasenya incorrecta
113 notice_account_register_done: "El compte s'ha creat correctament. Per a activar el compte, feu clic en l'enllaç que us han enviat per correu electrònic."
113 notice_account_register_done: "El compte s'ha creat correctament. Per a activar el compte, feu clic en l'enllaç que us han enviat per correu electrònic."
114 notice_account_unknown_email: Usuari desconegut.
114 notice_account_unknown_email: Usuari desconegut.
115 notice_can_t_change_password: "Aquest compte utilitza una font d'autenticació externa. No és possible canviar la contrasenya."
115 notice_can_t_change_password: "Aquest compte utilitza una font d'autenticació externa. No és possible canviar la contrasenya."
116 notice_account_lost_email_sent: "S'ha enviat un correu electrònic amb instruccions per a seleccionar una contrasenya nova."
116 notice_account_lost_email_sent: "S'ha enviat un correu electrònic amb instruccions per a seleccionar una contrasenya nova."
117 notice_account_activated: "El compte s'ha activat. Ara podeu entrar."
117 notice_account_activated: "El compte s'ha activat. Ara podeu entrar."
118 notice_successful_create: "S'ha creat correctament."
118 notice_successful_create: "S'ha creat correctament."
119 notice_successful_update: "S'ha modificat correctament."
119 notice_successful_update: "S'ha modificat correctament."
120 notice_successful_delete: "S'ha suprimit correctament."
120 notice_successful_delete: "S'ha suprimit correctament."
121 notice_successful_connection: "S'ha connectat correctament."
121 notice_successful_connection: "S'ha connectat correctament."
122 notice_file_not_found: "La pàgina a la que intenteu accedir no existeix o s'ha suprimit."
122 notice_file_not_found: "La pàgina a la que intenteu accedir no existeix o s'ha suprimit."
123 notice_locking_conflict: Un altre usuari ha actualitzat les dades.
123 notice_locking_conflict: Un altre usuari ha actualitzat les dades.
124 notice_not_authorized: No teniu permís per a accedir a aquesta pàgina.
124 notice_not_authorized: No teniu permís per a accedir a aquesta pàgina.
125 notice_email_sent: "S'ha enviat un correu electrònic a {{value}}"
125 notice_email_sent: "S'ha enviat un correu electrònic a {{value}}"
126 notice_email_error: "S'ha produït un error en enviar el correu ({{value}})"
126 notice_email_error: "S'ha produït un error en enviar el correu ({{value}})"
127 notice_feeds_access_key_reseted: "S'ha reiniciat la clau d'accés del RSS."
127 notice_feeds_access_key_reseted: "S'ha reiniciat la clau d'accés del RSS."
128 notice_failed_to_save_issues: "No s'han pogut desar %s assumptes de {{count}} seleccionats: {{value}}."
128 notice_failed_to_save_issues: "No s'han pogut desar %s assumptes de {{count}} seleccionats: {{value}}."
129 notice_no_issue_selected: "No s'ha seleccionat cap assumpte. Activeu els assumptes que voleu editar."
129 notice_no_issue_selected: "No s'ha seleccionat cap assumpte. Activeu els assumptes que voleu editar."
130 notice_account_pending: "S'ha creat el compte i ara està pendent de l'aprovació de l'administrador."
130 notice_account_pending: "S'ha creat el compte i ara està pendent de l'aprovació de l'administrador."
131 notice_default_data_loaded: "S'ha carregat correctament la configuració predeterminada."
131 notice_default_data_loaded: "S'ha carregat correctament la configuració predeterminada."
132 notice_unable_delete_version: "No s'ha pogut suprimir la versió."
132 notice_unable_delete_version: "No s'ha pogut suprimir la versió."
133
133
134 error_can_t_load_default_data: "No s'ha pogut carregar la configuració predeterminada: {{value}} "
134 error_can_t_load_default_data: "No s'ha pogut carregar la configuració predeterminada: {{value}} "
135 error_scm_not_found: "No s'ha trobat l'entrada o la revisió en el dipòsit."
135 error_scm_not_found: "No s'ha trobat l'entrada o la revisió en el dipòsit."
136 error_scm_command_failed: "S'ha produït un error en intentar accedir al dipòsit: {{value}}"
136 error_scm_command_failed: "S'ha produït un error en intentar accedir al dipòsit: {{value}}"
137 error_scm_annotate: "L'entrada no existeix o no s'ha pogut anotar."
137 error_scm_annotate: "L'entrada no existeix o no s'ha pogut anotar."
138 error_issue_not_found_in_project: "No s'ha trobat l'assumpte o no pertany a aquest projecte"
138 error_issue_not_found_in_project: "No s'ha trobat l'assumpte o no pertany a aquest projecte"
139
139
140 warning_attachments_not_saved: "No s'han pogut desar {{count}} fitxers."
140 warning_attachments_not_saved: "No s'han pogut desar {{count}} fitxers."
141
141
142 mail_subject_lost_password: "Contrasenya de {{value}}"
142 mail_subject_lost_password: "Contrasenya de {{value}}"
143 mail_body_lost_password: "Per a canviar la contrasenya, feu clic en l'enllaç següent:"
143 mail_body_lost_password: "Per a canviar la contrasenya, feu clic en l'enllaç següent:"
144 mail_subject_register: "Activació del compte de {{value}}"
144 mail_subject_register: "Activació del compte de {{value}}"
145 mail_body_register: "Per a activar el compte, feu clic en l'enllaç següent:"
145 mail_body_register: "Per a activar el compte, feu clic en l'enllaç següent:"
146 mail_body_account_information_external: "Podeu utilitzar el compte «{{value}}» per a entrar."
146 mail_body_account_information_external: "Podeu utilitzar el compte «{{value}}» per a entrar."
147 mail_body_account_information: Informació del compte
147 mail_body_account_information: Informació del compte
148 mail_subject_account_activation_request: "Sol·licitud d'activació del compte de {{value}}"
148 mail_subject_account_activation_request: "Sol·licitud d'activació del compte de {{value}}"
149 mail_body_account_activation_request: "S'ha registrat un usuari nou ({{value}}). El seu compte està pendent d'aprovació:"
149 mail_body_account_activation_request: "S'ha registrat un usuari nou ({{value}}). El seu compte està pendent d'aprovació:"
150 mail_subject_reminder: "%d assumptes venceran els següents {{count}} dies"
150 mail_subject_reminder: "%d assumptes venceran els següents {{count}} dies"
151 mail_body_reminder: "{{count}} assumptes que teniu assignades venceran els següents {{days}} dies:"
151 mail_body_reminder: "{{count}} assumptes que teniu assignades venceran els següents {{days}} dies:"
152
152
153 gui_validation_error: 1 error
153 gui_validation_error: 1 error
154 gui_validation_error_plural: "{{count}} errors"
154 gui_validation_error_plural: "{{count}} errors"
155
155
156 field_name: Nom
156 field_name: Nom
157 field_description: Descripció
157 field_description: Descripció
158 field_summary: Resum
158 field_summary: Resum
159 field_is_required: Necessari
159 field_is_required: Necessari
160 field_firstname: Nom
160 field_firstname: Nom
161 field_lastname: Cognom
161 field_lastname: Cognom
162 field_mail: Correu electrònic
162 field_mail: Correu electrònic
163 field_filename: Fitxer
163 field_filename: Fitxer
164 field_filesize: Mida
164 field_filesize: Mida
165 field_downloads: Baixades
165 field_downloads: Baixades
166 field_author: Autor
166 field_author: Autor
167 field_created_on: Creat
167 field_created_on: Creat
168 field_updated_on: Actualitzat
168 field_updated_on: Actualitzat
169 field_field_format: Format
169 field_field_format: Format
170 field_is_for_all: Per a tots els projectes
170 field_is_for_all: Per a tots els projectes
171 field_possible_values: Valores possibles
171 field_possible_values: Valores possibles
172 field_regexp: Expressió regular
172 field_regexp: Expressió regular
173 field_min_length: Longitud mínima
173 field_min_length: Longitud mínima
174 field_max_length: Longitud màxima
174 field_max_length: Longitud màxima
175 field_value: Valor
175 field_value: Valor
176 field_category: Categoria
176 field_category: Categoria
177 field_title: Títol
177 field_title: Títol
178 field_project: Projecte
178 field_project: Projecte
179 field_issue: Assumpte
179 field_issue: Assumpte
180 field_status: Estat
180 field_status: Estat
181 field_notes: Notes
181 field_notes: Notes
182 field_is_closed: Assumpte tancat
182 field_is_closed: Assumpte tancat
183 field_is_default: Estat predeterminat
183 field_is_default: Estat predeterminat
184 field_tracker: Seguidor
184 field_tracker: Seguidor
185 field_subject: Tema
185 field_subject: Tema
186 field_due_date: Data de venciment
186 field_due_date: Data de venciment
187 field_assigned_to: Assignat a
187 field_assigned_to: Assignat a
188 field_priority: Prioritat
188 field_priority: Prioritat
189 field_fixed_version: Versió objectiu
189 field_fixed_version: Versió objectiu
190 field_user: Usuari
190 field_user: Usuari
191 field_role: Rol
191 field_role: Rol
192 field_homepage: Pàgina web
192 field_homepage: Pàgina web
193 field_is_public: Públic
193 field_is_public: Públic
194 field_parent: Subprojecte de
194 field_parent: Subprojecte de
195 field_is_in_chlog: Assumptes mostrats en el registre de canvis
195 field_is_in_chlog: Assumptes mostrats en el registre de canvis
196 field_is_in_roadmap: Assumptes mostrats en la planificació
196 field_is_in_roadmap: Assumptes mostrats en la planificació
197 field_login: Entrada
197 field_login: Entrada
198 field_mail_notification: Notificacions per correu electrònic
198 field_mail_notification: Notificacions per correu electrònic
199 field_admin: Administrador
199 field_admin: Administrador
200 field_last_login_on: Última connexió
200 field_last_login_on: Última connexió
201 field_language: Idioma
201 field_language: Idioma
202 field_effective_date: Data
202 field_effective_date: Data
203 field_password: Contrasenya
203 field_password: Contrasenya
204 field_new_password: Contrasenya nova
204 field_new_password: Contrasenya nova
205 field_password_confirmation: Confirmació
205 field_password_confirmation: Confirmació
206 field_version: Versió
206 field_version: Versió
207 field_type: Tipus
207 field_type: Tipus
208 field_host: Ordinador
208 field_host: Ordinador
209 field_port: Port
209 field_port: Port
210 field_account: Compte
210 field_account: Compte
211 field_base_dn: Base DN
211 field_base_dn: Base DN
212 field_attr_login: "Atribut d'entrada"
212 field_attr_login: "Atribut d'entrada"
213 field_attr_firstname: Atribut del nom
213 field_attr_firstname: Atribut del nom
214 field_attr_lastname: Atribut del cognom
214 field_attr_lastname: Atribut del cognom
215 field_attr_mail: Atribut del correu electrònic
215 field_attr_mail: Atribut del correu electrònic
216 field_onthefly: "Creació de l'usuari «al vol»"
216 field_onthefly: "Creació de l'usuari «al vol»"
217 field_start_date: Inici
217 field_start_date: Inici
218 field_done_ratio: % realitzat
218 field_done_ratio: % realitzat
219 field_auth_source: "Mode d'autenticació"
219 field_auth_source: "Mode d'autenticació"
220 field_hide_mail: "Oculta l'adreça de correu electrònic"
220 field_hide_mail: "Oculta l'adreça de correu electrònic"
221 field_comments: Comentari
221 field_comments: Comentari
222 field_url: URL
222 field_url: URL
223 field_start_page: Pàgina inicial
223 field_start_page: Pàgina inicial
224 field_subproject: Subprojecte
224 field_subproject: Subprojecte
225 field_hours: Hores
225 field_hours: Hores
226 field_activity: Activitat
226 field_activity: Activitat
227 field_spent_on: Data
227 field_spent_on: Data
228 field_identifier: Identificador
228 field_identifier: Identificador
229 field_is_filter: "S'ha utilitzat com a filtre"
229 field_is_filter: "S'ha utilitzat com a filtre"
230 field_issue_to_id: Assumpte relacionat
230 field_issue_to_id: Assumpte relacionat
231 field_delay: Retard
231 field_delay: Retard
232 field_assignable: Es poden assignar assumptes a aquest rol
232 field_assignable: Es poden assignar assumptes a aquest rol
233 field_redirect_existing_links: Redirigeix els enllaços existents
233 field_redirect_existing_links: Redirigeix els enllaços existents
234 field_estimated_hours: Temps previst
234 field_estimated_hours: Temps previst
235 field_column_names: Columnes
235 field_column_names: Columnes
236 field_time_zone: Zona horària
236 field_time_zone: Zona horària
237 field_searchable: Es pot cercar
237 field_searchable: Es pot cercar
238 field_default_value: Valor predeterminat
238 field_default_value: Valor predeterminat
239 field_comments_sorting: Mostra els comentaris
239 field_comments_sorting: Mostra els comentaris
240 field_parent_title: Pàgina pare
240 field_parent_title: Pàgina pare
241 field_editable: Es pot editar
241 field_editable: Es pot editar
242 field_watcher: Vigilància
242 field_watcher: Vigilància
243 field_identity_url: URL OpenID
243 field_identity_url: URL OpenID
244 field_content: Contingut
244 field_content: Contingut
245
245
246 setting_app_title: "Títol de l'aplicació"
246 setting_app_title: "Títol de l'aplicació"
247 setting_app_subtitle: "Subtítol de l'aplicació"
247 setting_app_subtitle: "Subtítol de l'aplicació"
248 setting_welcome_text: Text de benvinguda
248 setting_welcome_text: Text de benvinguda
249 setting_default_language: Idioma predeterminat
249 setting_default_language: Idioma predeterminat
250 setting_login_required: Es necessita autenticació
250 setting_login_required: Es necessita autenticació
251 setting_self_registration: Registre automàtic
251 setting_self_registration: Registre automàtic
252 setting_attachment_max_size: Mida màxima dels adjunts
252 setting_attachment_max_size: Mida màxima dels adjunts
253 setting_issues_export_limit: "Límit d'exportació d'assumptes"
253 setting_issues_export_limit: "Límit d'exportació d'assumptes"
254 setting_mail_from: "Adreça de correu electrònic d'emissió"
254 setting_mail_from: "Adreça de correu electrònic d'emissió"
255 setting_bcc_recipients: Vincula els destinataris de les còpies amb carbó (bcc)
255 setting_bcc_recipients: Vincula els destinataris de les còpies amb carbó (bcc)
256 setting_plain_text_mail: només text pla (no HTML)
256 setting_plain_text_mail: només text pla (no HTML)
257 setting_host_name: "Nom de l'ordinador"
257 setting_host_name: "Nom de l'ordinador"
258 setting_text_formatting: Format del text
258 setting_text_formatting: Format del text
259 setting_wiki_compression: "Comprimeix l'historial del wiki"
259 setting_wiki_compression: "Comprimeix l'historial del wiki"
260 setting_feeds_limit: Límit de contingut del canal
260 setting_feeds_limit: Límit de contingut del canal
261 setting_default_projects_public: Els projectes nous són públics per defecte
261 setting_default_projects_public: Els projectes nous són públics per defecte
262 setting_autofetch_changesets: Omple automàticament les publicacions
262 setting_autofetch_changesets: Omple automàticament les publicacions
263 setting_sys_api_enabled: Habilita el WS per a la gestió del dipòsit
263 setting_sys_api_enabled: Habilita el WS per a la gestió del dipòsit
264 setting_commit_ref_keywords: Paraules claus per a la referència
264 setting_commit_ref_keywords: Paraules claus per a la referència
265 setting_commit_fix_keywords: Paraules claus per a la correcció
265 setting_commit_fix_keywords: Paraules claus per a la correcció
266 setting_autologin: Entrada automàtica
266 setting_autologin: Entrada automàtica
267 setting_date_format: Format de la data
267 setting_date_format: Format de la data
268 setting_time_format: Format de hora
268 setting_time_format: Format de hora
269 setting_cross_project_issue_relations: "Permet les relacions d'assumptes entre projectes"
269 setting_cross_project_issue_relations: "Permet les relacions d'assumptes entre projectes"
270 setting_issue_list_default_columns: "Columnes mostrades per defecte en la llista d'assumptes"
270 setting_issue_list_default_columns: "Columnes mostrades per defecte en la llista d'assumptes"
271 setting_repositories_encodings: Codificacions del dipòsit
271 setting_repositories_encodings: Codificacions del dipòsit
272 setting_commit_logs_encoding: Codificació dels missatges publicats
272 setting_commit_logs_encoding: Codificació dels missatges publicats
273 setting_emails_footer: Peu dels correus electrònics
273 setting_emails_footer: Peu dels correus electrònics
274 setting_protocol: Protocol
274 setting_protocol: Protocol
275 setting_per_page_options: Opcions dels objectes per pàgina
275 setting_per_page_options: Opcions dels objectes per pàgina
276 setting_user_format: "Format de com mostrar l'usuari"
276 setting_user_format: "Format de com mostrar l'usuari"
277 setting_activity_days_default: "Dies a mostrar l'activitat del projecte"
277 setting_activity_days_default: "Dies a mostrar l'activitat del projecte"
278 setting_display_subprojects_issues: "Mostra els assumptes d'un subprojecte en el projecte pare per defecte"
278 setting_display_subprojects_issues: "Mostra els assumptes d'un subprojecte en el projecte pare per defecte"
279 setting_enabled_scm: "Habilita l'SCM"
279 setting_enabled_scm: "Habilita l'SCM"
280 setting_mail_handler_api_enabled: "Habilita el WS per correus electrònics d'entrada"
280 setting_mail_handler_api_enabled: "Habilita el WS per correus electrònics d'entrada"
281 setting_mail_handler_api_key: Clau API
281 setting_mail_handler_api_key: Clau API
282 setting_sequential_project_identifiers: Genera identificadors de projecte seqüencials
282 setting_sequential_project_identifiers: Genera identificadors de projecte seqüencials
283 setting_gravatar_enabled: "Utilitza les icones d'usuari Gravatar"
283 setting_gravatar_enabled: "Utilitza les icones d'usuari Gravatar"
284 setting_diff_max_lines_displayed: Número màxim de línies amb diferències mostrades
284 setting_diff_max_lines_displayed: Número màxim de línies amb diferències mostrades
285 setting_file_max_size_displayed: Mida màxima dels fitxers de text mostrats en línia
285 setting_file_max_size_displayed: Mida màxima dels fitxers de text mostrats en línia
286 setting_repository_log_display_limit: Número màxim de revisions que es mostren al registre de fitxers
286 setting_repository_log_display_limit: Número màxim de revisions que es mostren al registre de fitxers
287 setting_openid: "Permet entrar i registrar-se amb l'OpenID"
287 setting_openid: "Permet entrar i registrar-se amb l'OpenID"
288
288
289 permission_edit_project: Edita el projecte
289 permission_edit_project: Edita el projecte
290 permission_select_project_modules: Selecciona els mòduls del projecte
290 permission_select_project_modules: Selecciona els mòduls del projecte
291 permission_manage_members: Gestiona els membres
291 permission_manage_members: Gestiona els membres
292 permission_manage_versions: Gestiona les versions
292 permission_manage_versions: Gestiona les versions
293 permission_manage_categories: Gestiona les categories dels assumptes
293 permission_manage_categories: Gestiona les categories dels assumptes
294 permission_add_issues: Afegeix assumptes
294 permission_add_issues: Afegeix assumptes
295 permission_edit_issues: Edita els assumptes
295 permission_edit_issues: Edita els assumptes
296 permission_manage_issue_relations: Gestiona les relacions dels assumptes
296 permission_manage_issue_relations: Gestiona les relacions dels assumptes
297 permission_add_issue_notes: Afegeix notes
297 permission_add_issue_notes: Afegeix notes
298 permission_edit_issue_notes: Edita les notes
298 permission_edit_issue_notes: Edita les notes
299 permission_edit_own_issue_notes: Edita les notes pròpies
299 permission_edit_own_issue_notes: Edita les notes pròpies
300 permission_move_issues: Mou els assumptes
300 permission_move_issues: Mou els assumptes
301 permission_delete_issues: Suprimeix els assumptes
301 permission_delete_issues: Suprimeix els assumptes
302 permission_manage_public_queries: Gestiona les consultes públiques
302 permission_manage_public_queries: Gestiona les consultes públiques
303 permission_save_queries: Desa les consultes
303 permission_save_queries: Desa les consultes
304 permission_view_gantt: Visualitza la gràfica de Gantt
304 permission_view_gantt: Visualitza la gràfica de Gantt
305 permission_view_calendar: Visualitza el calendari
305 permission_view_calendar: Visualitza el calendari
306 permission_view_issue_watchers: Visualitza la llista de vigilàncies
306 permission_view_issue_watchers: Visualitza la llista de vigilàncies
307 permission_add_issue_watchers: Afegeix vigilàncies
307 permission_add_issue_watchers: Afegeix vigilàncies
308 permission_log_time: Registra el temps invertit
308 permission_log_time: Registra el temps invertit
309 permission_view_time_entries: Visualitza el temps invertit
309 permission_view_time_entries: Visualitza el temps invertit
310 permission_edit_time_entries: Edita els registres de temps
310 permission_edit_time_entries: Edita els registres de temps
311 permission_edit_own_time_entries: Edita els registres de temps propis
311 permission_edit_own_time_entries: Edita els registres de temps propis
312 permission_manage_news: Gestiona les noticies
312 permission_manage_news: Gestiona les noticies
313 permission_comment_news: Comenta les noticies
313 permission_comment_news: Comenta les noticies
314 permission_manage_documents: Gestiona els documents
314 permission_manage_documents: Gestiona els documents
315 permission_view_documents: Visualitza els documents
315 permission_view_documents: Visualitza els documents
316 permission_manage_files: Gestiona els fitxers
316 permission_manage_files: Gestiona els fitxers
317 permission_view_files: Visualitza els fitxers
317 permission_view_files: Visualitza els fitxers
318 permission_manage_wiki: Gestiona el wiki
318 permission_manage_wiki: Gestiona el wiki
319 permission_rename_wiki_pages: Canvia el nom de les pàgines wiki
319 permission_rename_wiki_pages: Canvia el nom de les pàgines wiki
320 permission_delete_wiki_pages: Suprimeix les pàgines wiki
320 permission_delete_wiki_pages: Suprimeix les pàgines wiki
321 permission_view_wiki_pages: Visualitza el wiki
321 permission_view_wiki_pages: Visualitza el wiki
322 permission_view_wiki_edits: "Visualitza l'historial del wiki"
322 permission_view_wiki_edits: "Visualitza l'historial del wiki"
323 permission_edit_wiki_pages: Edita les pàgines wiki
323 permission_edit_wiki_pages: Edita les pàgines wiki
324 permission_delete_wiki_pages_attachments: Suprimeix adjunts
324 permission_delete_wiki_pages_attachments: Suprimeix adjunts
325 permission_protect_wiki_pages: Protegeix les pàgines wiki
325 permission_protect_wiki_pages: Protegeix les pàgines wiki
326 permission_manage_repository: Gestiona el dipòsit
326 permission_manage_repository: Gestiona el dipòsit
327 permission_browse_repository: Navega pel dipòsit
327 permission_browse_repository: Navega pel dipòsit
328 permission_view_changesets: Visualitza els canvis realitzats
328 permission_view_changesets: Visualitza els canvis realitzats
329 permission_commit_access: Accés a les publicacions
329 permission_commit_access: Accés a les publicacions
330 permission_manage_boards: Gestiona els taulers
330 permission_manage_boards: Gestiona els taulers
331 permission_view_messages: Visualitza els missatges
331 permission_view_messages: Visualitza els missatges
332 permission_add_messages: Envia missatges
332 permission_add_messages: Envia missatges
333 permission_edit_messages: Edita els missatges
333 permission_edit_messages: Edita els missatges
334 permission_edit_own_messages: Edita els missatges propis
334 permission_edit_own_messages: Edita els missatges propis
335 permission_delete_messages: Suprimeix els missatges
335 permission_delete_messages: Suprimeix els missatges
336 permission_delete_own_messages: Suprimeix els missatges propis
336 permission_delete_own_messages: Suprimeix els missatges propis
337
337
338 project_module_issue_tracking: "Seguidor d'assumptes"
338 project_module_issue_tracking: "Seguidor d'assumptes"
339 project_module_time_tracking: Seguidor de temps
339 project_module_time_tracking: Seguidor de temps
340 project_module_news: Noticies
340 project_module_news: Noticies
341 project_module_documents: Documents
341 project_module_documents: Documents
342 project_module_files: Fitxers
342 project_module_files: Fitxers
343 project_module_wiki: Wiki
343 project_module_wiki: Wiki
344 project_module_repository: Dipòsit
344 project_module_repository: Dipòsit
345 project_module_boards: Taulers
345 project_module_boards: Taulers
346
346
347 label_user: Usuari
347 label_user: Usuari
348 label_user_plural: Usuaris
348 label_user_plural: Usuaris
349 label_user_new: Usuari nou
349 label_user_new: Usuari nou
350 label_project: Projecte
350 label_project: Projecte
351 label_project_new: Projecte nou
351 label_project_new: Projecte nou
352 label_project_plural: Projectes
352 label_project_plural: Projectes
353 label_x_projects:
353 label_x_projects:
354 zero: cap projecte
354 zero: cap projecte
355 one: 1 projecte
355 one: 1 projecte
356 other: "{{count}} projectes"
356 other: "{{count}} projectes"
357 label_project_all: Tots els projectes
357 label_project_all: Tots els projectes
358 label_project_latest: Els últims projectes
358 label_project_latest: Els últims projectes
359 label_issue: Assumpte
359 label_issue: Assumpte
360 label_issue_new: Assumpte nou
360 label_issue_new: Assumpte nou
361 label_issue_plural: Assumptes
361 label_issue_plural: Assumptes
362 label_issue_view_all: Visualitza tots els assumptes
362 label_issue_view_all: Visualitza tots els assumptes
363 label_issues_by: "Assumptes per {{value}}"
363 label_issues_by: "Assumptes per {{value}}"
364 label_issue_added: Assumpte afegit
364 label_issue_added: Assumpte afegit
365 label_issue_updated: Assumpte actualitzat
365 label_issue_updated: Assumpte actualitzat
366 label_document: Document
366 label_document: Document
367 label_document_new: Document nou
367 label_document_new: Document nou
368 label_document_plural: Documents
368 label_document_plural: Documents
369 label_document_added: Document afegit
369 label_document_added: Document afegit
370 label_role: Rol
370 label_role: Rol
371 label_role_plural: Rols
371 label_role_plural: Rols
372 label_role_new: Rol nou
372 label_role_new: Rol nou
373 label_role_and_permissions: Rols i permisos
373 label_role_and_permissions: Rols i permisos
374 label_member: Membre
374 label_member: Membre
375 label_member_new: Membre nou
375 label_member_new: Membre nou
376 label_member_plural: Membres
376 label_member_plural: Membres
377 label_tracker: Seguidor
377 label_tracker: Seguidor
378 label_tracker_plural: Seguidors
378 label_tracker_plural: Seguidors
379 label_tracker_new: Seguidor nou
379 label_tracker_new: Seguidor nou
380 label_workflow: Flux de treball
380 label_workflow: Flux de treball
381 label_issue_status: "Estat de l'assumpte"
381 label_issue_status: "Estat de l'assumpte"
382 label_issue_status_plural: "Estats de l'assumpte"
382 label_issue_status_plural: "Estats de l'assumpte"
383 label_issue_status_new: Estat nou
383 label_issue_status_new: Estat nou
384 label_issue_category: "Categoria de l'assumpte"
384 label_issue_category: "Categoria de l'assumpte"
385 label_issue_category_plural: "Categories de l'assumpte"
385 label_issue_category_plural: "Categories de l'assumpte"
386 label_issue_category_new: Categoria nova
386 label_issue_category_new: Categoria nova
387 label_custom_field: Camp personalitzat
387 label_custom_field: Camp personalitzat
388 label_custom_field_plural: Camps personalitzats
388 label_custom_field_plural: Camps personalitzats
389 label_custom_field_new: Camp personalitzat nou
389 label_custom_field_new: Camp personalitzat nou
390 label_enumerations: Enumeracions
390 label_enumerations: Enumeracions
391 label_enumeration_new: Valor nou
391 label_enumeration_new: Valor nou
392 label_information: Informació
392 label_information: Informació
393 label_information_plural: Informació
393 label_information_plural: Informació
394 label_please_login: Entreu
394 label_please_login: Entreu
395 label_register: Registre
395 label_register: Registre
396 label_login_with_open_id_option: o entra amb l'OpenID
396 label_login_with_open_id_option: o entra amb l'OpenID
397 label_password_lost: Contrasenya perduda
397 label_password_lost: Contrasenya perduda
398 label_home: Inici
398 label_home: Inici
399 label_my_page: La meva pàgina
399 label_my_page: La meva pàgina
400 label_my_account: El meu compte
400 label_my_account: El meu compte
401 label_my_projects: Els meus projectes
401 label_my_projects: Els meus projectes
402 label_administration: Administració
402 label_administration: Administració
403 label_login: Entra
403 label_login: Entra
404 label_logout: Surt
404 label_logout: Surt
405 label_help: Ajuda
405 label_help: Ajuda
406 label_reported_issues: Assumptes informats
406 label_reported_issues: Assumptes informats
407 label_assigned_to_me_issues: Assumptes assignats a mi
407 label_assigned_to_me_issues: Assumptes assignats a mi
408 label_last_login: Última connexió
408 label_last_login: Última connexió
409 label_registered_on: Informat el
409 label_registered_on: Informat el
410 label_activity: Activitat
410 label_activity: Activitat
411 label_overall_activity: Activitat global
411 label_overall_activity: Activitat global
412 label_user_activity: "Activitat de {{value}}"
412 label_user_activity: "Activitat de {{value}}"
413 label_new: Nou
413 label_new: Nou
414 label_logged_as: Heu entrat com a
414 label_logged_as: Heu entrat com a
415 label_environment: Entorn
415 label_environment: Entorn
416 label_authentication: Autenticació
416 label_authentication: Autenticació
417 label_auth_source: "Mode d'autenticació"
417 label_auth_source: "Mode d'autenticació"
418 label_auth_source_new: "Mode d'autenticació nou"
418 label_auth_source_new: "Mode d'autenticació nou"
419 label_auth_source_plural: "Modes d'autenticació"
419 label_auth_source_plural: "Modes d'autenticació"
420 label_subproject_plural: Subprojectes
420 label_subproject_plural: Subprojectes
421 label_and_its_subprojects: "{{value}} i els seus subprojectes"
421 label_and_its_subprojects: "{{value}} i els seus subprojectes"
422 label_min_max_length: Longitud mín - max
422 label_min_max_length: Longitud mín - max
423 label_list: Llist
423 label_list: Llist
424 label_date: Data
424 label_date: Data
425 label_integer: Enter
425 label_integer: Enter
426 label_float: Flotant
426 label_float: Flotant
427 label_boolean: Booleà
427 label_boolean: Booleà
428 label_string: Text
428 label_string: Text
429 label_text: Text llarg
429 label_text: Text llarg
430 label_attribute: Atribut
430 label_attribute: Atribut
431 label_attribute_plural: Atributs
431 label_attribute_plural: Atributs
432 label_download: "{{count}} baixada"
432 label_download: "{{count}} baixada"
433 label_download_plural: "{{count}} baixades"
433 label_download_plural: "{{count}} baixades"
434 label_no_data: Sense dades a mostrar
434 label_no_data: Sense dades a mostrar
435 label_change_status: "Canvia l'estat"
435 label_change_status: "Canvia l'estat"
436 label_history: Historial
436 label_history: Historial
437 label_attachment: Fitxer
437 label_attachment: Fitxer
438 label_attachment_new: Fitxer nou
438 label_attachment_new: Fitxer nou
439 label_attachment_delete: Suprimeix el fitxer
439 label_attachment_delete: Suprimeix el fitxer
440 label_attachment_plural: Fitxers
440 label_attachment_plural: Fitxers
441 label_file_added: Fitxer afegit
441 label_file_added: Fitxer afegit
442 label_report: Informe
442 label_report: Informe
443 label_report_plural: Informes
443 label_report_plural: Informes
444 label_news: Noticies
444 label_news: Noticies
445 label_news_new: Afegeix noticies
445 label_news_new: Afegeix noticies
446 label_news_plural: Noticies
446 label_news_plural: Noticies
447 label_news_latest: Últimes noticies
447 label_news_latest: Últimes noticies
448 label_news_view_all: Visualitza totes les noticies
448 label_news_view_all: Visualitza totes les noticies
449 label_news_added: Noticies afegides
449 label_news_added: Noticies afegides
450 label_change_log: Registre de canvis
450 label_change_log: Registre de canvis
451 label_settings: Paràmetres
451 label_settings: Paràmetres
452 label_overview: Resum
452 label_overview: Resum
453 label_version: Versió
453 label_version: Versió
454 label_version_new: Versió nova
454 label_version_new: Versió nova
455 label_version_plural: Versions
455 label_version_plural: Versions
456 label_confirmation: Confirmació
456 label_confirmation: Confirmació
457 label_export_to: 'També disponible a:'
457 label_export_to: 'També disponible a:'
458 label_read: Llegeix...
458 label_read: Llegeix...
459 label_public_projects: Projectes públics
459 label_public_projects: Projectes públics
460 label_open_issues: obert
460 label_open_issues: obert
461 label_open_issues_plural: oberts
461 label_open_issues_plural: oberts
462 label_closed_issues: tancat
462 label_closed_issues: tancat
463 label_closed_issues_plural: tancats
463 label_closed_issues_plural: tancats
464 label_x_open_issues_abbr_on_total:
464 label_x_open_issues_abbr_on_total:
465 zero: 0 oberts / {{total}}
465 zero: 0 oberts / {{total}}
466 one: 1 obert / {{total}}
466 one: 1 obert / {{total}}
467 other: "{{count}} oberts / {{total}}"
467 other: "{{count}} oberts / {{total}}"
468 label_x_open_issues_abbr:
468 label_x_open_issues_abbr:
469 zero: 0 oberts
469 zero: 0 oberts
470 one: 1 obert
470 one: 1 obert
471 other: "{{count}} oberts"
471 other: "{{count}} oberts"
472 label_x_closed_issues_abbr:
472 label_x_closed_issues_abbr:
473 zero: 0 tancats
473 zero: 0 tancats
474 one: 1 tancat
474 one: 1 tancat
475 other: "{{count}} tancats"
475 other: "{{count}} tancats"
476 label_total: Total
476 label_total: Total
477 label_permissions: Permisos
477 label_permissions: Permisos
478 label_current_status: Estat actual
478 label_current_status: Estat actual
479 label_new_statuses_allowed: Nous estats autoritzats
479 label_new_statuses_allowed: Nous estats autoritzats
480 label_all: tots
480 label_all: tots
481 label_none: cap
481 label_none: cap
482 label_nobody: ningú
482 label_nobody: ningú
483 label_next: Següent
483 label_next: Següent
484 label_previous: Anterior
484 label_previous: Anterior
485 label_used_by: Utilitzat per
485 label_used_by: Utilitzat per
486 label_details: Detalls
486 label_details: Detalls
487 label_add_note: Afegeix una nota
487 label_add_note: Afegeix una nota
488 label_per_page: Per pàgina
488 label_per_page: Per pàgina
489 label_calendar: Calendari
489 label_calendar: Calendari
490 label_months_from: mesos des de
490 label_months_from: mesos des de
491 label_gantt: Gantt
491 label_gantt: Gantt
492 label_internal: Intern
492 label_internal: Intern
493 label_last_changes: "últims {{count}} canvis"
493 label_last_changes: "últims {{count}} canvis"
494 label_change_view_all: Visualitza tots els canvis
494 label_change_view_all: Visualitza tots els canvis
495 label_personalize_page: Personalitza aquesta pàgina
495 label_personalize_page: Personalitza aquesta pàgina
496 label_comment: Comentari
496 label_comment: Comentari
497 label_comment_plural: Comentaris
497 label_comment_plural: Comentaris
498 label_x_comments:
498 label_x_comments:
499 zero: sense comentaris
499 zero: sense comentaris
500 one: 1 comentari
500 one: 1 comentari
501 other: "{{count}} comentaris"
501 other: "{{count}} comentaris"
502 label_comment_add: Afegeix un comentari
502 label_comment_add: Afegeix un comentari
503 label_comment_added: Comentari afegit
503 label_comment_added: Comentari afegit
504 label_comment_delete: Suprimeix comentaris
504 label_comment_delete: Suprimeix comentaris
505 label_query: Consulta personalitzada
505 label_query: Consulta personalitzada
506 label_query_plural: Consultes personalitzades
506 label_query_plural: Consultes personalitzades
507 label_query_new: Consulta nova
507 label_query_new: Consulta nova
508 label_filter_add: Afegeix un filtre
508 label_filter_add: Afegeix un filtre
509 label_filter_plural: Filtres
509 label_filter_plural: Filtres
510 label_equals: és
510 label_equals: és
511 label_not_equals: no és
511 label_not_equals: no és
512 label_in_less_than: en menys de
512 label_in_less_than: en menys de
513 label_in_more_than: en més de
513 label_in_more_than: en més de
514 label_in: en
514 label_in: en
515 label_today: avui
515 label_today: avui
516 label_all_time: tot el temps
516 label_all_time: tot el temps
517 label_yesterday: ahir
517 label_yesterday: ahir
518 label_this_week: aquesta setmana
518 label_this_week: aquesta setmana
519 label_last_week: "l'última setmana"
519 label_last_week: "l'última setmana"
520 label_last_n_days: "els últims {{count}} dies"
520 label_last_n_days: "els últims {{count}} dies"
521 label_this_month: aquest més
521 label_this_month: aquest més
522 label_last_month: "l'últim més"
522 label_last_month: "l'últim més"
523 label_this_year: aquest any
523 label_this_year: aquest any
524 label_date_range: Abast de les dates
524 label_date_range: Abast de les dates
525 label_less_than_ago: fa menys de
525 label_less_than_ago: fa menys de
526 label_more_than_ago: fa més de
526 label_more_than_ago: fa més de
527 label_ago: fa
527 label_ago: fa
528 label_contains: conté
528 label_contains: conté
529 label_not_contains: no conté
529 label_not_contains: no conté
530 label_day_plural: dies
530 label_day_plural: dies
531 label_repository: Dipòsit
531 label_repository: Dipòsit
532 label_repository_plural: Dipòsits
532 label_repository_plural: Dipòsits
533 label_browse: Navega
533 label_browse: Navega
534 label_modification: "{{count}} canvi"
534 label_modification: "{{count}} canvi"
535 label_modification_plural: "{{count}} canvis"
535 label_modification_plural: "{{count}} canvis"
536 label_revision: Revisió
536 label_revision: Revisió
537 label_revision_plural: Revisions
537 label_revision_plural: Revisions
538 label_associated_revisions: Revisions associades
538 label_associated_revisions: Revisions associades
539 label_added: afegit
539 label_added: afegit
540 label_modified: modificat
540 label_modified: modificat
541 label_renamed: reanomenat
541 label_renamed: reanomenat
542 label_copied: copiat
542 label_copied: copiat
543 label_deleted: suprimit
543 label_deleted: suprimit
544 label_latest_revision: Última revisió
544 label_latest_revision: Última revisió
545 label_latest_revision_plural: Últimes revisions
545 label_latest_revision_plural: Últimes revisions
546 label_view_revisions: Visualitza les revisions
546 label_view_revisions: Visualitza les revisions
547 label_max_size: Mida màxima
547 label_max_size: Mida màxima
548 label_sort_highest: Mou a la part superior
548 label_sort_highest: Mou a la part superior
549 label_sort_higher: Mou cap amunt
549 label_sort_higher: Mou cap amunt
550 label_sort_lower: Mou cap avall
550 label_sort_lower: Mou cap avall
551 label_sort_lowest: Mou a la part inferior
551 label_sort_lowest: Mou a la part inferior
552 label_roadmap: Planificació
552 label_roadmap: Planificació
553 label_roadmap_due_in: "Venç en {{value}}"
553 label_roadmap_due_in: "Venç en {{value}}"
554 label_roadmap_overdue: "{{value}} tard"
554 label_roadmap_overdue: "{{value}} tard"
555 label_roadmap_no_issues: No hi ha assumptes per a aquesta versió
555 label_roadmap_no_issues: No hi ha assumptes per a aquesta versió
556 label_search: Cerca
556 label_search: Cerca
557 label_result_plural: Resultats
557 label_result_plural: Resultats
558 label_all_words: Totes les paraules
558 label_all_words: Totes les paraules
559 label_wiki: Wiki
559 label_wiki: Wiki
560 label_wiki_edit: Edició wiki
560 label_wiki_edit: Edició wiki
561 label_wiki_edit_plural: Edicions wiki
561 label_wiki_edit_plural: Edicions wiki
562 label_wiki_page: Pàgina wiki
562 label_wiki_page: Pàgina wiki
563 label_wiki_page_plural: Pàgines wiki
563 label_wiki_page_plural: Pàgines wiki
564 label_index_by_title: Índex per títol
564 label_index_by_title: Índex per títol
565 label_index_by_date: Índex per data
565 label_index_by_date: Índex per data
566 label_current_version: Versió actual
566 label_current_version: Versió actual
567 label_preview: Previsualització
567 label_preview: Previsualització
568 label_feed_plural: Canals
568 label_feed_plural: Canals
569 label_changes_details: Detalls de tots els canvis
569 label_changes_details: Detalls de tots els canvis
570 label_issue_tracking: "Seguiment d'assumptes"
570 label_issue_tracking: "Seguiment d'assumptes"
571 label_spent_time: Temps invertit
571 label_spent_time: Temps invertit
572 label_f_hour: "{{value}} hora"
572 label_f_hour: "{{value}} hora"
573 label_f_hour_plural: "{{value}} hores"
573 label_f_hour_plural: "{{value}} hores"
574 label_time_tracking: Temps de seguiment
574 label_time_tracking: Temps de seguiment
575 label_change_plural: Canvis
575 label_change_plural: Canvis
576 label_statistics: Estadístiques
576 label_statistics: Estadístiques
577 label_commits_per_month: Publicacions per mes
577 label_commits_per_month: Publicacions per mes
578 label_commits_per_author: Publicacions per autor
578 label_commits_per_author: Publicacions per autor
579 label_view_diff: Visualitza les diferències
579 label_view_diff: Visualitza les diferències
580 label_diff_inline: en línia
580 label_diff_inline: en línia
581 label_diff_side_by_side: costat per costat
581 label_diff_side_by_side: costat per costat
582 label_options: Opcions
582 label_options: Opcions
583 label_copy_workflow_from: Copia el flux de treball des de
583 label_copy_workflow_from: Copia el flux de treball des de
584 label_permissions_report: Informe de permisos
584 label_permissions_report: Informe de permisos
585 label_watched_issues: Assumptes vigilats
585 label_watched_issues: Assumptes vigilats
586 label_related_issues: Assumptes relacionats
586 label_related_issues: Assumptes relacionats
587 label_applied_status: Estat aplicat
587 label_applied_status: Estat aplicat
588 label_loading: "S'està carregant..."
588 label_loading: "S'està carregant..."
589 label_relation_new: Relació nova
589 label_relation_new: Relació nova
590 label_relation_delete: Suprimeix la relació
590 label_relation_delete: Suprimeix la relació
591 label_relates_to: relacionat amb
591 label_relates_to: relacionat amb
592 label_duplicates: duplicats
592 label_duplicates: duplicats
593 label_duplicated_by: duplicat per
593 label_duplicated_by: duplicat per
594 label_blocks: bloqueja
594 label_blocks: bloqueja
595 label_blocked_by: bloquejats per
595 label_blocked_by: bloquejats per
596 label_precedes: anterior a
596 label_precedes: anterior a
597 label_follows: posterior a
597 label_follows: posterior a
598 label_end_to_start: final al començament
598 label_end_to_start: final al començament
599 label_end_to_end: final al final
599 label_end_to_end: final al final
600 label_start_to_start: començament al començament
600 label_start_to_start: començament al començament
601 label_start_to_end: començament al final
601 label_start_to_end: començament al final
602 label_stay_logged_in: "Manté l'entrada"
602 label_stay_logged_in: "Manté l'entrada"
603 label_disabled: inhabilitat
603 label_disabled: inhabilitat
604 label_show_completed_versions: Mostra les versions completes
604 label_show_completed_versions: Mostra les versions completes
605 label_me: jo mateix
605 label_me: jo mateix
606 label_board: Fòrum
606 label_board: Fòrum
607 label_board_new: Fòrum nou
607 label_board_new: Fòrum nou
608 label_board_plural: Fòrums
608 label_board_plural: Fòrums
609 label_topic_plural: Temes
609 label_topic_plural: Temes
610 label_message_plural: Missatges
610 label_message_plural: Missatges
611 label_message_last: Últim missatge
611 label_message_last: Últim missatge
612 label_message_new: Missatge nou
612 label_message_new: Missatge nou
613 label_message_posted: Missatge afegit
613 label_message_posted: Missatge afegit
614 label_reply_plural: Respostes
614 label_reply_plural: Respostes
615 label_send_information: "Envia la informació del compte a l'usuari"
615 label_send_information: "Envia la informació del compte a l'usuari"
616 label_year: Any
616 label_year: Any
617 label_month: Mes
617 label_month: Mes
618 label_week: Setmana
618 label_week: Setmana
619 label_date_from: Des de
619 label_date_from: Des de
620 label_date_to: A
620 label_date_to: A
621 label_language_based: "Basat en l'idioma de l'usuari"
621 label_language_based: "Basat en l'idioma de l'usuari"
622 label_sort_by: "Ordena per {{value}}"
622 label_sort_by: "Ordena per {{value}}"
623 label_send_test_email: Envia un correu electrònic de prova
623 label_send_test_email: Envia un correu electrònic de prova
624 label_feeds_access_key_created_on: "Clau d'accés del RSS creada fa {{value}}"
624 label_feeds_access_key_created_on: "Clau d'accés del RSS creada fa {{value}}"
625 label_module_plural: Mòduls
625 label_module_plural: Mòduls
626 label_added_time_by: "Afegit per {{author}} fa {{age}}"
626 label_added_time_by: "Afegit per {{author}} fa {{age}}"
627 label_updated_time_by: "Actualitzat per {{author}} fa {{age}}"
627 label_updated_time_by: "Actualitzat per {{author}} fa {{age}}"
628 label_updated_time: "Actualitzat fa {{value}}"
628 label_updated_time: "Actualitzat fa {{value}}"
629 label_jump_to_a_project: Salta al projecte...
629 label_jump_to_a_project: Salta al projecte...
630 label_file_plural: Fitxers
630 label_file_plural: Fitxers
631 label_changeset_plural: Conjunt de canvis
631 label_changeset_plural: Conjunt de canvis
632 label_default_columns: Columnes predeterminades
632 label_default_columns: Columnes predeterminades
633 label_no_change_option: (sense canvis)
633 label_no_change_option: (sense canvis)
634 label_bulk_edit_selected_issues: Edita en bloc els assumptes seleccionats
634 label_bulk_edit_selected_issues: Edita en bloc els assumptes seleccionats
635 label_theme: Tema
635 label_theme: Tema
636 label_default: Predeterminat
636 label_default: Predeterminat
637 label_search_titles_only: Cerca només en els títols
637 label_search_titles_only: Cerca només en els títols
638 label_user_mail_option_all: "Per qualsevol esdeveniment en tots els meus projectes"
638 label_user_mail_option_all: "Per qualsevol esdeveniment en tots els meus projectes"
639 label_user_mail_option_selected: "Per qualsevol esdeveniment en els projectes seleccionats..."
639 label_user_mail_option_selected: "Per qualsevol esdeveniment en els projectes seleccionats..."
640 label_user_mail_option_none: "Només per les coses que vigilo o hi estic implicat"
640 label_user_mail_option_none: "Només per les coses que vigilo o hi estic implicat"
641 label_user_mail_no_self_notified: "No vull ser notificat pels canvis que faig jo mateix"
641 label_user_mail_no_self_notified: "No vull ser notificat pels canvis que faig jo mateix"
642 label_registration_activation_by_email: activació del compte per correu electrònic
642 label_registration_activation_by_email: activació del compte per correu electrònic
643 label_registration_manual_activation: activació del compte manual
643 label_registration_manual_activation: activació del compte manual
644 label_registration_automatic_activation: activació del compte automàtica
644 label_registration_automatic_activation: activació del compte automàtica
645 label_display_per_page: "Per pàgina: {{value}}"
645 label_display_per_page: "Per pàgina: {{value}}"
646 label_age: Edat
646 label_age: Edat
647 label_change_properties: Canvia les propietats
647 label_change_properties: Canvia les propietats
648 label_general: General
648 label_general: General
649 label_more: Més
649 label_more: Més
650 label_scm: SCM
650 label_scm: SCM
651 label_plugins: Connectors
651 label_plugins: Connectors
652 label_ldap_authentication: Autenticació LDAP
652 label_ldap_authentication: Autenticació LDAP
653 label_downloads_abbr: Baixades
653 label_downloads_abbr: Baixades
654 label_optional_description: Descripció opcional
654 label_optional_description: Descripció opcional
655 label_add_another_file: Afegeix un altre fitxer
655 label_add_another_file: Afegeix un altre fitxer
656 label_preferences: Preferències
656 label_preferences: Preferències
657 label_chronological_order: En ordre cronològic
657 label_chronological_order: En ordre cronològic
658 label_reverse_chronological_order: En ordre cronològic invers
658 label_reverse_chronological_order: En ordre cronològic invers
659 label_planning: Planificació
659 label_planning: Planificació
660 label_incoming_emails: "Correu electrònics d'entrada"
660 label_incoming_emails: "Correu electrònics d'entrada"
661 label_generate_key: Genera una clau
661 label_generate_key: Genera una clau
662 label_issue_watchers: Vigilàncies
662 label_issue_watchers: Vigilàncies
663 label_example: Exemple
663 label_example: Exemple
664 label_display: Mostra
664 label_display: Mostra
665 label_sort: Ordena
665 label_sort: Ordena
666 label_ascending: Ascendent
666 label_ascending: Ascendent
667 label_descending: Descendent
667 label_descending: Descendent
668 label_date_from_to: Des de {{start}} a {{end}}
668 label_date_from_to: Des de {{start}} a {{end}}
669
669
670 button_login: Entra
670 button_login: Entra
671 button_submit: Tramet
671 button_submit: Tramet
672 button_save: Desa
672 button_save: Desa
673 button_check_all: Activa-ho tot
673 button_check_all: Activa-ho tot
674 button_uncheck_all: Desactiva-ho tot
674 button_uncheck_all: Desactiva-ho tot
675 button_delete: Suprimeix
675 button_delete: Suprimeix
676 button_create: Crea
676 button_create: Crea
677 button_create_and_continue: Crea i continua
677 button_create_and_continue: Crea i continua
678 button_test: Test
678 button_test: Test
679 button_edit: Edit
679 button_edit: Edit
680 button_add: Afegeix
680 button_add: Afegeix
681 button_change: Canvia
681 button_change: Canvia
682 button_apply: Aplica
682 button_apply: Aplica
683 button_clear: Neteja
683 button_clear: Neteja
684 button_lock: Bloca
684 button_lock: Bloca
685 button_unlock: Desbloca
685 button_unlock: Desbloca
686 button_download: Baixa
686 button_download: Baixa
687 button_list: Llista
687 button_list: Llista
688 button_view: Visualitza
688 button_view: Visualitza
689 button_move: Mou
689 button_move: Mou
690 button_back: Enrere
690 button_back: Enrere
691 button_cancel: Cancel·la
691 button_cancel: Cancel·la
692 button_activate: Activa
692 button_activate: Activa
693 button_sort: Ordena
693 button_sort: Ordena
694 button_log_time: "Hora d'entrada"
694 button_log_time: "Hora d'entrada"
695 button_rollback: Torna a aquesta versió
695 button_rollback: Torna a aquesta versió
696 button_watch: Vigila
696 button_watch: Vigila
697 button_unwatch: No vigilis
697 button_unwatch: No vigilis
698 button_reply: Resposta
698 button_reply: Resposta
699 button_archive: Arxiva
699 button_archive: Arxiva
700 button_unarchive: Desarxiva
700 button_unarchive: Desarxiva
701 button_reset: Reinicia
701 button_reset: Reinicia
702 button_rename: Reanomena
702 button_rename: Reanomena
703 button_change_password: Canvia la contrasenya
703 button_change_password: Canvia la contrasenya
704 button_copy: Copia
704 button_copy: Copia
705 button_annotate: Anota
705 button_annotate: Anota
706 button_update: Actualitza
706 button_update: Actualitza
707 button_configure: Configura
707 button_configure: Configura
708 button_quote: Cita
708 button_quote: Cita
709
709
710 status_active: actiu
710 status_active: actiu
711 status_registered: informat
711 status_registered: informat
712 status_locked: bloquejat
712 status_locked: bloquejat
713
713
714 text_select_mail_notifications: "Seleccioneu les accions per les quals s'hauria d'enviar una notificació per correu electrònic."
714 text_select_mail_notifications: "Seleccioneu les accions per les quals s'hauria d'enviar una notificació per correu electrònic."
715 text_regexp_info: ex. ^[A-Z0-9]+$
715 text_regexp_info: ex. ^[A-Z0-9]+$
716 text_min_max_length_info: 0 significa sense restricció
716 text_min_max_length_info: 0 significa sense restricció
717 text_project_destroy_confirmation: Segur que voleu suprimir aquest projecte i les dades relacionades?
717 text_project_destroy_confirmation: Segur que voleu suprimir aquest projecte i les dades relacionades?
718 text_subprojects_destroy_warning: "També seran suprimits els seus subprojectes: {{value}}."
718 text_subprojects_destroy_warning: "També seran suprimits els seus subprojectes: {{value}}."
719 text_workflow_edit: Seleccioneu un rol i un seguidor per a editar el flux de treball
719 text_workflow_edit: Seleccioneu un rol i un seguidor per a editar el flux de treball
720 text_are_you_sure: Segur?
720 text_are_you_sure: Segur?
721 text_journal_changed: "canviat des de {{old}} a {{new}}"
721 text_journal_changed: "canviat des de {{old}} a {{new}}"
722 text_journal_set_to: "establert a {{value}}"
722 text_journal_set_to: "establert a {{value}}"
723 text_journal_deleted: suprimit
723 text_journal_deleted: suprimit
724 text_tip_task_begin_day: "tasca que s'inicia aquest dia"
724 text_tip_task_begin_day: "tasca que s'inicia aquest dia"
725 text_tip_task_end_day: tasca que finalitza aquest dia
725 text_tip_task_end_day: tasca que finalitza aquest dia
726 text_tip_task_begin_end_day: "tasca que s'inicia i finalitza aquest dia"
726 text_tip_task_begin_end_day: "tasca que s'inicia i finalitza aquest dia"
727 text_project_identifier_info: "Es permeten lletres en minúscules (a-z), números i guions.<br />Un cop desat, l'identificador no es pot modificar."
727 text_project_identifier_info: "Es permeten lletres en minúscules (a-z), números i guions.<br />Un cop desat, l'identificador no es pot modificar."
728 text_caracters_maximum: "{{count}} caràcters com a màxim."
728 text_caracters_maximum: "{{count}} caràcters com a màxim."
729 text_caracters_minimum: "Com a mínim ha de tenir {{count}} caràcters."
729 text_caracters_minimum: "Com a mínim ha de tenir {{count}} caràcters."
730 text_length_between: "Longitud entre {{min}} i {{max}} caràcters."
730 text_length_between: "Longitud entre {{min}} i {{max}} caràcters."
731 text_tracker_no_workflow: "No s'ha definit cap flux de treball per a aquest seguidor"
731 text_tracker_no_workflow: "No s'ha definit cap flux de treball per a aquest seguidor"
732 text_unallowed_characters: Caràcters no permesos
732 text_unallowed_characters: Caràcters no permesos
733 text_comma_separated: Es permeten valors múltiples (separats per una coma).
733 text_comma_separated: Es permeten valors múltiples (separats per una coma).
734 text_issues_ref_in_commit_messages: Referència i soluciona els assumptes en els missatges publicats
734 text_issues_ref_in_commit_messages: Referència i soluciona els assumptes en els missatges publicats
735 text_issue_added: "L'assumpte {{id}} ha sigut informat per {{author}}."
735 text_issue_added: "L'assumpte {{id}} ha sigut informat per {{author}}."
736 text_issue_updated: "L'assumpte {{id}} ha sigut actualitzat per {{author}}."
736 text_issue_updated: "L'assumpte {{id}} ha sigut actualitzat per {{author}}."
737 text_wiki_destroy_confirmation: Segur que voleu suprimir aquest wiki i tots els seus continguts?
737 text_wiki_destroy_confirmation: Segur que voleu suprimir aquest wiki i tots els seus continguts?
738 text_issue_category_destroy_question: "Alguns assumptes ({{count}}) estan assignats a aquesta categoria. Què voleu fer?"
738 text_issue_category_destroy_question: "Alguns assumptes ({{count}}) estan assignats a aquesta categoria. Què voleu fer?"
739 text_issue_category_destroy_assignments: Suprimeix les assignacions de la categoria
739 text_issue_category_destroy_assignments: Suprimeix les assignacions de la categoria
740 text_issue_category_reassign_to: Torna a assignar els assumptes a aquesta categoria
740 text_issue_category_reassign_to: Torna a assignar els assumptes a aquesta categoria
741 text_user_mail_option: "Per als projectes no seleccionats, només rebreu notificacions sobre les coses que vigileu o que hi esteu implicat (ex. assumptes que en sou l'autor o hi esteu assignat)."
741 text_user_mail_option: "Per als projectes no seleccionats, només rebreu notificacions sobre les coses que vigileu o que hi esteu implicat (ex. assumptes que en sou l'autor o hi esteu assignat)."
742 text_no_configuration_data: "Encara no s'han configurat els rols, seguidors, estats de l'assumpte i flux de treball.\nÉs altament recomanable que carregueu la configuració predeterminada. Podreu modificar-la un cop carregada."
742 text_no_configuration_data: "Encara no s'han configurat els rols, seguidors, estats de l'assumpte i flux de treball.\nÉs altament recomanable que carregueu la configuració predeterminada. Podreu modificar-la un cop carregada."
743 text_load_default_configuration: Carrega la configuració predeterminada
743 text_load_default_configuration: Carrega la configuració predeterminada
744 text_status_changed_by_changeset: "Aplicat en el conjunt de canvis {{value}}."
744 text_status_changed_by_changeset: "Aplicat en el conjunt de canvis {{value}}."
745 text_issues_destroy_confirmation: "Segur que voleu suprimir els assumptes seleccionats?"
745 text_issues_destroy_confirmation: "Segur que voleu suprimir els assumptes seleccionats?"
746 text_select_project_modules: "Seleccioneu els mòduls a habilitar per a aquest projecte:"
746 text_select_project_modules: "Seleccioneu els mòduls a habilitar per a aquest projecte:"
747 text_default_administrator_account_changed: "S'ha canviat el compte d'administrador predeterminat"
747 text_default_administrator_account_changed: "S'ha canviat el compte d'administrador predeterminat"
748 text_file_repository_writable: Es pot escriure en el dipòsit de fitxers
748 text_file_repository_writable: Es pot escriure en el dipòsit de fitxers
749 text_plugin_assets_writable: Es pot escriure als connectors actius
749 text_plugin_assets_writable: Es pot escriure als connectors actius
750 text_rmagick_available: RMagick disponible (opcional)
750 text_rmagick_available: RMagick disponible (opcional)
751 text_destroy_time_entries_question: "S'han informat {{hours}} hores en els assumptes que aneu a suprimir. Què voleu fer?"
751 text_destroy_time_entries_question: "S'han informat {{hours}} hores en els assumptes que aneu a suprimir. Què voleu fer?"
752 text_destroy_time_entries: Suprimeix les hores informades
752 text_destroy_time_entries: Suprimeix les hores informades
753 text_assign_time_entries_to_project: Assigna les hores informades al projecte
753 text_assign_time_entries_to_project: Assigna les hores informades al projecte
754 text_reassign_time_entries: 'Torna a assignar les hores informades a aquest assumpte:'
754 text_reassign_time_entries: 'Torna a assignar les hores informades a aquest assumpte:'
755 text_user_wrote: "{{value}} va escriure:"
755 text_user_wrote: "{{value}} va escriure:"
756 text_enumeration_destroy_question: "{{count}} objectes estan assignats a aquest valor."
756 text_enumeration_destroy_question: "{{count}} objectes estan assignats a aquest valor."
757 text_enumeration_category_reassign_to: 'Torna a assignar-los a aquest valor:'
757 text_enumeration_category_reassign_to: 'Torna a assignar-los a aquest valor:'
758 text_email_delivery_not_configured: "El lliurament per correu electrònic no està configurat i les notificacions estan inhabilitades.\nConfigureu el servidor SMTP a config/email.yml i reinicieu l'aplicació per habilitar-lo."
758 text_email_delivery_not_configured: "El lliurament per correu electrònic no està configurat i les notificacions estan inhabilitades.\nConfigureu el servidor SMTP a config/email.yml i reinicieu l'aplicació per habilitar-lo."
759 text_repository_usernames_mapping: "Seleccioneu l'assignació entre els usuaris del Redmine i cada nom d'usuari trobat al dipòsit.\nEls usuaris amb el mateix nom d'usuari o correu del Redmine i del dipòsit s'assignaran automàticament."
759 text_repository_usernames_mapping: "Seleccioneu l'assignació entre els usuaris del Redmine i cada nom d'usuari trobat al dipòsit.\nEls usuaris amb el mateix nom d'usuari o correu del Redmine i del dipòsit s'assignaran automàticament."
760 text_diff_truncated: "... Aquestes diferències s'han trucat perquè excedeixen la mida màxima que es pot mostrar."
760 text_diff_truncated: "... Aquestes diferències s'han trucat perquè excedeixen la mida màxima que es pot mostrar."
761 text_custom_field_possible_values_info: 'Una línia per a cada valor'
761 text_custom_field_possible_values_info: 'Una línia per a cada valor'
762
762
763 default_role_manager: Gestor
763 default_role_manager: Gestor
764 default_role_developper: Desenvolupador
764 default_role_developper: Desenvolupador
765 default_role_reporter: Informador
765 default_role_reporter: Informador
766 default_tracker_bug: Error
766 default_tracker_bug: Error
767 default_tracker_feature: Característica
767 default_tracker_feature: Característica
768 default_tracker_support: Suport
768 default_tracker_support: Suport
769 default_issue_status_new: Nou
769 default_issue_status_new: Nou
770 default_issue_status_assigned: Assignat
770 default_issue_status_assigned: Assignat
771 default_issue_status_resolved: Resolt
771 default_issue_status_resolved: Resolt
772 default_issue_status_feedback: Comentaris
772 default_issue_status_feedback: Comentaris
773 default_issue_status_closed: Tancat
773 default_issue_status_closed: Tancat
774 default_issue_status_rejected: Rebutjat
774 default_issue_status_rejected: Rebutjat
775 default_doc_category_user: "Documentació d'usuari"
775 default_doc_category_user: "Documentació d'usuari"
776 default_doc_category_tech: Documentació tècnica
776 default_doc_category_tech: Documentació tècnica
777 default_priority_low: Baixa
777 default_priority_low: Baixa
778 default_priority_normal: Normal
778 default_priority_normal: Normal
779 default_priority_high: Alta
779 default_priority_high: Alta
780 default_priority_urgent: Urgent
780 default_priority_urgent: Urgent
781 default_priority_immediate: Immediata
781 default_priority_immediate: Immediata
782 default_activity_design: Disseny
782 default_activity_design: Disseny
783 default_activity_development: Desenvolupament
783 default_activity_development: Desenvolupament
784
784
785 enumeration_issue_priorities: Prioritat dels assumptes
785 enumeration_issue_priorities: Prioritat dels assumptes
786 enumeration_doc_categories: Categories del document
786 enumeration_doc_categories: Categories del document
787 enumeration_activities: Activitats (seguidor de temps)
787 enumeration_activities: Activitats (seguidor de temps)
788 label_greater_or_equal: ">="
788 label_greater_or_equal: ">="
789 label_less_or_equal: <=
789 label_less_or_equal: <=
790 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
790 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
791 text_wiki_page_reassign_children: Reassign child pages to this parent page
791 text_wiki_page_reassign_children: Reassign child pages to this parent page
792 text_wiki_page_nullify_children: Keep child pages as root pages
792 text_wiki_page_nullify_children: Keep child pages as root pages
793 text_wiki_page_destroy_children: Delete child pages and all their descendants
793 text_wiki_page_destroy_children: Delete child pages and all their descendants
794 setting_password_min_length: Minimum password length
794 setting_password_min_length: Minimum password length
795 field_group_by: Group results by
@@ -1,797 +1,798
1 cs:
1 cs:
2 date:
2 date:
3 formats:
3 formats:
4 # Use the strftime parameters for formats.
4 # Use the strftime parameters for formats.
5 # When no format has been given, it uses default.
5 # When no format has been given, it uses default.
6 # You can provide other formats here if you like!
6 # You can provide other formats here if you like!
7 default: "%Y-%m-%d"
7 default: "%Y-%m-%d"
8 short: "%b %d"
8 short: "%b %d"
9 long: "%B %d, %Y"
9 long: "%B %d, %Y"
10
10
11 day_names: [Neděle, Pondělí, Úterý, Středa, Čtvrtek, Pátek, Sobota]
11 day_names: [Neděle, Pondělí, Úterý, Středa, Čtvrtek, Pátek, Sobota]
12 abbr_day_names: [Ne, Po, Út, St, Čt, , So]
12 abbr_day_names: [Ne, Po, Út, St, Čt, , So]
13
13
14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 month_names: [~, Leden, Únor, Březen, Duben, Květen, Červen, Červenec, Srpen, Září, Říjen, Listopad, Prosinec]
15 month_names: [~, Leden, Únor, Březen, Duben, Květen, Červen, Červenec, Srpen, Září, Říjen, Listopad, Prosinec]
16 abbr_month_names: [~, Led, Úno, Bře, Dub, Kvě, Čer, Čec, Srp, Zář, Říj, Lis, Pro]
16 abbr_month_names: [~, Led, Úno, Bře, Dub, Kvě, Čer, Čec, Srp, Zář, Říj, Lis, Pro]
17 # Used in date_select and datime_select.
17 # Used in date_select and datime_select.
18 order: [ :year, :month, :day ]
18 order: [ :year, :month, :day ]
19
19
20 time:
20 time:
21 formats:
21 formats:
22 default: "%a, %d %b %Y %H:%M:%S %z"
22 default: "%a, %d %b %Y %H:%M:%S %z"
23 time: "%H:%M"
23 time: "%H:%M"
24 short: "%d %b %H:%M"
24 short: "%d %b %H:%M"
25 long: "%B %d, %Y %H:%M"
25 long: "%B %d, %Y %H:%M"
26 am: "am"
26 am: "am"
27 pm: "pm"
27 pm: "pm"
28
28
29 datetime:
29 datetime:
30 distance_in_words:
30 distance_in_words:
31 half_a_minute: "půl minuty"
31 half_a_minute: "půl minuty"
32 less_than_x_seconds:
32 less_than_x_seconds:
33 one: "méně než sekunda"
33 one: "méně než sekunda"
34 other: "méně než {{count}} sekund"
34 other: "méně než {{count}} sekund"
35 x_seconds:
35 x_seconds:
36 one: "1 sekunda"
36 one: "1 sekunda"
37 other: "{{count}} sekund"
37 other: "{{count}} sekund"
38 less_than_x_minutes:
38 less_than_x_minutes:
39 one: "méně než minuta"
39 one: "méně než minuta"
40 other: "méně než {{count}} minut"
40 other: "méně než {{count}} minut"
41 x_minutes:
41 x_minutes:
42 one: "1 minuta"
42 one: "1 minuta"
43 other: "{{count}} minut"
43 other: "{{count}} minut"
44 about_x_hours:
44 about_x_hours:
45 one: "asi 1 hodina"
45 one: "asi 1 hodina"
46 other: "asi {{count}} hodin"
46 other: "asi {{count}} hodin"
47 x_days:
47 x_days:
48 one: "1 den"
48 one: "1 den"
49 other: "{{count}} dnů"
49 other: "{{count}} dnů"
50 about_x_months:
50 about_x_months:
51 one: "asi 1 měsíc"
51 one: "asi 1 měsíc"
52 other: "asi {{count}} měsíců"
52 other: "asi {{count}} měsíců"
53 x_months:
53 x_months:
54 one: "1 měsíc"
54 one: "1 měsíc"
55 other: "{{count}} měsíců"
55 other: "{{count}} měsíců"
56 about_x_years:
56 about_x_years:
57 one: "asi 1 rok"
57 one: "asi 1 rok"
58 other: "asi {{count}} let"
58 other: "asi {{count}} let"
59 over_x_years:
59 over_x_years:
60 one: "více než 1 rok"
60 one: "více než 1 rok"
61 other: "více než {{count}} roky"
61 other: "více než {{count}} roky"
62
62
63 # Used in array.to_sentence.
63 # Used in array.to_sentence.
64 support:
64 support:
65 array:
65 array:
66 sentence_connector: "a"
66 sentence_connector: "a"
67 skip_last_comma: false
67 skip_last_comma: false
68
68
69 activerecord:
69 activerecord:
70 errors:
70 errors:
71 messages:
71 messages:
72 inclusion: "není zahrnuto v seznamu"
72 inclusion: "není zahrnuto v seznamu"
73 exclusion: "je rezervováno"
73 exclusion: "je rezervováno"
74 invalid: "je neplatné"
74 invalid: "je neplatné"
75 confirmation: "se neshoduje s potvrzením"
75 confirmation: "se neshoduje s potvrzením"
76 accepted: "musí být akceptováno"
76 accepted: "musí být akceptováno"
77 empty: "nemůže být prázdný"
77 empty: "nemůže být prázdný"
78 blank: "nemůže být prázdný"
78 blank: "nemůže být prázdný"
79 too_long: "je příliš dlouhý"
79 too_long: "je příliš dlouhý"
80 too_short: "je příliš krátký"
80 too_short: "je příliš krátký"
81 wrong_length: "má chybnou délku"
81 wrong_length: "má chybnou délku"
82 taken: "je již použito"
82 taken: "je již použito"
83 not_a_number: "není číslo"
83 not_a_number: "není číslo"
84 not_a_date: "není platné datum"
84 not_a_date: "není platné datum"
85 greater_than: "musí být větší než {{count}}"
85 greater_than: "musí být větší než {{count}}"
86 greater_than_or_equal_to: "musí být větší nebo rovno {{count}}"
86 greater_than_or_equal_to: "musí být větší nebo rovno {{count}}"
87 equal_to: "musí být přesně {{count}}"
87 equal_to: "musí být přesně {{count}}"
88 less_than: "musí být méně než {{count}}"
88 less_than: "musí být méně než {{count}}"
89 less_than_or_equal_to: "musí být méně nebo rovno {{count}}"
89 less_than_or_equal_to: "musí být méně nebo rovno {{count}}"
90 odd: "musí být liché"
90 odd: "musí být liché"
91 even: "musí být sudé"
91 even: "musí být sudé"
92 greater_than_start_date: "musí být větší než počáteční datum"
92 greater_than_start_date: "musí být větší než počáteční datum"
93 not_same_project: "nepatří stejnému projektu"
93 not_same_project: "nepatří stejnému projektu"
94 circular_dependency: "Tento vztah by vytvořil cyklickou závislost"
94 circular_dependency: "Tento vztah by vytvořil cyklickou závislost"
95
95
96 # Updated by Josef Liška <jl@chl.cz>
96 # Updated by Josef Liška <jl@chl.cz>
97 # CZ translation by Maxim Krušina | Massimo Filippi, s.r.o. | maxim@mxm.cz
97 # CZ translation by Maxim Krušina | Massimo Filippi, s.r.o. | maxim@mxm.cz
98 # Based on original CZ translation by Jan Kadleček
98 # Based on original CZ translation by Jan Kadleček
99
99
100 actionview_instancetag_blank_option: Prosím vyberte
100 actionview_instancetag_blank_option: Prosím vyberte
101
101
102 general_text_No: 'Ne'
102 general_text_No: 'Ne'
103 general_text_Yes: 'Ano'
103 general_text_Yes: 'Ano'
104 general_text_no: 'ne'
104 general_text_no: 'ne'
105 general_text_yes: 'ano'
105 general_text_yes: 'ano'
106 general_lang_name: 'Čeština'
106 general_lang_name: 'Čeština'
107 general_csv_separator: ','
107 general_csv_separator: ','
108 general_csv_decimal_separator: '.'
108 general_csv_decimal_separator: '.'
109 general_csv_encoding: UTF-8
109 general_csv_encoding: UTF-8
110 general_pdf_encoding: UTF-8
110 general_pdf_encoding: UTF-8
111 general_first_day_of_week: '1'
111 general_first_day_of_week: '1'
112
112
113 notice_account_updated: Účet byl úspěšně změněn.
113 notice_account_updated: Účet byl úspěšně změněn.
114 notice_account_invalid_creditentials: Chybné jméno nebo heslo
114 notice_account_invalid_creditentials: Chybné jméno nebo heslo
115 notice_account_password_updated: Heslo bylo úspěšně změněno.
115 notice_account_password_updated: Heslo bylo úspěšně změněno.
116 notice_account_wrong_password: Chybné heslo
116 notice_account_wrong_password: Chybné heslo
117 notice_account_register_done: Účet byl úspěšně vytvořen. Pro aktivaci účtu klikněte na odkaz v emailu, který vám byl zaslán.
117 notice_account_register_done: Účet byl úspěšně vytvořen. Pro aktivaci účtu klikněte na odkaz v emailu, který vám byl zaslán.
118 notice_account_unknown_email: Neznámý uživatel.
118 notice_account_unknown_email: Neznámý uživatel.
119 notice_can_t_change_password: Tento účet používá externí autentifikaci. Zde heslo změnit nemůžete.
119 notice_can_t_change_password: Tento účet používá externí autentifikaci. Zde heslo změnit nemůžete.
120 notice_account_lost_email_sent: Byl vám zaslán email s intrukcemi jak si nastavíte nové heslo.
120 notice_account_lost_email_sent: Byl vám zaslán email s intrukcemi jak si nastavíte nové heslo.
121 notice_account_activated: Váš účet byl aktivován. Nyní se můžete přihlásit.
121 notice_account_activated: Váš účet byl aktivován. Nyní se můžete přihlásit.
122 notice_successful_create: Úspěšně vytvořeno.
122 notice_successful_create: Úspěšně vytvořeno.
123 notice_successful_update: Úspěšně aktualizováno.
123 notice_successful_update: Úspěšně aktualizováno.
124 notice_successful_delete: Úspěšně odstraněno.
124 notice_successful_delete: Úspěšně odstraněno.
125 notice_successful_connection: Úspěšné připojení.
125 notice_successful_connection: Úspěšné připojení.
126 notice_file_not_found: Stránka na kterou se snažíte zobrazit neexistuje nebo byla smazána.
126 notice_file_not_found: Stránka na kterou se snažíte zobrazit neexistuje nebo byla smazána.
127 notice_locking_conflict: Údaje byly změněny jiným uživatelem.
127 notice_locking_conflict: Údaje byly změněny jiným uživatelem.
128 notice_scm_error: Entry and/or revision doesn't exist in the repository.
128 notice_scm_error: Entry and/or revision doesn't exist in the repository.
129 notice_not_authorized: Nemáte dostatečná práva pro zobrazení této stránky.
129 notice_not_authorized: Nemáte dostatečná práva pro zobrazení této stránky.
130 notice_email_sent: "Na adresu {{value}} byl odeslán email"
130 notice_email_sent: "Na adresu {{value}} byl odeslán email"
131 notice_email_error: "Při odesílání emailu nastala chyba ({{value}})"
131 notice_email_error: "Při odesílání emailu nastala chyba ({{value}})"
132 notice_feeds_access_key_reseted: Váš klíč pro přístup k RSS byl resetován.
132 notice_feeds_access_key_reseted: Váš klíč pro přístup k RSS byl resetován.
133 notice_failed_to_save_issues: "Failed to save {{count}} issue(s) on {{total}} selected: {{ids}}."
133 notice_failed_to_save_issues: "Failed to save {{count}} issue(s) on {{total}} selected: {{ids}}."
134 notice_no_issue_selected: "Nebyl zvolen žádný úkol. Prosím, zvolte úkoly, které chcete editovat"
134 notice_no_issue_selected: "Nebyl zvolen žádný úkol. Prosím, zvolte úkoly, které chcete editovat"
135 notice_account_pending: "Váš účet byl vytvořen, nyní čeká na schválení administrátorem."
135 notice_account_pending: "Váš účet byl vytvořen, nyní čeká na schválení administrátorem."
136 notice_default_data_loaded: Výchozí konfigurace úspěšně nahrána.
136 notice_default_data_loaded: Výchozí konfigurace úspěšně nahrána.
137
137
138 error_can_t_load_default_data: "Výchozí konfigurace nebyla nahrána: {{value}}"
138 error_can_t_load_default_data: "Výchozí konfigurace nebyla nahrána: {{value}}"
139 error_scm_not_found: "Položka a/nebo revize neexistují v repository."
139 error_scm_not_found: "Položka a/nebo revize neexistují v repository."
140 error_scm_command_failed: "Při pokusu o přístup k repository došlo k chybě: {{value}}"
140 error_scm_command_failed: "Při pokusu o přístup k repository došlo k chybě: {{value}}"
141 error_issue_not_found_in_project: 'Úkol nebyl nalezen nebo nepatří k tomuto projektu'
141 error_issue_not_found_in_project: 'Úkol nebyl nalezen nebo nepatří k tomuto projektu'
142
142
143 mail_subject_lost_password: "Vaše heslo ({{value}})"
143 mail_subject_lost_password: "Vaše heslo ({{value}})"
144 mail_body_lost_password: 'Pro změnu vašeho hesla klikněte na následující odkaz:'
144 mail_body_lost_password: 'Pro změnu vašeho hesla klikněte na následující odkaz:'
145 mail_subject_register: "Aktivace účtu ({{value}})"
145 mail_subject_register: "Aktivace účtu ({{value}})"
146 mail_body_register: 'Pro aktivaci vašeho účtu klikněte na následující odkaz:'
146 mail_body_register: 'Pro aktivaci vašeho účtu klikněte na následující odkaz:'
147 mail_body_account_information_external: "Pomocí vašeho účtu {{value}} se můžete přihlásit."
147 mail_body_account_information_external: "Pomocí vašeho účtu {{value}} se můžete přihlásit."
148 mail_body_account_information: Informace o vašem účtu
148 mail_body_account_information: Informace o vašem účtu
149 mail_subject_account_activation_request: "Aktivace {{value}} účtu"
149 mail_subject_account_activation_request: "Aktivace {{value}} účtu"
150 mail_body_account_activation_request: "Byl zaregistrován nový uživatel {{value}}. Aktivace jeho účtu závisí na vašem potvrzení."
150 mail_body_account_activation_request: "Byl zaregistrován nový uživatel {{value}}. Aktivace jeho účtu závisí na vašem potvrzení."
151
151
152 gui_validation_error: 1 chyba
152 gui_validation_error: 1 chyba
153 gui_validation_error_plural: "{{count}} chyb(y)"
153 gui_validation_error_plural: "{{count}} chyb(y)"
154
154
155 field_name: Název
155 field_name: Název
156 field_description: Popis
156 field_description: Popis
157 field_summary: Přehled
157 field_summary: Přehled
158 field_is_required: Povinné pole
158 field_is_required: Povinné pole
159 field_firstname: Jméno
159 field_firstname: Jméno
160 field_lastname: Příjmení
160 field_lastname: Příjmení
161 field_mail: Email
161 field_mail: Email
162 field_filename: Soubor
162 field_filename: Soubor
163 field_filesize: Velikost
163 field_filesize: Velikost
164 field_downloads: Staženo
164 field_downloads: Staženo
165 field_author: Autor
165 field_author: Autor
166 field_created_on: Vytvořeno
166 field_created_on: Vytvořeno
167 field_updated_on: Aktualizováno
167 field_updated_on: Aktualizováno
168 field_field_format: Formát
168 field_field_format: Formát
169 field_is_for_all: Pro všechny projekty
169 field_is_for_all: Pro všechny projekty
170 field_possible_values: Možné hodnoty
170 field_possible_values: Možné hodnoty
171 field_regexp: Regulární výraz
171 field_regexp: Regulární výraz
172 field_min_length: Minimální délka
172 field_min_length: Minimální délka
173 field_max_length: Maximální délka
173 field_max_length: Maximální délka
174 field_value: Hodnota
174 field_value: Hodnota
175 field_category: Kategorie
175 field_category: Kategorie
176 field_title: Název
176 field_title: Název
177 field_project: Projekt
177 field_project: Projekt
178 field_issue: Úkol
178 field_issue: Úkol
179 field_status: Stav
179 field_status: Stav
180 field_notes: Poznámka
180 field_notes: Poznámka
181 field_is_closed: Úkol uzavřen
181 field_is_closed: Úkol uzavřen
182 field_is_default: Výchozí stav
182 field_is_default: Výchozí stav
183 field_tracker: Fronta
183 field_tracker: Fronta
184 field_subject: Předmět
184 field_subject: Předmět
185 field_due_date: Uzavřít do
185 field_due_date: Uzavřít do
186 field_assigned_to: Přiřazeno
186 field_assigned_to: Přiřazeno
187 field_priority: Priorita
187 field_priority: Priorita
188 field_fixed_version: Přiřazeno k verzi
188 field_fixed_version: Přiřazeno k verzi
189 field_user: Uživatel
189 field_user: Uživatel
190 field_role: Role
190 field_role: Role
191 field_homepage: Homepage
191 field_homepage: Homepage
192 field_is_public: Veřejný
192 field_is_public: Veřejný
193 field_parent: Nadřazený projekt
193 field_parent: Nadřazený projekt
194 field_is_in_chlog: Úkoly zobrazené v změnovém logu
194 field_is_in_chlog: Úkoly zobrazené v změnovém logu
195 field_is_in_roadmap: Úkoly zobrazené v plánu
195 field_is_in_roadmap: Úkoly zobrazené v plánu
196 field_login: Přihlášení
196 field_login: Přihlášení
197 field_mail_notification: Emailová oznámení
197 field_mail_notification: Emailová oznámení
198 field_admin: Administrátor
198 field_admin: Administrátor
199 field_last_login_on: Poslední přihlášení
199 field_last_login_on: Poslední přihlášení
200 field_language: Jazyk
200 field_language: Jazyk
201 field_effective_date: Datum
201 field_effective_date: Datum
202 field_password: Heslo
202 field_password: Heslo
203 field_new_password: Nové heslo
203 field_new_password: Nové heslo
204 field_password_confirmation: Potvrzení
204 field_password_confirmation: Potvrzení
205 field_version: Verze
205 field_version: Verze
206 field_type: Typ
206 field_type: Typ
207 field_host: Host
207 field_host: Host
208 field_port: Port
208 field_port: Port
209 field_account: Účet
209 field_account: Účet
210 field_base_dn: Base DN
210 field_base_dn: Base DN
211 field_attr_login: Přihlášení (atribut)
211 field_attr_login: Přihlášení (atribut)
212 field_attr_firstname: Jméno (atribut)
212 field_attr_firstname: Jméno (atribut)
213 field_attr_lastname: Příjemní (atribut)
213 field_attr_lastname: Příjemní (atribut)
214 field_attr_mail: Email (atribut)
214 field_attr_mail: Email (atribut)
215 field_onthefly: Automatické vytváření uživatelů
215 field_onthefly: Automatické vytváření uživatelů
216 field_start_date: Začátek
216 field_start_date: Začátek
217 field_done_ratio: % Hotovo
217 field_done_ratio: % Hotovo
218 field_auth_source: Autentifikační mód
218 field_auth_source: Autentifikační mód
219 field_hide_mail: Nezobrazovat můj email
219 field_hide_mail: Nezobrazovat můj email
220 field_comments: Komentář
220 field_comments: Komentář
221 field_url: URL
221 field_url: URL
222 field_start_page: Výchozí stránka
222 field_start_page: Výchozí stránka
223 field_subproject: Podprojekt
223 field_subproject: Podprojekt
224 field_hours: Hodiny
224 field_hours: Hodiny
225 field_activity: Aktivita
225 field_activity: Aktivita
226 field_spent_on: Datum
226 field_spent_on: Datum
227 field_identifier: Identifikátor
227 field_identifier: Identifikátor
228 field_is_filter: Použít jako filtr
228 field_is_filter: Použít jako filtr
229 field_issue_to_id: Související úkol
229 field_issue_to_id: Související úkol
230 field_delay: Zpoždění
230 field_delay: Zpoždění
231 field_assignable: Úkoly mohou být přiřazeny této roli
231 field_assignable: Úkoly mohou být přiřazeny této roli
232 field_redirect_existing_links: Přesměrovat stvávající odkazy
232 field_redirect_existing_links: Přesměrovat stvávající odkazy
233 field_estimated_hours: Odhadovaná doba
233 field_estimated_hours: Odhadovaná doba
234 field_column_names: Sloupce
234 field_column_names: Sloupce
235 field_time_zone: Časové pásmo
235 field_time_zone: Časové pásmo
236 field_searchable: Umožnit vyhledávání
236 field_searchable: Umožnit vyhledávání
237 field_default_value: Výchozí hodnota
237 field_default_value: Výchozí hodnota
238 field_comments_sorting: Zobrazit komentáře
238 field_comments_sorting: Zobrazit komentáře
239
239
240 setting_app_title: Název aplikace
240 setting_app_title: Název aplikace
241 setting_app_subtitle: Podtitulek aplikace
241 setting_app_subtitle: Podtitulek aplikace
242 setting_welcome_text: Uvítací text
242 setting_welcome_text: Uvítací text
243 setting_default_language: Výchozí jazyk
243 setting_default_language: Výchozí jazyk
244 setting_login_required: Auten. vyžadována
244 setting_login_required: Auten. vyžadována
245 setting_self_registration: Povolena automatická registrace
245 setting_self_registration: Povolena automatická registrace
246 setting_attachment_max_size: Maximální velikost přílohy
246 setting_attachment_max_size: Maximální velikost přílohy
247 setting_issues_export_limit: Limit pro export úkolů
247 setting_issues_export_limit: Limit pro export úkolů
248 setting_mail_from: Odesílat emaily z adresy
248 setting_mail_from: Odesílat emaily z adresy
249 setting_bcc_recipients: Příjemci skryté kopie (bcc)
249 setting_bcc_recipients: Příjemci skryté kopie (bcc)
250 setting_host_name: Host name
250 setting_host_name: Host name
251 setting_text_formatting: Formátování textu
251 setting_text_formatting: Formátování textu
252 setting_wiki_compression: Komperese historie Wiki
252 setting_wiki_compression: Komperese historie Wiki
253 setting_feeds_limit: Feed content limit
253 setting_feeds_limit: Feed content limit
254 setting_default_projects_public: Nové projekty nastavovat jako veřejné
254 setting_default_projects_public: Nové projekty nastavovat jako veřejné
255 setting_autofetch_changesets: Autofetch commits
255 setting_autofetch_changesets: Autofetch commits
256 setting_sys_api_enabled: Povolit WS pro správu repozitory
256 setting_sys_api_enabled: Povolit WS pro správu repozitory
257 setting_commit_ref_keywords: Klíčová slova pro odkazy
257 setting_commit_ref_keywords: Klíčová slova pro odkazy
258 setting_commit_fix_keywords: Klíčová slova pro uzavření
258 setting_commit_fix_keywords: Klíčová slova pro uzavření
259 setting_autologin: Automatické přihlašování
259 setting_autologin: Automatické přihlašování
260 setting_date_format: Formát data
260 setting_date_format: Formát data
261 setting_time_format: Formát času
261 setting_time_format: Formát času
262 setting_cross_project_issue_relations: Povolit vazby úkolů napříč projekty
262 setting_cross_project_issue_relations: Povolit vazby úkolů napříč projekty
263 setting_issue_list_default_columns: Výchozí sloupce zobrazené v seznamu úkolů
263 setting_issue_list_default_columns: Výchozí sloupce zobrazené v seznamu úkolů
264 setting_repositories_encodings: Kódování
264 setting_repositories_encodings: Kódování
265 setting_emails_footer: Patička emailů
265 setting_emails_footer: Patička emailů
266 setting_protocol: Protokol
266 setting_protocol: Protokol
267 setting_per_page_options: Povolené počty řádků na stránce
267 setting_per_page_options: Povolené počty řádků na stránce
268 setting_user_format: Formát zobrazení uživatele
268 setting_user_format: Formát zobrazení uživatele
269 setting_activity_days_default: Days displayed on project activity
269 setting_activity_days_default: Days displayed on project activity
270 setting_display_subprojects_issues: Display subprojects issues on main projects by default
270 setting_display_subprojects_issues: Display subprojects issues on main projects by default
271
271
272 project_module_issue_tracking: Sledování úkolů
272 project_module_issue_tracking: Sledování úkolů
273 project_module_time_tracking: Sledování času
273 project_module_time_tracking: Sledování času
274 project_module_news: Novinky
274 project_module_news: Novinky
275 project_module_documents: Dokumenty
275 project_module_documents: Dokumenty
276 project_module_files: Soubory
276 project_module_files: Soubory
277 project_module_wiki: Wiki
277 project_module_wiki: Wiki
278 project_module_repository: Repository
278 project_module_repository: Repository
279 project_module_boards: Diskuse
279 project_module_boards: Diskuse
280
280
281 label_user: Uživatel
281 label_user: Uživatel
282 label_user_plural: Uživatelé
282 label_user_plural: Uživatelé
283 label_user_new: Nový uživatel
283 label_user_new: Nový uživatel
284 label_project: Projekt
284 label_project: Projekt
285 label_project_new: Nový projekt
285 label_project_new: Nový projekt
286 label_project_plural: Projekty
286 label_project_plural: Projekty
287 label_x_projects:
287 label_x_projects:
288 zero: no projects
288 zero: no projects
289 one: 1 project
289 one: 1 project
290 other: "{{count}} projects"
290 other: "{{count}} projects"
291 label_project_all: Všechny projekty
291 label_project_all: Všechny projekty
292 label_project_latest: Poslední projekty
292 label_project_latest: Poslední projekty
293 label_issue: Úkol
293 label_issue: Úkol
294 label_issue_new: Nový úkol
294 label_issue_new: Nový úkol
295 label_issue_plural: Úkoly
295 label_issue_plural: Úkoly
296 label_issue_view_all: Všechny úkoly
296 label_issue_view_all: Všechny úkoly
297 label_issues_by: "Úkoly od uživatele {{value}}"
297 label_issues_by: "Úkoly od uživatele {{value}}"
298 label_issue_added: Úkol přidán
298 label_issue_added: Úkol přidán
299 label_issue_updated: Úkol aktualizován
299 label_issue_updated: Úkol aktualizován
300 label_document: Dokument
300 label_document: Dokument
301 label_document_new: Nový dokument
301 label_document_new: Nový dokument
302 label_document_plural: Dokumenty
302 label_document_plural: Dokumenty
303 label_document_added: Dokument přidán
303 label_document_added: Dokument přidán
304 label_role: Role
304 label_role: Role
305 label_role_plural: Role
305 label_role_plural: Role
306 label_role_new: Nová role
306 label_role_new: Nová role
307 label_role_and_permissions: Role a práva
307 label_role_and_permissions: Role a práva
308 label_member: Člen
308 label_member: Člen
309 label_member_new: Nový člen
309 label_member_new: Nový člen
310 label_member_plural: Členové
310 label_member_plural: Členové
311 label_tracker: Fronta
311 label_tracker: Fronta
312 label_tracker_plural: Fronty
312 label_tracker_plural: Fronty
313 label_tracker_new: Nová fronta
313 label_tracker_new: Nová fronta
314 label_workflow: Workflow
314 label_workflow: Workflow
315 label_issue_status: Stav úkolu
315 label_issue_status: Stav úkolu
316 label_issue_status_plural: Stavy úkolů
316 label_issue_status_plural: Stavy úkolů
317 label_issue_status_new: Nový stav
317 label_issue_status_new: Nový stav
318 label_issue_category: Kategorie úkolu
318 label_issue_category: Kategorie úkolu
319 label_issue_category_plural: Kategorie úkolů
319 label_issue_category_plural: Kategorie úkolů
320 label_issue_category_new: Nová kategorie
320 label_issue_category_new: Nová kategorie
321 label_custom_field: Uživatelské pole
321 label_custom_field: Uživatelské pole
322 label_custom_field_plural: Uživatelská pole
322 label_custom_field_plural: Uživatelská pole
323 label_custom_field_new: Nové uživatelské pole
323 label_custom_field_new: Nové uživatelské pole
324 label_enumerations: Seznamy
324 label_enumerations: Seznamy
325 label_enumeration_new: Nová hodnota
325 label_enumeration_new: Nová hodnota
326 label_information: Informace
326 label_information: Informace
327 label_information_plural: Informace
327 label_information_plural: Informace
328 label_please_login: Prosím přihlašte se
328 label_please_login: Prosím přihlašte se
329 label_register: Registrovat
329 label_register: Registrovat
330 label_password_lost: Zapomenuté heslo
330 label_password_lost: Zapomenuté heslo
331 label_home: Úvodní
331 label_home: Úvodní
332 label_my_page: Moje stránka
332 label_my_page: Moje stránka
333 label_my_account: Můj účet
333 label_my_account: Můj účet
334 label_my_projects: Moje projekty
334 label_my_projects: Moje projekty
335 label_administration: Administrace
335 label_administration: Administrace
336 label_login: Přihlášení
336 label_login: Přihlášení
337 label_logout: Odhlášení
337 label_logout: Odhlášení
338 label_help: Nápověda
338 label_help: Nápověda
339 label_reported_issues: Nahlášené úkoly
339 label_reported_issues: Nahlášené úkoly
340 label_assigned_to_me_issues: Mé úkoly
340 label_assigned_to_me_issues: Mé úkoly
341 label_last_login: Poslední přihlášení
341 label_last_login: Poslední přihlášení
342 label_registered_on: Registrován
342 label_registered_on: Registrován
343 label_activity: Aktivita
343 label_activity: Aktivita
344 label_overall_activity: Celková aktivita
344 label_overall_activity: Celková aktivita
345 label_new: Nový
345 label_new: Nový
346 label_logged_as: Přihlášen jako
346 label_logged_as: Přihlášen jako
347 label_environment: Prostředí
347 label_environment: Prostředí
348 label_authentication: Autentifikace
348 label_authentication: Autentifikace
349 label_auth_source: Mód autentifikace
349 label_auth_source: Mód autentifikace
350 label_auth_source_new: Nový mód autentifikace
350 label_auth_source_new: Nový mód autentifikace
351 label_auth_source_plural: Módy autentifikace
351 label_auth_source_plural: Módy autentifikace
352 label_subproject_plural: Podprojekty
352 label_subproject_plural: Podprojekty
353 label_min_max_length: Min - Max délka
353 label_min_max_length: Min - Max délka
354 label_list: Seznam
354 label_list: Seznam
355 label_date: Datum
355 label_date: Datum
356 label_integer: Celé číslo
356 label_integer: Celé číslo
357 label_float: Desetiné číslo
357 label_float: Desetiné číslo
358 label_boolean: Ano/Ne
358 label_boolean: Ano/Ne
359 label_string: Text
359 label_string: Text
360 label_text: Dlouhý text
360 label_text: Dlouhý text
361 label_attribute: Atribut
361 label_attribute: Atribut
362 label_attribute_plural: Atributy
362 label_attribute_plural: Atributy
363 label_download: "{{count}} Download"
363 label_download: "{{count}} Download"
364 label_download_plural: "{{count}} Downloads"
364 label_download_plural: "{{count}} Downloads"
365 label_no_data: Žádné položky
365 label_no_data: Žádné položky
366 label_change_status: Změnit stav
366 label_change_status: Změnit stav
367 label_history: Historie
367 label_history: Historie
368 label_attachment: Soubor
368 label_attachment: Soubor
369 label_attachment_new: Nový soubor
369 label_attachment_new: Nový soubor
370 label_attachment_delete: Odstranit soubor
370 label_attachment_delete: Odstranit soubor
371 label_attachment_plural: Soubory
371 label_attachment_plural: Soubory
372 label_file_added: Soubor přidán
372 label_file_added: Soubor přidán
373 label_report: Přeheled
373 label_report: Přeheled
374 label_report_plural: Přehledy
374 label_report_plural: Přehledy
375 label_news: Novinky
375 label_news: Novinky
376 label_news_new: Přidat novinku
376 label_news_new: Přidat novinku
377 label_news_plural: Novinky
377 label_news_plural: Novinky
378 label_news_latest: Poslední novinky
378 label_news_latest: Poslední novinky
379 label_news_view_all: Zobrazit všechny novinky
379 label_news_view_all: Zobrazit všechny novinky
380 label_news_added: Novinka přidána
380 label_news_added: Novinka přidána
381 label_change_log: Protokol změn
381 label_change_log: Protokol změn
382 label_settings: Nastavení
382 label_settings: Nastavení
383 label_overview: Přehled
383 label_overview: Přehled
384 label_version: Verze
384 label_version: Verze
385 label_version_new: Nová verze
385 label_version_new: Nová verze
386 label_version_plural: Verze
386 label_version_plural: Verze
387 label_confirmation: Potvrzení
387 label_confirmation: Potvrzení
388 label_export_to: 'Také k dispozici:'
388 label_export_to: 'Také k dispozici:'
389 label_read: Načítá se...
389 label_read: Načítá se...
390 label_public_projects: Veřejné projekty
390 label_public_projects: Veřejné projekty
391 label_open_issues: otevřený
391 label_open_issues: otevřený
392 label_open_issues_plural: otevřené
392 label_open_issues_plural: otevřené
393 label_closed_issues: uzavřený
393 label_closed_issues: uzavřený
394 label_closed_issues_plural: uzavřené
394 label_closed_issues_plural: uzavřené
395 label_x_open_issues_abbr_on_total:
395 label_x_open_issues_abbr_on_total:
396 zero: 0 open / {{total}}
396 zero: 0 open / {{total}}
397 one: 1 open / {{total}}
397 one: 1 open / {{total}}
398 other: "{{count}} open / {{total}}"
398 other: "{{count}} open / {{total}}"
399 label_x_open_issues_abbr:
399 label_x_open_issues_abbr:
400 zero: 0 open
400 zero: 0 open
401 one: 1 open
401 one: 1 open
402 other: "{{count}} open"
402 other: "{{count}} open"
403 label_x_closed_issues_abbr:
403 label_x_closed_issues_abbr:
404 zero: 0 closed
404 zero: 0 closed
405 one: 1 closed
405 one: 1 closed
406 other: "{{count}} closed"
406 other: "{{count}} closed"
407 label_total: Celkem
407 label_total: Celkem
408 label_permissions: Práva
408 label_permissions: Práva
409 label_current_status: Aktuální stav
409 label_current_status: Aktuální stav
410 label_new_statuses_allowed: Nové povolené stavy
410 label_new_statuses_allowed: Nové povolené stavy
411 label_all: vše
411 label_all: vše
412 label_none: nic
412 label_none: nic
413 label_nobody: nikdo
413 label_nobody: nikdo
414 label_next: Další
414 label_next: Další
415 label_previous: Předchozí
415 label_previous: Předchozí
416 label_used_by: Použito
416 label_used_by: Použito
417 label_details: Detaily
417 label_details: Detaily
418 label_add_note: Přidat poznámku
418 label_add_note: Přidat poznámku
419 label_per_page: Na stránku
419 label_per_page: Na stránku
420 label_calendar: Kalendář
420 label_calendar: Kalendář
421 label_months_from: měsíců od
421 label_months_from: měsíců od
422 label_gantt: Ganttův graf
422 label_gantt: Ganttův graf
423 label_internal: Interní
423 label_internal: Interní
424 label_last_changes: "posledních {{count}} změn"
424 label_last_changes: "posledních {{count}} změn"
425 label_change_view_all: Zobrazit všechny změny
425 label_change_view_all: Zobrazit všechny změny
426 label_personalize_page: Přizpůsobit tuto stránku
426 label_personalize_page: Přizpůsobit tuto stránku
427 label_comment: Komentář
427 label_comment: Komentář
428 label_comment_plural: Komentáře
428 label_comment_plural: Komentáře
429 label_x_comments:
429 label_x_comments:
430 zero: no comments
430 zero: no comments
431 one: 1 comment
431 one: 1 comment
432 other: "{{count}} comments"
432 other: "{{count}} comments"
433 label_comment_add: Přidat komentáře
433 label_comment_add: Přidat komentáře
434 label_comment_added: Komentář přidán
434 label_comment_added: Komentář přidán
435 label_comment_delete: Odstranit komentář
435 label_comment_delete: Odstranit komentář
436 label_query: Uživatelský dotaz
436 label_query: Uživatelský dotaz
437 label_query_plural: Uživatelské dotazy
437 label_query_plural: Uživatelské dotazy
438 label_query_new: Nový dotaz
438 label_query_new: Nový dotaz
439 label_filter_add: Přidat filtr
439 label_filter_add: Přidat filtr
440 label_filter_plural: Filtry
440 label_filter_plural: Filtry
441 label_equals: je
441 label_equals: je
442 label_not_equals: není
442 label_not_equals: není
443 label_in_less_than: je měší než
443 label_in_less_than: je měší než
444 label_in_more_than: je větší než
444 label_in_more_than: je větší než
445 label_in: v
445 label_in: v
446 label_today: dnes
446 label_today: dnes
447 label_all_time: vše
447 label_all_time: vše
448 label_yesterday: včera
448 label_yesterday: včera
449 label_this_week: tento týden
449 label_this_week: tento týden
450 label_last_week: minulý týden
450 label_last_week: minulý týden
451 label_last_n_days: "posledních {{count}} dnů"
451 label_last_n_days: "posledních {{count}} dnů"
452 label_this_month: tento měsíc
452 label_this_month: tento měsíc
453 label_last_month: minulý měsíc
453 label_last_month: minulý měsíc
454 label_this_year: tento rok
454 label_this_year: tento rok
455 label_date_range: Časový rozsah
455 label_date_range: Časový rozsah
456 label_less_than_ago: před méně jak (dny)
456 label_less_than_ago: před méně jak (dny)
457 label_more_than_ago: před více jak (dny)
457 label_more_than_ago: před více jak (dny)
458 label_ago: před (dny)
458 label_ago: před (dny)
459 label_contains: obsahuje
459 label_contains: obsahuje
460 label_not_contains: neobsahuje
460 label_not_contains: neobsahuje
461 label_day_plural: dny
461 label_day_plural: dny
462 label_repository: Repository
462 label_repository: Repository
463 label_repository_plural: Repository
463 label_repository_plural: Repository
464 label_browse: Procházet
464 label_browse: Procházet
465 label_modification: "{{count}} změna"
465 label_modification: "{{count}} změna"
466 label_modification_plural: "{{count}} změn"
466 label_modification_plural: "{{count}} změn"
467 label_revision: Revize
467 label_revision: Revize
468 label_revision_plural: Revizí
468 label_revision_plural: Revizí
469 label_associated_revisions: Související verze
469 label_associated_revisions: Související verze
470 label_added: přidáno
470 label_added: přidáno
471 label_modified: změněno
471 label_modified: změněno
472 label_deleted: odstraněno
472 label_deleted: odstraněno
473 label_latest_revision: Poslední revize
473 label_latest_revision: Poslední revize
474 label_latest_revision_plural: Poslední revize
474 label_latest_revision_plural: Poslední revize
475 label_view_revisions: Zobrazit revize
475 label_view_revisions: Zobrazit revize
476 label_max_size: Maximální velikost
476 label_max_size: Maximální velikost
477 label_sort_highest: Přesunout na začátek
477 label_sort_highest: Přesunout na začátek
478 label_sort_higher: Přesunout nahoru
478 label_sort_higher: Přesunout nahoru
479 label_sort_lower: Přesunout dolů
479 label_sort_lower: Přesunout dolů
480 label_sort_lowest: Přesunout na konec
480 label_sort_lowest: Přesunout na konec
481 label_roadmap: Plán
481 label_roadmap: Plán
482 label_roadmap_due_in: "Zbývá {{value}}"
482 label_roadmap_due_in: "Zbývá {{value}}"
483 label_roadmap_overdue: "{{value}} pozdě"
483 label_roadmap_overdue: "{{value}} pozdě"
484 label_roadmap_no_issues: Pro tuto verzi nejsou žádné úkoly
484 label_roadmap_no_issues: Pro tuto verzi nejsou žádné úkoly
485 label_search: Hledat
485 label_search: Hledat
486 label_result_plural: Výsledky
486 label_result_plural: Výsledky
487 label_all_words: Všechna slova
487 label_all_words: Všechna slova
488 label_wiki: Wiki
488 label_wiki: Wiki
489 label_wiki_edit: Wiki úprava
489 label_wiki_edit: Wiki úprava
490 label_wiki_edit_plural: Wiki úpravy
490 label_wiki_edit_plural: Wiki úpravy
491 label_wiki_page: Wiki stránka
491 label_wiki_page: Wiki stránka
492 label_wiki_page_plural: Wiki stránky
492 label_wiki_page_plural: Wiki stránky
493 label_index_by_title: Index dle názvu
493 label_index_by_title: Index dle názvu
494 label_index_by_date: Index dle data
494 label_index_by_date: Index dle data
495 label_current_version: Aktuální verze
495 label_current_version: Aktuální verze
496 label_preview: Náhled
496 label_preview: Náhled
497 label_feed_plural: Příspěvky
497 label_feed_plural: Příspěvky
498 label_changes_details: Detail všech změn
498 label_changes_details: Detail všech změn
499 label_issue_tracking: Sledování úkolů
499 label_issue_tracking: Sledování úkolů
500 label_spent_time: Strávený čas
500 label_spent_time: Strávený čas
501 label_f_hour: "{{value}} hodina"
501 label_f_hour: "{{value}} hodina"
502 label_f_hour_plural: "{{value}} hodin"
502 label_f_hour_plural: "{{value}} hodin"
503 label_time_tracking: Sledování času
503 label_time_tracking: Sledování času
504 label_change_plural: Změny
504 label_change_plural: Změny
505 label_statistics: Statistiky
505 label_statistics: Statistiky
506 label_commits_per_month: Commitů za měsíc
506 label_commits_per_month: Commitů za měsíc
507 label_commits_per_author: Commitů za autora
507 label_commits_per_author: Commitů za autora
508 label_view_diff: Zobrazit rozdíly
508 label_view_diff: Zobrazit rozdíly
509 label_diff_inline: uvnitř
509 label_diff_inline: uvnitř
510 label_diff_side_by_side: vedle sebe
510 label_diff_side_by_side: vedle sebe
511 label_options: Nastavení
511 label_options: Nastavení
512 label_copy_workflow_from: Kopírovat workflow z
512 label_copy_workflow_from: Kopírovat workflow z
513 label_permissions_report: Přehled práv
513 label_permissions_report: Přehled práv
514 label_watched_issues: Sledované úkoly
514 label_watched_issues: Sledované úkoly
515 label_related_issues: Související úkoly
515 label_related_issues: Související úkoly
516 label_applied_status: Použitý stav
516 label_applied_status: Použitý stav
517 label_loading: Nahrávám...
517 label_loading: Nahrávám...
518 label_relation_new: Nová souvislost
518 label_relation_new: Nová souvislost
519 label_relation_delete: Odstranit souvislost
519 label_relation_delete: Odstranit souvislost
520 label_relates_to: související s
520 label_relates_to: související s
521 label_duplicates: duplicity
521 label_duplicates: duplicity
522 label_blocks: bloků
522 label_blocks: bloků
523 label_blocked_by: zablokován
523 label_blocked_by: zablokován
524 label_precedes: předchází
524 label_precedes: předchází
525 label_follows: následuje
525 label_follows: následuje
526 label_end_to_start: od konce do začátku
526 label_end_to_start: od konce do začátku
527 label_end_to_end: od konce do konce
527 label_end_to_end: od konce do konce
528 label_start_to_start: od začátku do začátku
528 label_start_to_start: od začátku do začátku
529 label_start_to_end: od začátku do konce
529 label_start_to_end: od začátku do konce
530 label_stay_logged_in: Zůstat přihlášený
530 label_stay_logged_in: Zůstat přihlášený
531 label_disabled: zakázán
531 label_disabled: zakázán
532 label_show_completed_versions: Ukázat dokončené verze
532 label_show_completed_versions: Ukázat dokončené verze
533 label_me:
533 label_me:
534 label_board: Fórum
534 label_board: Fórum
535 label_board_new: Nové fórum
535 label_board_new: Nové fórum
536 label_board_plural: Fóra
536 label_board_plural: Fóra
537 label_topic_plural: Témata
537 label_topic_plural: Témata
538 label_message_plural: Zprávy
538 label_message_plural: Zprávy
539 label_message_last: Poslední zpráva
539 label_message_last: Poslední zpráva
540 label_message_new: Nová zpráva
540 label_message_new: Nová zpráva
541 label_message_posted: Zpráva přidána
541 label_message_posted: Zpráva přidána
542 label_reply_plural: Odpovědi
542 label_reply_plural: Odpovědi
543 label_send_information: Zaslat informace o účtu uživateli
543 label_send_information: Zaslat informace o účtu uživateli
544 label_year: Rok
544 label_year: Rok
545 label_month: Měsíc
545 label_month: Měsíc
546 label_week: Týden
546 label_week: Týden
547 label_date_from: Od
547 label_date_from: Od
548 label_date_to: Do
548 label_date_to: Do
549 label_language_based: Podle výchozího jazyku
549 label_language_based: Podle výchozího jazyku
550 label_sort_by: "Seřadit podle {{value}}"
550 label_sort_by: "Seřadit podle {{value}}"
551 label_send_test_email: Poslat testovací email
551 label_send_test_email: Poslat testovací email
552 label_feeds_access_key_created_on: "Přístupový klíč pro RSS byl vytvořen před {{value}}"
552 label_feeds_access_key_created_on: "Přístupový klíč pro RSS byl vytvořen před {{value}}"
553 label_module_plural: Moduly
553 label_module_plural: Moduly
554 label_added_time_by: "Přidáno uživatelem {{author}} před {{age}}"
554 label_added_time_by: "Přidáno uživatelem {{author}} před {{age}}"
555 label_updated_time: "Aktualizováno před {{value}}"
555 label_updated_time: "Aktualizováno před {{value}}"
556 label_jump_to_a_project: Zvolit projekt...
556 label_jump_to_a_project: Zvolit projekt...
557 label_file_plural: Soubory
557 label_file_plural: Soubory
558 label_changeset_plural: Changesety
558 label_changeset_plural: Changesety
559 label_default_columns: Výchozí sloupce
559 label_default_columns: Výchozí sloupce
560 label_no_change_option: (beze změny)
560 label_no_change_option: (beze změny)
561 label_bulk_edit_selected_issues: Bulk edit selected issues
561 label_bulk_edit_selected_issues: Bulk edit selected issues
562 label_theme: Téma
562 label_theme: Téma
563 label_default: Výchozí
563 label_default: Výchozí
564 label_search_titles_only: Vyhledávat pouze v názvech
564 label_search_titles_only: Vyhledávat pouze v názvech
565 label_user_mail_option_all: "Pro všechny události všech mých projektů"
565 label_user_mail_option_all: "Pro všechny události všech mých projektů"
566 label_user_mail_option_selected: "Pro všechny události vybraných projektů..."
566 label_user_mail_option_selected: "Pro všechny události vybraných projektů..."
567 label_user_mail_option_none: "Pouze pro události které sleduji nebo které se mne týkají"
567 label_user_mail_option_none: "Pouze pro události které sleduji nebo které se mne týkají"
568 label_user_mail_no_self_notified: "Nezasílat informace o mnou vytvořených změnách"
568 label_user_mail_no_self_notified: "Nezasílat informace o mnou vytvořených změnách"
569 label_registration_activation_by_email: aktivace účtu emailem
569 label_registration_activation_by_email: aktivace účtu emailem
570 label_registration_manual_activation: manuální aktivace účtu
570 label_registration_manual_activation: manuální aktivace účtu
571 label_registration_automatic_activation: automatická aktivace účtu
571 label_registration_automatic_activation: automatická aktivace účtu
572 label_display_per_page: "{{value}} na stránku"
572 label_display_per_page: "{{value}} na stránku"
573 label_age: Věk
573 label_age: Věk
574 label_change_properties: Změnit vlastnosti
574 label_change_properties: Změnit vlastnosti
575 label_general: Obecné
575 label_general: Obecné
576 label_more: Více
576 label_more: Více
577 label_scm: SCM
577 label_scm: SCM
578 label_plugins: Doplňky
578 label_plugins: Doplňky
579 label_ldap_authentication: Autentifikace LDAP
579 label_ldap_authentication: Autentifikace LDAP
580 label_downloads_abbr: D/L
580 label_downloads_abbr: D/L
581 label_optional_description: Volitelný popis
581 label_optional_description: Volitelný popis
582 label_add_another_file: Přidat další soubor
582 label_add_another_file: Přidat další soubor
583 label_preferences: Nastavení
583 label_preferences: Nastavení
584 label_chronological_order: V chronologickém pořadí
584 label_chronological_order: V chronologickém pořadí
585 label_reverse_chronological_order: V obrácaném chronologickém pořadí
585 label_reverse_chronological_order: V obrácaném chronologickém pořadí
586
586
587 button_login: Přihlásit
587 button_login: Přihlásit
588 button_submit: Potvrdit
588 button_submit: Potvrdit
589 button_save: Uložit
589 button_save: Uložit
590 button_check_all: Zašrtnout vše
590 button_check_all: Zašrtnout vše
591 button_uncheck_all: Odšrtnout vše
591 button_uncheck_all: Odšrtnout vše
592 button_delete: Odstranit
592 button_delete: Odstranit
593 button_create: Vytvořit
593 button_create: Vytvořit
594 button_test: Test
594 button_test: Test
595 button_edit: Upravit
595 button_edit: Upravit
596 button_add: Přidat
596 button_add: Přidat
597 button_change: Změnit
597 button_change: Změnit
598 button_apply: Použít
598 button_apply: Použít
599 button_clear: Smazat
599 button_clear: Smazat
600 button_lock: Zamknout
600 button_lock: Zamknout
601 button_unlock: Odemknout
601 button_unlock: Odemknout
602 button_download: Stáhnout
602 button_download: Stáhnout
603 button_list: Vypsat
603 button_list: Vypsat
604 button_view: Zobrazit
604 button_view: Zobrazit
605 button_move: Přesunout
605 button_move: Přesunout
606 button_back: Zpět
606 button_back: Zpět
607 button_cancel: Storno
607 button_cancel: Storno
608 button_activate: Aktivovat
608 button_activate: Aktivovat
609 button_sort: Seřadit
609 button_sort: Seřadit
610 button_log_time: Přidat čas
610 button_log_time: Přidat čas
611 button_rollback: Zpět k této verzi
611 button_rollback: Zpět k této verzi
612 button_watch: Sledovat
612 button_watch: Sledovat
613 button_unwatch: Nesledovat
613 button_unwatch: Nesledovat
614 button_reply: Odpovědět
614 button_reply: Odpovědět
615 button_archive: Archivovat
615 button_archive: Archivovat
616 button_unarchive: Odarchivovat
616 button_unarchive: Odarchivovat
617 button_reset: Reset
617 button_reset: Reset
618 button_rename: Přejmenovat
618 button_rename: Přejmenovat
619 button_change_password: Změnit heslo
619 button_change_password: Změnit heslo
620 button_copy: Kopírovat
620 button_copy: Kopírovat
621 button_annotate: Komentovat
621 button_annotate: Komentovat
622 button_update: Aktualizovat
622 button_update: Aktualizovat
623 button_configure: Konfigurovat
623 button_configure: Konfigurovat
624
624
625 status_active: aktivní
625 status_active: aktivní
626 status_registered: registrovaný
626 status_registered: registrovaný
627 status_locked: uzamčený
627 status_locked: uzamčený
628
628
629 text_select_mail_notifications: Vyberte akci při které bude zasláno upozornění emailem.
629 text_select_mail_notifications: Vyberte akci při které bude zasláno upozornění emailem.
630 text_regexp_info: např. ^[A-Z0-9]+$
630 text_regexp_info: např. ^[A-Z0-9]+$
631 text_min_max_length_info: 0 znamená bez limitu
631 text_min_max_length_info: 0 znamená bez limitu
632 text_project_destroy_confirmation: Jste si jisti, že chcete odstranit tento projekt a všechna související data ?
632 text_project_destroy_confirmation: Jste si jisti, že chcete odstranit tento projekt a všechna související data ?
633 text_workflow_edit: Vyberte roli a frontu k editaci workflow
633 text_workflow_edit: Vyberte roli a frontu k editaci workflow
634 text_are_you_sure: Jste si jisti?
634 text_are_you_sure: Jste si jisti?
635 text_journal_changed: "změněno z {{old}} na {{new}}"
635 text_journal_changed: "změněno z {{old}} na {{new}}"
636 text_journal_set_to: "nastaveno na {{value}}"
636 text_journal_set_to: "nastaveno na {{value}}"
637 text_journal_deleted: odstraněno
637 text_journal_deleted: odstraněno
638 text_tip_task_begin_day: úkol začíná v tento den
638 text_tip_task_begin_day: úkol začíná v tento den
639 text_tip_task_end_day: úkol končí v tento den
639 text_tip_task_end_day: úkol končí v tento den
640 text_tip_task_begin_end_day: úkol začíná a končí v tento den
640 text_tip_task_begin_end_day: úkol začíná a končí v tento den
641 text_project_identifier_info: 'Jsou povolena malá písmena (a-z), čísla a pomlčky.<br />Po uložení již není možné identifikátor změnit.'
641 text_project_identifier_info: 'Jsou povolena malá písmena (a-z), čísla a pomlčky.<br />Po uložení již není možné identifikátor změnit.'
642 text_caracters_maximum: "{{count}} znaků maximálně."
642 text_caracters_maximum: "{{count}} znaků maximálně."
643 text_caracters_minimum: "Musí být alespoň {{count}} znaků dlouhé."
643 text_caracters_minimum: "Musí být alespoň {{count}} znaků dlouhé."
644 text_length_between: "Délka mezi {{min}} a {{max}} znaky."
644 text_length_between: "Délka mezi {{min}} a {{max}} znaky."
645 text_tracker_no_workflow: Pro tuto frontu není definován žádný workflow
645 text_tracker_no_workflow: Pro tuto frontu není definován žádný workflow
646 text_unallowed_characters: Nepovolené znaky
646 text_unallowed_characters: Nepovolené znaky
647 text_comma_separated: Povoleno více hodnot (oddělěné čárkou).
647 text_comma_separated: Povoleno více hodnot (oddělěné čárkou).
648 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
648 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
649 text_issue_added: "Úkol {{id}} byl vytvořen uživatelem {{author}}."
649 text_issue_added: "Úkol {{id}} byl vytvořen uživatelem {{author}}."
650 text_issue_updated: "Úkol {{id}} byl aktualizován uživatelem {{author}}."
650 text_issue_updated: "Úkol {{id}} byl aktualizován uživatelem {{author}}."
651 text_wiki_destroy_confirmation: Opravdu si přejete odstranit tuto WIKI a celý její obsah?
651 text_wiki_destroy_confirmation: Opravdu si přejete odstranit tuto WIKI a celý její obsah?
652 text_issue_category_destroy_question: "Některé úkoly ({{count}}) jsou přiřazeny k této kategorii. Co s nimi chtete udělat?"
652 text_issue_category_destroy_question: "Některé úkoly ({{count}}) jsou přiřazeny k této kategorii. Co s nimi chtete udělat?"
653 text_issue_category_destroy_assignments: Zrušit přiřazení ke kategorii
653 text_issue_category_destroy_assignments: Zrušit přiřazení ke kategorii
654 text_issue_category_reassign_to: Přiřadit úkoly do této kategorie
654 text_issue_category_reassign_to: Přiřadit úkoly do této kategorie
655 text_user_mail_option: "U projektů, které nebyly vybrány, budete dostávat oznámení pouze o vašich či o sledovaných položkách (např. o položkách jejichž jste autor nebo ke kterým jste přiřazen(a))."
655 text_user_mail_option: "U projektů, které nebyly vybrány, budete dostávat oznámení pouze o vašich či o sledovaných položkách (např. o položkách jejichž jste autor nebo ke kterým jste přiřazen(a))."
656 text_no_configuration_data: "Role, fronty, stavy úkolů ani workflow nebyly zatím nakonfigurovány.\nVelice doporučujeme nahrát výchozí konfiguraci.Po si můžete vše upravit"
656 text_no_configuration_data: "Role, fronty, stavy úkolů ani workflow nebyly zatím nakonfigurovány.\nVelice doporučujeme nahrát výchozí konfiguraci.Po si můžete vše upravit"
657 text_load_default_configuration: Nahrát výchozí konfiguraci
657 text_load_default_configuration: Nahrát výchozí konfiguraci
658 text_status_changed_by_changeset: "Použito v changesetu {{value}}."
658 text_status_changed_by_changeset: "Použito v changesetu {{value}}."
659 text_issues_destroy_confirmation: 'Opravdu si přejete odstranit všechny zvolené úkoly?'
659 text_issues_destroy_confirmation: 'Opravdu si přejete odstranit všechny zvolené úkoly?'
660 text_select_project_modules: 'Aktivní moduly v tomto projektu:'
660 text_select_project_modules: 'Aktivní moduly v tomto projektu:'
661 text_default_administrator_account_changed: Výchozí nastavení administrátorského účtu změněno
661 text_default_administrator_account_changed: Výchozí nastavení administrátorského účtu změněno
662 text_file_repository_writable: Povolen zápis do repository
662 text_file_repository_writable: Povolen zápis do repository
663 text_rmagick_available: RMagick k dispozici (volitelné)
663 text_rmagick_available: RMagick k dispozici (volitelné)
664 text_destroy_time_entries_question: "U úkolů, které chcete odstranit je evidováno {{hours}} práce. Co chete udělat?"
664 text_destroy_time_entries_question: "U úkolů, které chcete odstranit je evidováno {{hours}} práce. Co chete udělat?"
665 text_destroy_time_entries: Odstranit evidované hodiny.
665 text_destroy_time_entries: Odstranit evidované hodiny.
666 text_assign_time_entries_to_project: Přiřadit evidované hodiny projektu
666 text_assign_time_entries_to_project: Přiřadit evidované hodiny projektu
667 text_reassign_time_entries: 'Přeřadit evidované hodiny k tomuto úkolu:'
667 text_reassign_time_entries: 'Přeřadit evidované hodiny k tomuto úkolu:'
668
668
669 default_role_manager: Manažer
669 default_role_manager: Manažer
670 default_role_developper: Vývojář
670 default_role_developper: Vývojář
671 default_role_reporter: Reportér
671 default_role_reporter: Reportér
672 default_tracker_bug: Chyba
672 default_tracker_bug: Chyba
673 default_tracker_feature: Požadavek
673 default_tracker_feature: Požadavek
674 default_tracker_support: Podpora
674 default_tracker_support: Podpora
675 default_issue_status_new: Nový
675 default_issue_status_new: Nový
676 default_issue_status_assigned: Přiřazený
676 default_issue_status_assigned: Přiřazený
677 default_issue_status_resolved: Vyřešený
677 default_issue_status_resolved: Vyřešený
678 default_issue_status_feedback: Čeká se
678 default_issue_status_feedback: Čeká se
679 default_issue_status_closed: Uzavřený
679 default_issue_status_closed: Uzavřený
680 default_issue_status_rejected: Odmítnutý
680 default_issue_status_rejected: Odmítnutý
681 default_doc_category_user: Uživatelská dokumentace
681 default_doc_category_user: Uživatelská dokumentace
682 default_doc_category_tech: Technická dokumentace
682 default_doc_category_tech: Technická dokumentace
683 default_priority_low: Nízká
683 default_priority_low: Nízká
684 default_priority_normal: Normální
684 default_priority_normal: Normální
685 default_priority_high: Vysoká
685 default_priority_high: Vysoká
686 default_priority_urgent: Urgentní
686 default_priority_urgent: Urgentní
687 default_priority_immediate: Okamžitá
687 default_priority_immediate: Okamžitá
688 default_activity_design: Design
688 default_activity_design: Design
689 default_activity_development: Vývoj
689 default_activity_development: Vývoj
690
690
691 enumeration_issue_priorities: Priority úkolů
691 enumeration_issue_priorities: Priority úkolů
692 enumeration_doc_categories: Kategorie dokumentů
692 enumeration_doc_categories: Kategorie dokumentů
693 enumeration_activities: Aktivity (sledování času)
693 enumeration_activities: Aktivity (sledování času)
694 error_scm_annotate: "Položka neexistuje nebo nemůže být komentována."
694 error_scm_annotate: "Položka neexistuje nebo nemůže být komentována."
695 label_planning: Plánování
695 label_planning: Plánování
696 text_subprojects_destroy_warning: "Jeho podprojek(y): {{value}} budou také smazány."
696 text_subprojects_destroy_warning: "Jeho podprojek(y): {{value}} budou také smazány."
697 label_and_its_subprojects: "{{value}} a jeho podprojekty"
697 label_and_its_subprojects: "{{value}} a jeho podprojekty"
698 mail_body_reminder: "{{count}} úkol(ů), které máte přiřazeny termín během několik dní ({{days}}):"
698 mail_body_reminder: "{{count}} úkol(ů), které máte přiřazeny termín během několik dní ({{days}}):"
699 mail_subject_reminder: "{{count}} úkol(ů) termín během několik dní"
699 mail_subject_reminder: "{{count}} úkol(ů) termín během několik dní"
700 text_user_wrote: "{{value}} napsal:"
700 text_user_wrote: "{{value}} napsal:"
701 label_duplicated_by: duplicated by
701 label_duplicated_by: duplicated by
702 setting_enabled_scm: Povoleno SCM
702 setting_enabled_scm: Povoleno SCM
703 text_enumeration_category_reassign_to: 'Přeřadit je do této:'
703 text_enumeration_category_reassign_to: 'Přeřadit je do této:'
704 text_enumeration_destroy_question: "Několik ({{count}}) objektů je přiřazeno k této hodnotě."
704 text_enumeration_destroy_question: "Několik ({{count}}) objektů je přiřazeno k této hodnotě."
705 label_incoming_emails: Příchozí e-maily
705 label_incoming_emails: Příchozí e-maily
706 label_generate_key: Generovat klíč
706 label_generate_key: Generovat klíč
707 setting_mail_handler_api_enabled: Povolit WS pro příchozí e-maily
707 setting_mail_handler_api_enabled: Povolit WS pro příchozí e-maily
708 setting_mail_handler_api_key: API klíč
708 setting_mail_handler_api_key: API klíč
709 text_email_delivery_not_configured: "Doručování e-mailů není nastaveno a odesílání notifikací je zakázáno.\nNastavte Váš SMTP server v souboru config/email.yml a restartujte aplikaci."
709 text_email_delivery_not_configured: "Doručování e-mailů není nastaveno a odesílání notifikací je zakázáno.\nNastavte Váš SMTP server v souboru config/email.yml a restartujte aplikaci."
710 field_parent_title: Rodičovská stránka
710 field_parent_title: Rodičovská stránka
711 label_issue_watchers: Sledování
711 label_issue_watchers: Sledování
712 setting_commit_logs_encoding: Kódování zpráv při commitu
712 setting_commit_logs_encoding: Kódování zpráv při commitu
713 button_quote: Citovat
713 button_quote: Citovat
714 setting_sequential_project_identifiers: Generovat sekvenční identifikátory projektů
714 setting_sequential_project_identifiers: Generovat sekvenční identifikátory projektů
715 notice_unable_delete_version: Nemohu odstanit verzi
715 notice_unable_delete_version: Nemohu odstanit verzi
716 label_renamed: přejmenováno
716 label_renamed: přejmenováno
717 label_copied: zkopírováno
717 label_copied: zkopírováno
718 setting_plain_text_mail: pouze prostý text (ne HTML)
718 setting_plain_text_mail: pouze prostý text (ne HTML)
719 permission_view_files: Prohlížení souborů
719 permission_view_files: Prohlížení souborů
720 permission_edit_issues: Upravování úkolů
720 permission_edit_issues: Upravování úkolů
721 permission_edit_own_time_entries: Upravování vlastních zázamů o stráveném čase
721 permission_edit_own_time_entries: Upravování vlastních zázamů o stráveném čase
722 permission_manage_public_queries: Správa veřejných dotazů
722 permission_manage_public_queries: Správa veřejných dotazů
723 permission_add_issues: Přidávání úkolů
723 permission_add_issues: Přidávání úkolů
724 permission_log_time: Zaznamenávání stráveného času
724 permission_log_time: Zaznamenávání stráveného času
725 permission_view_changesets: Zobrazování sady změn
725 permission_view_changesets: Zobrazování sady změn
726 permission_view_time_entries: Zobrazení stráveného času
726 permission_view_time_entries: Zobrazení stráveného času
727 permission_manage_versions: Spravování verzí
727 permission_manage_versions: Spravování verzí
728 permission_manage_wiki: Spravování wiki
728 permission_manage_wiki: Spravování wiki
729 permission_manage_categories: Spravování kategorií úkolů
729 permission_manage_categories: Spravování kategorií úkolů
730 permission_protect_wiki_pages: Zabezpečení wiki stránek
730 permission_protect_wiki_pages: Zabezpečení wiki stránek
731 permission_comment_news: Komentování novinek
731 permission_comment_news: Komentování novinek
732 permission_delete_messages: Mazání zpráv
732 permission_delete_messages: Mazání zpráv
733 permission_select_project_modules: Výběr modulů projektu
733 permission_select_project_modules: Výběr modulů projektu
734 permission_manage_documents: Správa dokumentů
734 permission_manage_documents: Správa dokumentů
735 permission_edit_wiki_pages: Upravování stránek wiki
735 permission_edit_wiki_pages: Upravování stránek wiki
736 permission_add_issue_watchers: Přidání sledujících uživatelů
736 permission_add_issue_watchers: Přidání sledujících uživatelů
737 permission_view_gantt: Zobrazené Ganttova diagramu
737 permission_view_gantt: Zobrazené Ganttova diagramu
738 permission_move_issues: Přesouvání úkolů
738 permission_move_issues: Přesouvání úkolů
739 permission_manage_issue_relations: Spravování vztahů mezi úkoly
739 permission_manage_issue_relations: Spravování vztahů mezi úkoly
740 permission_delete_wiki_pages: Mazání stránek na wiki
740 permission_delete_wiki_pages: Mazání stránek na wiki
741 permission_manage_boards: Správa diskusních fór
741 permission_manage_boards: Správa diskusních fór
742 permission_delete_wiki_pages_attachments: Mazání příloh
742 permission_delete_wiki_pages_attachments: Mazání příloh
743 permission_view_wiki_edits: Prohlížení historie wiki
743 permission_view_wiki_edits: Prohlížení historie wiki
744 permission_add_messages: Posílání zpráv
744 permission_add_messages: Posílání zpráv
745 permission_view_messages: Prohlížení zpráv
745 permission_view_messages: Prohlížení zpráv
746 permission_manage_files: Spravování souborů
746 permission_manage_files: Spravování souborů
747 permission_edit_issue_notes: Upravování poznámek
747 permission_edit_issue_notes: Upravování poznámek
748 permission_manage_news: Spravování novinek
748 permission_manage_news: Spravování novinek
749 permission_view_calendar: Prohlížení kalendáře
749 permission_view_calendar: Prohlížení kalendáře
750 permission_manage_members: Spravování členství
750 permission_manage_members: Spravování členství
751 permission_edit_messages: Upravování zpráv
751 permission_edit_messages: Upravování zpráv
752 permission_delete_issues: Mazání úkolů
752 permission_delete_issues: Mazání úkolů
753 permission_view_issue_watchers: Zobrazení seznamu sledujícíh uživatelů
753 permission_view_issue_watchers: Zobrazení seznamu sledujícíh uživatelů
754 permission_manage_repository: Spravování repozitáře
754 permission_manage_repository: Spravování repozitáře
755 permission_commit_access: Commit access
755 permission_commit_access: Commit access
756 permission_browse_repository: Procházení repozitáře
756 permission_browse_repository: Procházení repozitáře
757 permission_view_documents: Prohlížení dokumentů
757 permission_view_documents: Prohlížení dokumentů
758 permission_edit_project: Úprava projektů
758 permission_edit_project: Úprava projektů
759 permission_add_issue_notes: Přidávání poznámek
759 permission_add_issue_notes: Přidávání poznámek
760 permission_save_queries: Ukládání dotazů
760 permission_save_queries: Ukládání dotazů
761 permission_view_wiki_pages: Prohlížení wiki
761 permission_view_wiki_pages: Prohlížení wiki
762 permission_rename_wiki_pages: Přejmenovávání wiki stránek
762 permission_rename_wiki_pages: Přejmenovávání wiki stránek
763 permission_edit_time_entries: Upravování záznamů o stráveném času
763 permission_edit_time_entries: Upravování záznamů o stráveném času
764 permission_edit_own_issue_notes: Upravování vlastních poznámek
764 permission_edit_own_issue_notes: Upravování vlastních poznámek
765 setting_gravatar_enabled: Použít uživatelské ikony Gravatar
765 setting_gravatar_enabled: Použít uživatelské ikony Gravatar
766 label_example: Příklad
766 label_example: Příklad
767 text_repository_usernames_mapping: "Vybrat nebo upravit mapování mezi Redmine uživateli a uživatelskými jmény nalezenými v logu repozitáře.\nUživatelé se shodným Redmine uživateslkým jménem a uživatelským jménem v repozitáři jsou mapovaní automaticky."
767 text_repository_usernames_mapping: "Vybrat nebo upravit mapování mezi Redmine uživateli a uživatelskými jmény nalezenými v logu repozitáře.\nUživatelé se shodným Redmine uživateslkým jménem a uživatelským jménem v repozitáři jsou mapovaní automaticky."
768 permission_edit_own_messages: Upravit vlastní zprávy
768 permission_edit_own_messages: Upravit vlastní zprávy
769 permission_delete_own_messages: Smazat vlastní zprávy
769 permission_delete_own_messages: Smazat vlastní zprávy
770 label_user_activity: "Aktivita uživatele: {{value}}"
770 label_user_activity: "Aktivita uživatele: {{value}}"
771 label_updated_time_by: "Akutualizováno: {{author}} před: {{age}}"
771 label_updated_time_by: "Akutualizováno: {{author}} před: {{age}}"
772 text_diff_truncated: '... Rozdílový soubor je zkrácen, protože jeho délka přesahuje max. limit.'
772 text_diff_truncated: '... Rozdílový soubor je zkrácen, protože jeho délka přesahuje max. limit.'
773 setting_diff_max_lines_displayed: Maximální počet zobrazenách řádků rozdílů
773 setting_diff_max_lines_displayed: Maximální počet zobrazenách řádků rozdílů
774 text_plugin_assets_writable: Plugin assets directory writable
774 text_plugin_assets_writable: Plugin assets directory writable
775 warning_attachments_not_saved: "{{count}} soubor(ů) nebylo možné uložit."
775 warning_attachments_not_saved: "{{count}} soubor(ů) nebylo možné uložit."
776 button_create_and_continue: Vytvořit a pokračovat
776 button_create_and_continue: Vytvořit a pokračovat
777 text_custom_field_possible_values_info: 'Každá hodnota na novém řádku'
777 text_custom_field_possible_values_info: 'Každá hodnota na novém řádku'
778 label_display: Zobrazit
778 label_display: Zobrazit
779 field_editable: Editovatelný
779 field_editable: Editovatelný
780 setting_repository_log_display_limit: Maximální počet revizí zobrazených v logu souboru
780 setting_repository_log_display_limit: Maximální počet revizí zobrazených v logu souboru
781 setting_file_max_size_displayed: Maximální velikost textových souborů zobrazených přímo na stránce
781 setting_file_max_size_displayed: Maximální velikost textových souborů zobrazených přímo na stránce
782 field_watcher: Sleduje
782 field_watcher: Sleduje
783 setting_openid: Umožnit přihlašování a registrace s OpenID
783 setting_openid: Umožnit přihlašování a registrace s OpenID
784 field_identity_url: OpenID URL
784 field_identity_url: OpenID URL
785 label_login_with_open_id_option: nebo se přihlašte s OpenID
785 label_login_with_open_id_option: nebo se přihlašte s OpenID
786 field_content: Obsah
786 field_content: Obsah
787 label_descending: Sestupně
787 label_descending: Sestupně
788 label_sort: Řazení
788 label_sort: Řazení
789 label_ascending: Vzestupně
789 label_ascending: Vzestupně
790 label_date_from_to: Od {{start}} do {{end}}
790 label_date_from_to: Od {{start}} do {{end}}
791 label_greater_or_equal: ">="
791 label_greater_or_equal: ">="
792 label_less_or_equal: <=
792 label_less_or_equal: <=
793 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
793 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
794 text_wiki_page_reassign_children: Reassign child pages to this parent page
794 text_wiki_page_reassign_children: Reassign child pages to this parent page
795 text_wiki_page_nullify_children: Keep child pages as root pages
795 text_wiki_page_nullify_children: Keep child pages as root pages
796 text_wiki_page_destroy_children: Delete child pages and all their descendants
796 text_wiki_page_destroy_children: Delete child pages and all their descendants
797 setting_password_min_length: Minimum password length
797 setting_password_min_length: Minimum password length
798 field_group_by: Group results by
@@ -1,824 +1,825
1 # Danish translation file for standard Ruby on Rails internationalization
1 # Danish translation file for standard Ruby on Rails internationalization
2 # by Lars Hoeg (http://www.lenio.dk/)
2 # by Lars Hoeg (http://www.lenio.dk/)
3 # updated and upgraded to 0.9 by Morten Krogh Andersen (http://www.krogh.net)
3 # updated and upgraded to 0.9 by Morten Krogh Andersen (http://www.krogh.net)
4
4
5 da:
5 da:
6 date:
6 date:
7 formats:
7 formats:
8 default: "%d.%m.%Y"
8 default: "%d.%m.%Y"
9 short: "%e. %b %Y"
9 short: "%e. %b %Y"
10 long: "%e. %B %Y"
10 long: "%e. %B %Y"
11
11
12 day_names: [søndag, mandag, tirsdag, onsdag, torsdag, fredag, lørdag]
12 day_names: [søndag, mandag, tirsdag, onsdag, torsdag, fredag, lørdag]
13 abbr_day_names: [, ma, ti, 'on', to, fr, ]
13 abbr_day_names: [, ma, ti, 'on', to, fr, ]
14 month_names: [~, januar, februar, marts, april, maj, juni, juli, august, september, oktober, november, december]
14 month_names: [~, januar, februar, marts, april, maj, juni, juli, august, september, oktober, november, december]
15 abbr_month_names: [~, jan, feb, mar, apr, maj, jun, jul, aug, sep, okt, nov, dec]
15 abbr_month_names: [~, jan, feb, mar, apr, maj, jun, jul, aug, sep, okt, nov, dec]
16 order: [ :day, :month, :year ]
16 order: [ :day, :month, :year ]
17
17
18 time:
18 time:
19 formats:
19 formats:
20 default: "%e. %B %Y, %H:%M"
20 default: "%e. %B %Y, %H:%M"
21 time: "%H:%M"
21 time: "%H:%M"
22 short: "%e. %b %Y, %H:%M"
22 short: "%e. %b %Y, %H:%M"
23 long: "%A, %e. %B %Y, %H:%M"
23 long: "%A, %e. %B %Y, %H:%M"
24 am: ""
24 am: ""
25 pm: ""
25 pm: ""
26
26
27 support:
27 support:
28 array:
28 array:
29 sentence_connector: "og"
29 sentence_connector: "og"
30 skip_last_comma: true
30 skip_last_comma: true
31
31
32 datetime:
32 datetime:
33 distance_in_words:
33 distance_in_words:
34 half_a_minute: "et halvt minut"
34 half_a_minute: "et halvt minut"
35 less_than_x_seconds:
35 less_than_x_seconds:
36 one: "mindre end et sekund"
36 one: "mindre end et sekund"
37 other: "mindre end {{count}} sekunder"
37 other: "mindre end {{count}} sekunder"
38 x_seconds:
38 x_seconds:
39 one: "et sekund"
39 one: "et sekund"
40 other: "{{count}} sekunder"
40 other: "{{count}} sekunder"
41 less_than_x_minutes:
41 less_than_x_minutes:
42 one: "mindre end et minut"
42 one: "mindre end et minut"
43 other: "mindre end {{count}} minutter"
43 other: "mindre end {{count}} minutter"
44 x_minutes:
44 x_minutes:
45 one: "et minut"
45 one: "et minut"
46 other: "{{count}} minutter"
46 other: "{{count}} minutter"
47 about_x_hours:
47 about_x_hours:
48 one: "cirka en time"
48 one: "cirka en time"
49 other: "cirka {{count}} timer"
49 other: "cirka {{count}} timer"
50 x_days:
50 x_days:
51 one: "en dag"
51 one: "en dag"
52 other: "{{count}} dage"
52 other: "{{count}} dage"
53 about_x_months:
53 about_x_months:
54 one: "cirka en måned"
54 one: "cirka en måned"
55 other: "cirka {{count}} måneder"
55 other: "cirka {{count}} måneder"
56 x_months:
56 x_months:
57 one: "en måned"
57 one: "en måned"
58 other: "{{count}} måneder"
58 other: "{{count}} måneder"
59 about_x_years:
59 about_x_years:
60 one: "cirka et år"
60 one: "cirka et år"
61 other: "cirka {{count}} år"
61 other: "cirka {{count}} år"
62 over_x_years:
62 over_x_years:
63 one: "mere end et år"
63 one: "mere end et år"
64 other: "mere end {{count}} år"
64 other: "mere end {{count}} år"
65
65
66 number:
66 number:
67 format:
67 format:
68 separator: ","
68 separator: ","
69 delimiter: "."
69 delimiter: "."
70 precision: 3
70 precision: 3
71 currency:
71 currency:
72 format:
72 format:
73 format: "%u %n"
73 format: "%u %n"
74 unit: "DKK"
74 unit: "DKK"
75 separator: ","
75 separator: ","
76 delimiter: "."
76 delimiter: "."
77 precision: 2
77 precision: 2
78 precision:
78 precision:
79 format:
79 format:
80 # separator:
80 # separator:
81 delimiter: ""
81 delimiter: ""
82 # precision:
82 # precision:
83 human:
83 human:
84 format:
84 format:
85 # separator:
85 # separator:
86 delimiter: ""
86 delimiter: ""
87 precision: 1
87 precision: 1
88 storage_units: [Bytes, KB, MB, GB, TB]
88 storage_units: [Bytes, KB, MB, GB, TB]
89 percentage:
89 percentage:
90 format:
90 format:
91 # separator:
91 # separator:
92 delimiter: ""
92 delimiter: ""
93 # precision:
93 # precision:
94
94
95 activerecord:
95 activerecord:
96 errors:
96 errors:
97 messages:
97 messages:
98 inclusion: "er ikke i listen"
98 inclusion: "er ikke i listen"
99 exclusion: "er reserveret"
99 exclusion: "er reserveret"
100 invalid: "er ikke gyldig"
100 invalid: "er ikke gyldig"
101 confirmation: "stemmer ikke overens"
101 confirmation: "stemmer ikke overens"
102 accepted: "skal accepteres"
102 accepted: "skal accepteres"
103 empty: "må ikke udelades"
103 empty: "må ikke udelades"
104 blank: "skal udfyldes"
104 blank: "skal udfyldes"
105 too_long: "er for lang (maksimum {{count}} tegn)"
105 too_long: "er for lang (maksimum {{count}} tegn)"
106 too_short: "er for kort (minimum {{count}} tegn)"
106 too_short: "er for kort (minimum {{count}} tegn)"
107 wrong_length: "har forkert længde (skulle være {{count}} tegn)"
107 wrong_length: "har forkert længde (skulle være {{count}} tegn)"
108 taken: "er allerede anvendt"
108 taken: "er allerede anvendt"
109 not_a_number: "er ikke et tal"
109 not_a_number: "er ikke et tal"
110 greater_than: "skal være større end {{count}}"
110 greater_than: "skal være større end {{count}}"
111 greater_than_or_equal_to: "skal være større end eller lig med {{count}}"
111 greater_than_or_equal_to: "skal være større end eller lig med {{count}}"
112 equal_to: "skal være lig med {{count}}"
112 equal_to: "skal være lig med {{count}}"
113 less_than: "skal være mindre end {{count}}"
113 less_than: "skal være mindre end {{count}}"
114 less_than_or_equal_to: "skal være mindre end eller lig med {{count}}"
114 less_than_or_equal_to: "skal være mindre end eller lig med {{count}}"
115 odd: "skal være ulige"
115 odd: "skal være ulige"
116 even: "skal være lige"
116 even: "skal være lige"
117 greater_than_start_date: "skal være senere end startdatoen"
117 greater_than_start_date: "skal være senere end startdatoen"
118 not_same_project: "hører ikke til samme projekt"
118 not_same_project: "hører ikke til samme projekt"
119 circular_dependency: "Denne relation vil skabe et afhængighedsforhold"
119 circular_dependency: "Denne relation vil skabe et afhængighedsforhold"
120
120
121 template:
121 template:
122 header:
122 header:
123 one: "En fejl forhindrede {{model}} i at blive gemt"
123 one: "En fejl forhindrede {{model}} i at blive gemt"
124 other: "{{count}} fejl forhindrede denne {{model}} i at blive gemt"
124 other: "{{count}} fejl forhindrede denne {{model}} i at blive gemt"
125 body: "Der var problemer med følgende felter:"
125 body: "Der var problemer med følgende felter:"
126
126
127 actionview_instancetag_blank_option: Vælg venligst
127 actionview_instancetag_blank_option: Vælg venligst
128
128
129 general_text_No: 'Nej'
129 general_text_No: 'Nej'
130 general_text_Yes: 'Ja'
130 general_text_Yes: 'Ja'
131 general_text_no: 'nej'
131 general_text_no: 'nej'
132 general_text_yes: 'ja'
132 general_text_yes: 'ja'
133 general_lang_name: 'Danish (Dansk)'
133 general_lang_name: 'Danish (Dansk)'
134 general_csv_separator: ','
134 general_csv_separator: ','
135 general_csv_encoding: ISO-8859-1
135 general_csv_encoding: ISO-8859-1
136 general_pdf_encoding: ISO-8859-1
136 general_pdf_encoding: ISO-8859-1
137 general_first_day_of_week: '1'
137 general_first_day_of_week: '1'
138
138
139 notice_account_updated: Kontoen er opdateret.
139 notice_account_updated: Kontoen er opdateret.
140 notice_account_invalid_creditentials: Ugyldig bruger og/eller kodeord
140 notice_account_invalid_creditentials: Ugyldig bruger og/eller kodeord
141 notice_account_password_updated: Kodeordet er opdateret.
141 notice_account_password_updated: Kodeordet er opdateret.
142 notice_account_wrong_password: Forkert kodeord
142 notice_account_wrong_password: Forkert kodeord
143 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen skal du klikke på linket i den tilsendte email.
143 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen skal du klikke på linket i den tilsendte email.
144 notice_account_unknown_email: Ukendt bruger.
144 notice_account_unknown_email: Ukendt bruger.
145 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
145 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
146 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
146 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
147 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
147 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
148 notice_successful_create: Succesfuld oprettelse.
148 notice_successful_create: Succesfuld oprettelse.
149 notice_successful_update: Succesfuld opdatering.
149 notice_successful_update: Succesfuld opdatering.
150 notice_successful_delete: Succesfuld sletning.
150 notice_successful_delete: Succesfuld sletning.
151 notice_successful_connection: Succesfuld forbindelse.
151 notice_successful_connection: Succesfuld forbindelse.
152 notice_file_not_found: Siden du forsøger at tilgå eksisterer ikke eller er blevet fjernet.
152 notice_file_not_found: Siden du forsøger at tilgå eksisterer ikke eller er blevet fjernet.
153 notice_locking_conflict: Data er opdateret af en anden bruger.
153 notice_locking_conflict: Data er opdateret af en anden bruger.
154 notice_not_authorized: Du har ikke adgang til denne side.
154 notice_not_authorized: Du har ikke adgang til denne side.
155 notice_email_sent: "En email er sendt til {{value}}"
155 notice_email_sent: "En email er sendt til {{value}}"
156 notice_email_error: "En fejl opstod under afsendelse af email ({{value}})"
156 notice_email_error: "En fejl opstod under afsendelse af email ({{value}})"
157 notice_feeds_access_key_reseted: Din adgangsnøgle til RSS er nulstillet.
157 notice_feeds_access_key_reseted: Din adgangsnøgle til RSS er nulstillet.
158 notice_failed_to_save_issues: "Det mislykkedes at gemme {{count}} sage(r) {{total}} valgt: {{ids}}."
158 notice_failed_to_save_issues: "Det mislykkedes at gemme {{count}} sage(r) {{total}} valgt: {{ids}}."
159 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst hvilke emner du vil rette."
159 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst hvilke emner du vil rette."
160 notice_account_pending: "Din konto er oprettet, og afventer administrators godkendelse."
160 notice_account_pending: "Din konto er oprettet, og afventer administrators godkendelse."
161 notice_default_data_loaded: Standardopsætningen er indlæst.
161 notice_default_data_loaded: Standardopsætningen er indlæst.
162
162
163 error_can_t_load_default_data: "Standardopsætning kunne ikke indlæses: {{value}}"
163 error_can_t_load_default_data: "Standardopsætning kunne ikke indlæses: {{value}}"
164 error_scm_not_found: "Adgang nægtet og/eller revision blev ikke fundet i det valgte repository."
164 error_scm_not_found: "Adgang nægtet og/eller revision blev ikke fundet i det valgte repository."
165 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte repository: {{value}}"
165 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte repository: {{value}}"
166
166
167 mail_subject_lost_password: "Dit {{value}} kodeord"
167 mail_subject_lost_password: "Dit {{value}} kodeord"
168 mail_body_lost_password: 'For at ændre dit kodeord, klik dette link:'
168 mail_body_lost_password: 'For at ændre dit kodeord, klik dette link:'
169 mail_subject_register: "{{value}} kontoaktivering"
169 mail_subject_register: "{{value}} kontoaktivering"
170 mail_body_register: 'Klik dette link for at aktivere din konto:'
170 mail_body_register: 'Klik dette link for at aktivere din konto:'
171 mail_body_account_information_external: "Du kan bruge din {{value}} konto til at logge ind."
171 mail_body_account_information_external: "Du kan bruge din {{value}} konto til at logge ind."
172 mail_body_account_information: Din kontoinformation
172 mail_body_account_information: Din kontoinformation
173 mail_subject_account_activation_request: "{{value}} kontoaktivering"
173 mail_subject_account_activation_request: "{{value}} kontoaktivering"
174 mail_body_account_activation_request: "En ny bruger ({{value}}) er registreret. Godkend venligst kontoen:"
174 mail_body_account_activation_request: "En ny bruger ({{value}}) er registreret. Godkend venligst kontoen:"
175
175
176 gui_validation_error: 1 fejl
176 gui_validation_error: 1 fejl
177 gui_validation_error_plural: "{{count}} fejl"
177 gui_validation_error_plural: "{{count}} fejl"
178
178
179 field_name: Navn
179 field_name: Navn
180 field_description: Beskrivelse
180 field_description: Beskrivelse
181 field_summary: Sammenfatning
181 field_summary: Sammenfatning
182 field_is_required: Skal udfyldes
182 field_is_required: Skal udfyldes
183 field_firstname: Fornavn
183 field_firstname: Fornavn
184 field_lastname: Efternavn
184 field_lastname: Efternavn
185 field_mail: Email
185 field_mail: Email
186 field_filename: Fil
186 field_filename: Fil
187 field_filesize: Størrelse
187 field_filesize: Størrelse
188 field_downloads: Downloads
188 field_downloads: Downloads
189 field_author: Forfatter
189 field_author: Forfatter
190 field_created_on: Oprettet
190 field_created_on: Oprettet
191 field_updated_on: Opdateret
191 field_updated_on: Opdateret
192 field_field_format: Format
192 field_field_format: Format
193 field_is_for_all: For alle projekter
193 field_is_for_all: For alle projekter
194 field_possible_values: Mulige værdier
194 field_possible_values: Mulige værdier
195 field_regexp: Regulære udtryk
195 field_regexp: Regulære udtryk
196 field_min_length: Mindste længde
196 field_min_length: Mindste længde
197 field_max_length: Største længde
197 field_max_length: Største længde
198 field_value: Værdi
198 field_value: Værdi
199 field_category: Kategori
199 field_category: Kategori
200 field_title: Titel
200 field_title: Titel
201 field_project: Projekt
201 field_project: Projekt
202 field_issue: Sag
202 field_issue: Sag
203 field_status: Status
203 field_status: Status
204 field_notes: Noter
204 field_notes: Noter
205 field_is_closed: Sagen er lukket
205 field_is_closed: Sagen er lukket
206 field_is_default: Standardværdi
206 field_is_default: Standardværdi
207 field_tracker: Type
207 field_tracker: Type
208 field_subject: Emne
208 field_subject: Emne
209 field_due_date: Deadline
209 field_due_date: Deadline
210 field_assigned_to: Tildelt til
210 field_assigned_to: Tildelt til
211 field_priority: Prioritet
211 field_priority: Prioritet
212 field_fixed_version: Target version
212 field_fixed_version: Target version
213 field_user: Bruger
213 field_user: Bruger
214 field_role: Rolle
214 field_role: Rolle
215 field_homepage: Hjemmeside
215 field_homepage: Hjemmeside
216 field_is_public: Offentlig
216 field_is_public: Offentlig
217 field_parent: Underprojekt af
217 field_parent: Underprojekt af
218 field_is_in_chlog: Sager vist i ændringer
218 field_is_in_chlog: Sager vist i ændringer
219 field_is_in_roadmap: Sager vist i roadmap
219 field_is_in_roadmap: Sager vist i roadmap
220 field_login: Login
220 field_login: Login
221 field_mail_notification: Email-påmindelser
221 field_mail_notification: Email-påmindelser
222 field_admin: Administrator
222 field_admin: Administrator
223 field_last_login_on: Sidste forbindelse
223 field_last_login_on: Sidste forbindelse
224 field_language: Sprog
224 field_language: Sprog
225 field_effective_date: Dato
225 field_effective_date: Dato
226 field_password: Kodeord
226 field_password: Kodeord
227 field_new_password: Nyt kodeord
227 field_new_password: Nyt kodeord
228 field_password_confirmation: Bekræft
228 field_password_confirmation: Bekræft
229 field_version: Version
229 field_version: Version
230 field_type: Type
230 field_type: Type
231 field_host: Vært
231 field_host: Vært
232 field_port: Port
232 field_port: Port
233 field_account: Kode
233 field_account: Kode
234 field_base_dn: Base DN
234 field_base_dn: Base DN
235 field_attr_login: Login attribut
235 field_attr_login: Login attribut
236 field_attr_firstname: Fornavn attribut
236 field_attr_firstname: Fornavn attribut
237 field_attr_lastname: Efternavn attribut
237 field_attr_lastname: Efternavn attribut
238 field_attr_mail: Email attribut
238 field_attr_mail: Email attribut
239 field_onthefly: løbende brugeroprettelse
239 field_onthefly: løbende brugeroprettelse
240 field_start_date: Start
240 field_start_date: Start
241 field_done_ratio: % Færdig
241 field_done_ratio: % Færdig
242 field_auth_source: Sikkerhedsmetode
242 field_auth_source: Sikkerhedsmetode
243 field_hide_mail: Skjul min email
243 field_hide_mail: Skjul min email
244 field_comments: Kommentar
244 field_comments: Kommentar
245 field_url: URL
245 field_url: URL
246 field_start_page: Startside
246 field_start_page: Startside
247 field_subproject: Underprojekt
247 field_subproject: Underprojekt
248 field_hours: Timer
248 field_hours: Timer
249 field_activity: Aktivitet
249 field_activity: Aktivitet
250 field_spent_on: Dato
250 field_spent_on: Dato
251 field_identifier: Identifikator
251 field_identifier: Identifikator
252 field_is_filter: Brugt som et filter
252 field_is_filter: Brugt som et filter
253 field_issue_to_id: Beslægtede sag
253 field_issue_to_id: Beslægtede sag
254 field_delay: Udsættelse
254 field_delay: Udsættelse
255 field_assignable: Sager kan tildeles denne rolle
255 field_assignable: Sager kan tildeles denne rolle
256 field_redirect_existing_links: Videresend eksisterende links
256 field_redirect_existing_links: Videresend eksisterende links
257 field_estimated_hours: Anslået tid
257 field_estimated_hours: Anslået tid
258 field_column_names: Kolonner
258 field_column_names: Kolonner
259 field_time_zone: Tidszone
259 field_time_zone: Tidszone
260 field_searchable: Søgbar
260 field_searchable: Søgbar
261 field_default_value: Standardværdi
261 field_default_value: Standardværdi
262
262
263 setting_app_title: Applikationstitel
263 setting_app_title: Applikationstitel
264 setting_app_subtitle: Applikationsundertekst
264 setting_app_subtitle: Applikationsundertekst
265 setting_welcome_text: Velkomsttekst
265 setting_welcome_text: Velkomsttekst
266 setting_default_language: Standardsporg
266 setting_default_language: Standardsporg
267 setting_login_required: Sikkerhed påkrævet
267 setting_login_required: Sikkerhed påkrævet
268 setting_self_registration: Brugeroprettelse
268 setting_self_registration: Brugeroprettelse
269 setting_attachment_max_size: Vedhæftede filers max størrelse
269 setting_attachment_max_size: Vedhæftede filers max størrelse
270 setting_issues_export_limit: Sagseksporteringsbegrænsning
270 setting_issues_export_limit: Sagseksporteringsbegrænsning
271 setting_mail_from: Afsender-email
271 setting_mail_from: Afsender-email
272 setting_bcc_recipients: Skjult modtager (bcc)
272 setting_bcc_recipients: Skjult modtager (bcc)
273 setting_host_name: Værts navn
273 setting_host_name: Værts navn
274 setting_text_formatting: Tekstformatering
274 setting_text_formatting: Tekstformatering
275 setting_wiki_compression: Komprimering af wiki-historik
275 setting_wiki_compression: Komprimering af wiki-historik
276 setting_feeds_limit: Feed indholdsbegrænsning
276 setting_feeds_limit: Feed indholdsbegrænsning
277 setting_autofetch_changesets: Hent automatisk commits
277 setting_autofetch_changesets: Hent automatisk commits
278 setting_sys_api_enabled: Aktiver webservice for automatisk administration af repository
278 setting_sys_api_enabled: Aktiver webservice for automatisk administration af repository
279 setting_commit_ref_keywords: Referencenøgleord
279 setting_commit_ref_keywords: Referencenøgleord
280 setting_commit_fix_keywords: Afslutningsnøgleord
280 setting_commit_fix_keywords: Afslutningsnøgleord
281 setting_autologin: Autologin
281 setting_autologin: Autologin
282 setting_date_format: Datoformat
282 setting_date_format: Datoformat
283 setting_time_format: Tidsformat
283 setting_time_format: Tidsformat
284 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
284 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
285 setting_issue_list_default_columns: Standardkolonner på sagslisten
285 setting_issue_list_default_columns: Standardkolonner på sagslisten
286 setting_repositories_encodings: Repository-tegnsæt
286 setting_repositories_encodings: Repository-tegnsæt
287 setting_emails_footer: Email-fodnote
287 setting_emails_footer: Email-fodnote
288 setting_protocol: Protokol
288 setting_protocol: Protokol
289 setting_user_format: Brugervisningsformat
289 setting_user_format: Brugervisningsformat
290
290
291 project_module_issue_tracking: Sagssøgning
291 project_module_issue_tracking: Sagssøgning
292 project_module_time_tracking: Tidsstyring
292 project_module_time_tracking: Tidsstyring
293 project_module_news: Nyheder
293 project_module_news: Nyheder
294 project_module_documents: Dokumenter
294 project_module_documents: Dokumenter
295 project_module_files: Filer
295 project_module_files: Filer
296 project_module_wiki: Wiki
296 project_module_wiki: Wiki
297 project_module_repository: Repository
297 project_module_repository: Repository
298 project_module_boards: Fora
298 project_module_boards: Fora
299
299
300 label_user: Bruger
300 label_user: Bruger
301 label_user_plural: Brugere
301 label_user_plural: Brugere
302 label_user_new: Ny bruger
302 label_user_new: Ny bruger
303 label_project: Projekt
303 label_project: Projekt
304 label_project_new: Nyt projekt
304 label_project_new: Nyt projekt
305 label_project_plural: Projekter
305 label_project_plural: Projekter
306 label_x_projects:
306 label_x_projects:
307 zero: no projects
307 zero: no projects
308 one: 1 project
308 one: 1 project
309 other: "{{count}} projects"
309 other: "{{count}} projects"
310 label_project_all: Alle projekter
310 label_project_all: Alle projekter
311 label_project_latest: Seneste projekter
311 label_project_latest: Seneste projekter
312 label_issue: Sag
312 label_issue: Sag
313 label_issue_new: Opret sag
313 label_issue_new: Opret sag
314 label_issue_plural: Sager
314 label_issue_plural: Sager
315 label_issue_view_all: Vis alle sager
315 label_issue_view_all: Vis alle sager
316 label_issues_by: "Sager fra {{value}}"
316 label_issues_by: "Sager fra {{value}}"
317 label_issue_added: Sagen er oprettet
317 label_issue_added: Sagen er oprettet
318 label_issue_updated: Sagen er opdateret
318 label_issue_updated: Sagen er opdateret
319 label_document: Dokument
319 label_document: Dokument
320 label_document_new: Nyt dokument
320 label_document_new: Nyt dokument
321 label_document_plural: Dokumenter
321 label_document_plural: Dokumenter
322 label_document_added: Dokument tilføjet
322 label_document_added: Dokument tilføjet
323 label_role: Rolle
323 label_role: Rolle
324 label_role_plural: Roller
324 label_role_plural: Roller
325 label_role_new: Ny rolle
325 label_role_new: Ny rolle
326 label_role_and_permissions: Roller og rettigheder
326 label_role_and_permissions: Roller og rettigheder
327 label_member: Medlem
327 label_member: Medlem
328 label_member_new: Nyt medlem
328 label_member_new: Nyt medlem
329 label_member_plural: Medlemmer
329 label_member_plural: Medlemmer
330 label_tracker: Type
330 label_tracker: Type
331 label_tracker_plural: Typer
331 label_tracker_plural: Typer
332 label_tracker_new: Ny type
332 label_tracker_new: Ny type
333 label_workflow: Arbejdsgang
333 label_workflow: Arbejdsgang
334 label_issue_status: Sagsstatus
334 label_issue_status: Sagsstatus
335 label_issue_status_plural: Sagsstatuser
335 label_issue_status_plural: Sagsstatuser
336 label_issue_status_new: Ny status
336 label_issue_status_new: Ny status
337 label_issue_category: Sagskategori
337 label_issue_category: Sagskategori
338 label_issue_category_plural: Sagskategorier
338 label_issue_category_plural: Sagskategorier
339 label_issue_category_new: Ny kategori
339 label_issue_category_new: Ny kategori
340 label_custom_field: Brugerdefineret felt
340 label_custom_field: Brugerdefineret felt
341 label_custom_field_plural: Brugerdefineret felt
341 label_custom_field_plural: Brugerdefineret felt
342 label_custom_field_new: Nyt brugerdefineret felt
342 label_custom_field_new: Nyt brugerdefineret felt
343 label_enumerations: Værdier
343 label_enumerations: Værdier
344 label_enumeration_new: Ny værdi
344 label_enumeration_new: Ny værdi
345 label_information: Information
345 label_information: Information
346 label_information_plural: Information
346 label_information_plural: Information
347 label_please_login: Login
347 label_please_login: Login
348 label_register: Registrér
348 label_register: Registrér
349 label_password_lost: Glemt kodeord
349 label_password_lost: Glemt kodeord
350 label_home: Forside
350 label_home: Forside
351 label_my_page: Min side
351 label_my_page: Min side
352 label_my_account: Min konto
352 label_my_account: Min konto
353 label_my_projects: Mine projekter
353 label_my_projects: Mine projekter
354 label_administration: Administration
354 label_administration: Administration
355 label_login: Log ind
355 label_login: Log ind
356 label_logout: Log ud
356 label_logout: Log ud
357 label_help: Hjælp
357 label_help: Hjælp
358 label_reported_issues: Rapporterede sager
358 label_reported_issues: Rapporterede sager
359 label_assigned_to_me_issues: Sager tildelt mig
359 label_assigned_to_me_issues: Sager tildelt mig
360 label_last_login: Sidste login tidspunkt
360 label_last_login: Sidste login tidspunkt
361 label_registered_on: Registeret den
361 label_registered_on: Registeret den
362 label_activity: Aktivitet
362 label_activity: Aktivitet
363 label_new: Ny
363 label_new: Ny
364 label_logged_as: Registreret som
364 label_logged_as: Registreret som
365 label_environment: Miljø
365 label_environment: Miljø
366 label_authentication: Sikkerhed
366 label_authentication: Sikkerhed
367 label_auth_source: Sikkerhedsmetode
367 label_auth_source: Sikkerhedsmetode
368 label_auth_source_new: Ny sikkerhedsmetode
368 label_auth_source_new: Ny sikkerhedsmetode
369 label_auth_source_plural: Sikkerhedsmetoder
369 label_auth_source_plural: Sikkerhedsmetoder
370 label_subproject_plural: Underprojekter
370 label_subproject_plural: Underprojekter
371 label_min_max_length: Min - Max længde
371 label_min_max_length: Min - Max længde
372 label_list: Liste
372 label_list: Liste
373 label_date: Dato
373 label_date: Dato
374 label_integer: Heltal
374 label_integer: Heltal
375 label_float: Kommatal
375 label_float: Kommatal
376 label_boolean: Sand/falsk
376 label_boolean: Sand/falsk
377 label_string: Tekst
377 label_string: Tekst
378 label_text: Lang tekst
378 label_text: Lang tekst
379 label_attribute: Attribut
379 label_attribute: Attribut
380 label_attribute_plural: Attributter
380 label_attribute_plural: Attributter
381 label_download: "{{count}} Download"
381 label_download: "{{count}} Download"
382 label_download_plural: "{{count}} Downloads"
382 label_download_plural: "{{count}} Downloads"
383 label_no_data: Ingen data at vise
383 label_no_data: Ingen data at vise
384 label_change_status: Ændringsstatus
384 label_change_status: Ændringsstatus
385 label_history: Historik
385 label_history: Historik
386 label_attachment: Fil
386 label_attachment: Fil
387 label_attachment_new: Ny fil
387 label_attachment_new: Ny fil
388 label_attachment_delete: Slet fil
388 label_attachment_delete: Slet fil
389 label_attachment_plural: Filer
389 label_attachment_plural: Filer
390 label_file_added: Fil tilføjet
390 label_file_added: Fil tilføjet
391 label_report: Rapport
391 label_report: Rapport
392 label_report_plural: Rapporter
392 label_report_plural: Rapporter
393 label_news: Nyheder
393 label_news: Nyheder
394 label_news_new: Tilføj nyheder
394 label_news_new: Tilføj nyheder
395 label_news_plural: Nyheder
395 label_news_plural: Nyheder
396 label_news_latest: Seneste nyheder
396 label_news_latest: Seneste nyheder
397 label_news_view_all: Vis alle nyheder
397 label_news_view_all: Vis alle nyheder
398 label_news_added: Nyhed tilføjet
398 label_news_added: Nyhed tilføjet
399 label_change_log: Ændringer
399 label_change_log: Ændringer
400 label_settings: Indstillinger
400 label_settings: Indstillinger
401 label_overview: Oversigt
401 label_overview: Oversigt
402 label_version: Version
402 label_version: Version
403 label_version_new: Ny version
403 label_version_new: Ny version
404 label_version_plural: Versioner
404 label_version_plural: Versioner
405 label_confirmation: Bekræftelser
405 label_confirmation: Bekræftelser
406 label_export_to: Eksporter til
406 label_export_to: Eksporter til
407 label_read: Læs...
407 label_read: Læs...
408 label_public_projects: Offentlige projekter
408 label_public_projects: Offentlige projekter
409 label_open_issues: åben
409 label_open_issues: åben
410 label_open_issues_plural: åbne
410 label_open_issues_plural: åbne
411 label_closed_issues: lukket
411 label_closed_issues: lukket
412 label_closed_issues_plural: lukkede
412 label_closed_issues_plural: lukkede
413 label_x_open_issues_abbr_on_total:
413 label_x_open_issues_abbr_on_total:
414 zero: 0 åbne / {{total}}
414 zero: 0 åbne / {{total}}
415 one: 1 åben / {{total}}
415 one: 1 åben / {{total}}
416 other: "{{count}} åbne / {{total}}"
416 other: "{{count}} åbne / {{total}}"
417 label_x_open_issues_abbr:
417 label_x_open_issues_abbr:
418 zero: 0 åbne
418 zero: 0 åbne
419 one: 1 åben
419 one: 1 åben
420 other: "{{count}} åbne"
420 other: "{{count}} åbne"
421 label_x_closed_issues_abbr:
421 label_x_closed_issues_abbr:
422 zero: 0 lukkede
422 zero: 0 lukkede
423 one: 1 lukket
423 one: 1 lukket
424 other: "{{count}} lukkede"
424 other: "{{count}} lukkede"
425 label_total: Total
425 label_total: Total
426 label_permissions: Rettigheder
426 label_permissions: Rettigheder
427 label_current_status: Nuværende status
427 label_current_status: Nuværende status
428 label_new_statuses_allowed: Ny status tilladt
428 label_new_statuses_allowed: Ny status tilladt
429 label_all: alle
429 label_all: alle
430 label_none: intet
430 label_none: intet
431 label_nobody: ingen
431 label_nobody: ingen
432 label_next: Næste
432 label_next: Næste
433 label_previous: Forrig
433 label_previous: Forrig
434 label_used_by: Brugt af
434 label_used_by: Brugt af
435 label_details: Detaljer
435 label_details: Detaljer
436 label_add_note: Tilføj note
436 label_add_note: Tilføj note
437 label_per_page: Pr. side
437 label_per_page: Pr. side
438 label_calendar: Kalender
438 label_calendar: Kalender
439 label_months_from: måneder frem
439 label_months_from: måneder frem
440 label_gantt: Gantt
440 label_gantt: Gantt
441 label_internal: Intern
441 label_internal: Intern
442 label_last_changes: "sidste {{count}} ændringer"
442 label_last_changes: "sidste {{count}} ændringer"
443 label_change_view_all: Vis alle ændringer
443 label_change_view_all: Vis alle ændringer
444 label_personalize_page: Tilret denne side
444 label_personalize_page: Tilret denne side
445 label_comment: Kommentar
445 label_comment: Kommentar
446 label_comment_plural: Kommentarer
446 label_comment_plural: Kommentarer
447 label_x_comments:
447 label_x_comments:
448 zero: ingen kommentarer
448 zero: ingen kommentarer
449 one: 1 kommentar
449 one: 1 kommentar
450 other: "{{count}} kommentarer"
450 other: "{{count}} kommentarer"
451 label_comment_add: Tilføj en kommentar
451 label_comment_add: Tilføj en kommentar
452 label_comment_added: Kommentaren er tilføjet
452 label_comment_added: Kommentaren er tilføjet
453 label_comment_delete: Slet kommentar
453 label_comment_delete: Slet kommentar
454 label_query: Brugerdefineret forespørgsel
454 label_query: Brugerdefineret forespørgsel
455 label_query_plural: Brugerdefinerede forespørgsler
455 label_query_plural: Brugerdefinerede forespørgsler
456 label_query_new: Ny forespørgsel
456 label_query_new: Ny forespørgsel
457 label_filter_add: Tilføj filter
457 label_filter_add: Tilføj filter
458 label_filter_plural: Filtre
458 label_filter_plural: Filtre
459 label_equals: er
459 label_equals: er
460 label_not_equals: er ikke
460 label_not_equals: er ikke
461 label_in_less_than: er mindre end
461 label_in_less_than: er mindre end
462 label_in_more_than: er større end
462 label_in_more_than: er større end
463 label_in: indeholdt i
463 label_in: indeholdt i
464 label_today: i dag
464 label_today: i dag
465 label_all_time: altid
465 label_all_time: altid
466 label_yesterday: i går
466 label_yesterday: i går
467 label_this_week: denne uge
467 label_this_week: denne uge
468 label_last_week: sidste uge
468 label_last_week: sidste uge
469 label_last_n_days: "sidste {{count}} dage"
469 label_last_n_days: "sidste {{count}} dage"
470 label_this_month: denne måned
470 label_this_month: denne måned
471 label_last_month: sidste måned
471 label_last_month: sidste måned
472 label_this_year: dette år
472 label_this_year: dette år
473 label_date_range: Dato interval
473 label_date_range: Dato interval
474 label_less_than_ago: mindre end dage siden
474 label_less_than_ago: mindre end dage siden
475 label_more_than_ago: mere end dage siden
475 label_more_than_ago: mere end dage siden
476 label_ago: days siden
476 label_ago: days siden
477 label_contains: indeholder
477 label_contains: indeholder
478 label_not_contains: ikke indeholder
478 label_not_contains: ikke indeholder
479 label_day_plural: dage
479 label_day_plural: dage
480 label_repository: Repository
480 label_repository: Repository
481 label_repository_plural: Repositories
481 label_repository_plural: Repositories
482 label_browse: Gennemse
482 label_browse: Gennemse
483 label_modification: "{{count}} ændring"
483 label_modification: "{{count}} ændring"
484 label_modification_plural: "{{count}} ændringer"
484 label_modification_plural: "{{count}} ændringer"
485 label_revision: Revision
485 label_revision: Revision
486 label_revision_plural: Revisioner
486 label_revision_plural: Revisioner
487 label_associated_revisions: Tilnyttede revisioner
487 label_associated_revisions: Tilnyttede revisioner
488 label_added: tilføjet
488 label_added: tilføjet
489 label_modified: ændret
489 label_modified: ændret
490 label_deleted: slettet
490 label_deleted: slettet
491 label_latest_revision: Seneste revision
491 label_latest_revision: Seneste revision
492 label_latest_revision_plural: Seneste revisioner
492 label_latest_revision_plural: Seneste revisioner
493 label_view_revisions: Se revisioner
493 label_view_revisions: Se revisioner
494 label_max_size: Maximal størrelse
494 label_max_size: Maximal størrelse
495 label_sort_highest: Flyt til toppen
495 label_sort_highest: Flyt til toppen
496 label_sort_higher: Flyt op
496 label_sort_higher: Flyt op
497 label_sort_lower: Flyt ned
497 label_sort_lower: Flyt ned
498 label_sort_lowest: Flyt til bunden
498 label_sort_lowest: Flyt til bunden
499 label_roadmap: Roadmap
499 label_roadmap: Roadmap
500 label_roadmap_due_in: Deadline
500 label_roadmap_due_in: Deadline
501 label_roadmap_overdue: "{{value}} forsinket"
501 label_roadmap_overdue: "{{value}} forsinket"
502 label_roadmap_no_issues: Ingen sager i denne version
502 label_roadmap_no_issues: Ingen sager i denne version
503 label_search: Søg
503 label_search: Søg
504 label_result_plural: Resultater
504 label_result_plural: Resultater
505 label_all_words: Alle ord
505 label_all_words: Alle ord
506 label_wiki: Wiki
506 label_wiki: Wiki
507 label_wiki_edit: Wiki ændring
507 label_wiki_edit: Wiki ændring
508 label_wiki_edit_plural: Wiki ændringer
508 label_wiki_edit_plural: Wiki ændringer
509 label_wiki_page: Wiki side
509 label_wiki_page: Wiki side
510 label_wiki_page_plural: Wiki sider
510 label_wiki_page_plural: Wiki sider
511 label_index_by_title: Indhold efter titel
511 label_index_by_title: Indhold efter titel
512 label_index_by_date: Indhold efter dato
512 label_index_by_date: Indhold efter dato
513 label_current_version: Nuværende version
513 label_current_version: Nuværende version
514 label_preview: Forhåndsvisning
514 label_preview: Forhåndsvisning
515 label_feed_plural: Feeds
515 label_feed_plural: Feeds
516 label_changes_details: Detaljer for alle ændringer
516 label_changes_details: Detaljer for alle ændringer
517 label_issue_tracking: Sags søgning
517 label_issue_tracking: Sags søgning
518 label_spent_time: Anvendt tid
518 label_spent_time: Anvendt tid
519 label_f_hour: "{{value}} time"
519 label_f_hour: "{{value}} time"
520 label_f_hour_plural: "{{value}} timer"
520 label_f_hour_plural: "{{value}} timer"
521 label_time_tracking: Tidsstyring
521 label_time_tracking: Tidsstyring
522 label_change_plural: Ændringer
522 label_change_plural: Ændringer
523 label_statistics: Statistik
523 label_statistics: Statistik
524 label_commits_per_month: Commits pr. måned
524 label_commits_per_month: Commits pr. måned
525 label_commits_per_author: Commits pr. bruger
525 label_commits_per_author: Commits pr. bruger
526 label_view_diff: Vis forskelle
526 label_view_diff: Vis forskelle
527 label_diff_inline: inline
527 label_diff_inline: inline
528 label_diff_side_by_side: side om side
528 label_diff_side_by_side: side om side
529 label_options: Optioner
529 label_options: Optioner
530 label_copy_workflow_from: Kopier arbejdsgang fra
530 label_copy_workflow_from: Kopier arbejdsgang fra
531 label_permissions_report: Godkendelsesrapport
531 label_permissions_report: Godkendelsesrapport
532 label_watched_issues: Overvågede sager
532 label_watched_issues: Overvågede sager
533 label_related_issues: Relaterede sager
533 label_related_issues: Relaterede sager
534 label_applied_status: Anvendte statuser
534 label_applied_status: Anvendte statuser
535 label_loading: Indlæser...
535 label_loading: Indlæser...
536 label_relation_new: Ny relation
536 label_relation_new: Ny relation
537 label_relation_delete: Slet relation
537 label_relation_delete: Slet relation
538 label_relates_to: relaterer til
538 label_relates_to: relaterer til
539 label_duplicates: kopierer
539 label_duplicates: kopierer
540 label_blocks: blokerer
540 label_blocks: blokerer
541 label_blocked_by: blokeret af
541 label_blocked_by: blokeret af
542 label_precedes: kommer før
542 label_precedes: kommer før
543 label_follows: følger
543 label_follows: følger
544 label_end_to_start: slut til start
544 label_end_to_start: slut til start
545 label_end_to_end: slut til slut
545 label_end_to_end: slut til slut
546 label_start_to_start: start til start
546 label_start_to_start: start til start
547 label_start_to_end: start til slut
547 label_start_to_end: start til slut
548 label_stay_logged_in: Forbliv indlogget
548 label_stay_logged_in: Forbliv indlogget
549 label_disabled: deaktiveret
549 label_disabled: deaktiveret
550 label_show_completed_versions: Vis færdige versioner
550 label_show_completed_versions: Vis færdige versioner
551 label_me: mig
551 label_me: mig
552 label_board: Forum
552 label_board: Forum
553 label_board_new: Nyt forum
553 label_board_new: Nyt forum
554 label_board_plural: Fora
554 label_board_plural: Fora
555 label_topic_plural: Emner
555 label_topic_plural: Emner
556 label_message_plural: Beskeder
556 label_message_plural: Beskeder
557 label_message_last: Sidste besked
557 label_message_last: Sidste besked
558 label_message_new: Ny besked
558 label_message_new: Ny besked
559 label_message_posted: Besked tilføjet
559 label_message_posted: Besked tilføjet
560 label_reply_plural: Besvarer
560 label_reply_plural: Besvarer
561 label_send_information: Send konto information til bruger
561 label_send_information: Send konto information til bruger
562 label_year: År
562 label_year: År
563 label_month: Måned
563 label_month: Måned
564 label_week: Uge
564 label_week: Uge
565 label_date_from: Fra
565 label_date_from: Fra
566 label_date_to: Til
566 label_date_to: Til
567 label_language_based: Baseret på brugerens sprog
567 label_language_based: Baseret på brugerens sprog
568 label_sort_by: "Sortér efter {{value}}"
568 label_sort_by: "Sortér efter {{value}}"
569 label_send_test_email: Send en test email
569 label_send_test_email: Send en test email
570 label_feeds_access_key_created_on: "RSS adgangsnøgle dannet for {{value}} siden"
570 label_feeds_access_key_created_on: "RSS adgangsnøgle dannet for {{value}} siden"
571 label_module_plural: Moduler
571 label_module_plural: Moduler
572 label_added_time_by: "Tilføjet af {{author}} for {{age}} siden"
572 label_added_time_by: "Tilføjet af {{author}} for {{age}} siden"
573 label_updated_time: "Opdateret for {{value}} siden"
573 label_updated_time: "Opdateret for {{value}} siden"
574 label_jump_to_a_project: Skift til projekt...
574 label_jump_to_a_project: Skift til projekt...
575 label_file_plural: Filer
575 label_file_plural: Filer
576 label_changeset_plural: Ændringer
576 label_changeset_plural: Ændringer
577 label_default_columns: Standard kolonner
577 label_default_columns: Standard kolonner
578 label_no_change_option: (Ingen ændringer)
578 label_no_change_option: (Ingen ændringer)
579 label_bulk_edit_selected_issues: Masse-ret de valgte sager
579 label_bulk_edit_selected_issues: Masse-ret de valgte sager
580 label_theme: Tema
580 label_theme: Tema
581 label_default: standard
581 label_default: standard
582 label_search_titles_only: Søg kun i titler
582 label_search_titles_only: Søg kun i titler
583 label_user_mail_option_all: "For alle hændelser mine projekter"
583 label_user_mail_option_all: "For alle hændelser mine projekter"
584 label_user_mail_option_selected: "For alle hændelser de valgte projekter..."
584 label_user_mail_option_selected: "For alle hændelser de valgte projekter..."
585 label_user_mail_option_none: "Kun for ting jeg overvåger eller jeg er involveret i"
585 label_user_mail_option_none: "Kun for ting jeg overvåger eller jeg er involveret i"
586 label_user_mail_no_self_notified: "Jeg ønsker ikke besked om ændring foretaget af mig selv"
586 label_user_mail_no_self_notified: "Jeg ønsker ikke besked om ændring foretaget af mig selv"
587 label_registration_activation_by_email: kontoaktivering på email
587 label_registration_activation_by_email: kontoaktivering på email
588 label_registration_manual_activation: manuel kontoaktivering
588 label_registration_manual_activation: manuel kontoaktivering
589 label_registration_automatic_activation: automatisk kontoaktivering
589 label_registration_automatic_activation: automatisk kontoaktivering
590 label_display_per_page: "Per side: {{value}}"
590 label_display_per_page: "Per side: {{value}}"
591 label_age: Alder
591 label_age: Alder
592 label_change_properties: Ændre indstillinger
592 label_change_properties: Ændre indstillinger
593 label_general: Generalt
593 label_general: Generalt
594 label_more: Mere
594 label_more: Mere
595 label_scm: SCM
595 label_scm: SCM
596 label_plugins: Plugins
596 label_plugins: Plugins
597 label_ldap_authentication: LDAP-godkendelse
597 label_ldap_authentication: LDAP-godkendelse
598 label_downloads_abbr: D/L
598 label_downloads_abbr: D/L
599
599
600 button_login: Login
600 button_login: Login
601 button_submit: Send
601 button_submit: Send
602 button_save: Gem
602 button_save: Gem
603 button_check_all: Vælg alt
603 button_check_all: Vælg alt
604 button_uncheck_all: Fravælg alt
604 button_uncheck_all: Fravælg alt
605 button_delete: Slet
605 button_delete: Slet
606 button_create: Opret
606 button_create: Opret
607 button_test: Test
607 button_test: Test
608 button_edit: Ret
608 button_edit: Ret
609 button_add: Tilføj
609 button_add: Tilføj
610 button_change: Ændre
610 button_change: Ændre
611 button_apply: Anvend
611 button_apply: Anvend
612 button_clear: Nulstil
612 button_clear: Nulstil
613 button_lock: Lås
613 button_lock: Lås
614 button_unlock: Lås op
614 button_unlock: Lås op
615 button_download: Download
615 button_download: Download
616 button_list: List
616 button_list: List
617 button_view: Vis
617 button_view: Vis
618 button_move: Flyt
618 button_move: Flyt
619 button_back: Tilbage
619 button_back: Tilbage
620 button_cancel: Annullér
620 button_cancel: Annullér
621 button_activate: Aktivér
621 button_activate: Aktivér
622 button_sort: Sortér
622 button_sort: Sortér
623 button_log_time: Log tid
623 button_log_time: Log tid
624 button_rollback: Tilbagefør til denne version
624 button_rollback: Tilbagefør til denne version
625 button_watch: Overvåg
625 button_watch: Overvåg
626 button_unwatch: Stop overvågning
626 button_unwatch: Stop overvågning
627 button_reply: Besvar
627 button_reply: Besvar
628 button_archive: Arkivér
628 button_archive: Arkivér
629 button_unarchive: Fjern fra arkiv
629 button_unarchive: Fjern fra arkiv
630 button_reset: Nulstil
630 button_reset: Nulstil
631 button_rename: Omdøb
631 button_rename: Omdøb
632 button_change_password: Skift kodeord
632 button_change_password: Skift kodeord
633 button_copy: Kopiér
633 button_copy: Kopiér
634 button_annotate: Annotér
634 button_annotate: Annotér
635 button_update: Opdatér
635 button_update: Opdatér
636 button_configure: Konfigurér
636 button_configure: Konfigurér
637
637
638 status_active: aktiv
638 status_active: aktiv
639 status_registered: registreret
639 status_registered: registreret
640 status_locked: låst
640 status_locked: låst
641
641
642 text_select_mail_notifications: Vælg handlinger der skal sendes email besked for.
642 text_select_mail_notifications: Vælg handlinger der skal sendes email besked for.
643 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
643 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
644 text_min_max_length_info: 0 betyder ingen begrænsninger
644 text_min_max_length_info: 0 betyder ingen begrænsninger
645 text_project_destroy_confirmation: Er du sikker på at du vil slette dette projekt og alle relaterede data?
645 text_project_destroy_confirmation: Er du sikker på at du vil slette dette projekt og alle relaterede data?
646 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
646 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
647 text_are_you_sure: Er du sikker?
647 text_are_you_sure: Er du sikker?
648 text_journal_changed: "ændret fra {{old}} til {{new}}"
648 text_journal_changed: "ændret fra {{old}} til {{new}}"
649 text_journal_set_to: "sat til {{value}}"
649 text_journal_set_to: "sat til {{value}}"
650 text_journal_deleted: slettet
650 text_journal_deleted: slettet
651 text_tip_task_begin_day: opgaven begynder denne dag
651 text_tip_task_begin_day: opgaven begynder denne dag
652 text_tip_task_end_day: opaven slutter denne dag
652 text_tip_task_end_day: opaven slutter denne dag
653 text_tip_task_begin_end_day: opgaven begynder og slutter denne dag
653 text_tip_task_begin_end_day: opgaven begynder og slutter denne dag
654 text_project_identifier_info: 'Små bogstaver (a-z), numre og bindestreg er tilladt.<br />Denne er en unik identifikation for projektet, og kan defor ikke rettes senere.'
654 text_project_identifier_info: 'Små bogstaver (a-z), numre og bindestreg er tilladt.<br />Denne er en unik identifikation for projektet, og kan defor ikke rettes senere.'
655 text_caracters_maximum: "max {{count}} karakterer."
655 text_caracters_maximum: "max {{count}} karakterer."
656 text_caracters_minimum: "Skal være mindst {{count}} karakterer lang."
656 text_caracters_minimum: "Skal være mindst {{count}} karakterer lang."
657 text_length_between: "Længde skal være mellem {{min}} og {{max}} karakterer."
657 text_length_between: "Længde skal være mellem {{min}} og {{max}} karakterer."
658 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
658 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
659 text_unallowed_characters: Ikke-tilladte karakterer
659 text_unallowed_characters: Ikke-tilladte karakterer
660 text_comma_separated: Adskillige værdier tilladt (adskilt med komma).
660 text_comma_separated: Adskillige værdier tilladt (adskilt med komma).
661 text_issues_ref_in_commit_messages: Referer og løser sager i commit-beskeder
661 text_issues_ref_in_commit_messages: Referer og løser sager i commit-beskeder
662 text_issue_added: "Sag {{id}} er rapporteret af {{author}}."
662 text_issue_added: "Sag {{id}} er rapporteret af {{author}}."
663 text_issue_updated: "Sag {{id}} er blevet opdateret af {{author}}."
663 text_issue_updated: "Sag {{id}} er blevet opdateret af {{author}}."
664 text_wiki_destroy_confirmation: Er du sikker på at du vil slette denne wiki og dens indhold?
664 text_wiki_destroy_confirmation: Er du sikker på at du vil slette denne wiki og dens indhold?
665 text_issue_category_destroy_question: "Nogle sager ({{count}}) er tildelt denne kategori. Hvad ønsker du at gøre?"
665 text_issue_category_destroy_question: "Nogle sager ({{count}}) er tildelt denne kategori. Hvad ønsker du at gøre?"
666 text_issue_category_destroy_assignments: Slet tildelinger af kategori
666 text_issue_category_destroy_assignments: Slet tildelinger af kategori
667 text_issue_category_reassign_to: Tildel sager til denne kategori
667 text_issue_category_reassign_to: Tildel sager til denne kategori
668 text_user_mail_option: "For ikke-valgte projekter vil du kun modtage beskeder omhandlende ting du er involveret i eller overvåger (f.eks. sager du har indberettet eller ejer)."
668 text_user_mail_option: "For ikke-valgte projekter vil du kun modtage beskeder omhandlende ting du er involveret i eller overvåger (f.eks. sager du har indberettet eller ejer)."
669 text_no_configuration_data: "Roller, typer, sagsstatuser og arbejdsgange er endnu ikke konfigureret.\nDet er anbefalet at indlæse standardopsætningen. Du vil kunne ændre denne når den er indlæst."
669 text_no_configuration_data: "Roller, typer, sagsstatuser og arbejdsgange er endnu ikke konfigureret.\nDet er anbefalet at indlæse standardopsætningen. Du vil kunne ændre denne når den er indlæst."
670 text_load_default_configuration: Indlæs standardopsætningen
670 text_load_default_configuration: Indlæs standardopsætningen
671 text_status_changed_by_changeset: "Anvendt i ændring {{value}}."
671 text_status_changed_by_changeset: "Anvendt i ændring {{value}}."
672 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er)?'
672 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er)?'
673 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
673 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
674 text_default_administrator_account_changed: Standard administratorkonto ændret
674 text_default_administrator_account_changed: Standard administratorkonto ændret
675 text_file_repository_writable: Filarkiv er skrivbar
675 text_file_repository_writable: Filarkiv er skrivbar
676 text_rmagick_available: RMagick tilgængelig (valgfri)
676 text_rmagick_available: RMagick tilgængelig (valgfri)
677
677
678 default_role_manager: Leder
678 default_role_manager: Leder
679 default_role_developper: Udvikler
679 default_role_developper: Udvikler
680 default_role_reporter: Rapportør
680 default_role_reporter: Rapportør
681 default_tracker_bug: Bug
681 default_tracker_bug: Bug
682 default_tracker_feature: Feature
682 default_tracker_feature: Feature
683 default_tracker_support: Support
683 default_tracker_support: Support
684 default_issue_status_new: Ny
684 default_issue_status_new: Ny
685 default_issue_status_assigned: Tildelt
685 default_issue_status_assigned: Tildelt
686 default_issue_status_resolved: Løst
686 default_issue_status_resolved: Løst
687 default_issue_status_feedback: Feedback
687 default_issue_status_feedback: Feedback
688 default_issue_status_closed: Lukket
688 default_issue_status_closed: Lukket
689 default_issue_status_rejected: Afvist
689 default_issue_status_rejected: Afvist
690 default_doc_category_user: Brugerdokumentation
690 default_doc_category_user: Brugerdokumentation
691 default_doc_category_tech: Teknisk dokumentation
691 default_doc_category_tech: Teknisk dokumentation
692 default_priority_low: Lav
692 default_priority_low: Lav
693 default_priority_normal: Normal
693 default_priority_normal: Normal
694 default_priority_high: Høj
694 default_priority_high: Høj
695 default_priority_urgent: Akut
695 default_priority_urgent: Akut
696 default_priority_immediate: Omgående
696 default_priority_immediate: Omgående
697 default_activity_design: Design
697 default_activity_design: Design
698 default_activity_development: Udvikling
698 default_activity_development: Udvikling
699
699
700 enumeration_issue_priorities: Sagsprioriteter
700 enumeration_issue_priorities: Sagsprioriteter
701 enumeration_doc_categories: Dokumentkategorier
701 enumeration_doc_categories: Dokumentkategorier
702 enumeration_activities: Aktiviteter (tidsstyring)
702 enumeration_activities: Aktiviteter (tidsstyring)
703
703
704 label_add_another_file: Tilføj endnu en fil
704 label_add_another_file: Tilføj endnu en fil
705 label_chronological_order: I kronologisk rækkefølge
705 label_chronological_order: I kronologisk rækkefølge
706 setting_activity_days_default: Antal dage der vises under projektaktivitet
706 setting_activity_days_default: Antal dage der vises under projektaktivitet
707 text_destroy_time_entries_question: "{{hours}} timer er registreret denne sag som du er ved at slette. Hvad vil du gøre?"
707 text_destroy_time_entries_question: "{{hours}} timer er registreret denne sag som du er ved at slette. Hvad vil du gøre?"
708 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
708 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
709 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
709 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
710 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som standard
710 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som standard
711 label_optional_description: Optionel beskrivelse
711 label_optional_description: Optionel beskrivelse
712 text_destroy_time_entries: Slet registrerede timer
712 text_destroy_time_entries: Slet registrerede timer
713 field_comments_sorting: Vis kommentar
713 field_comments_sorting: Vis kommentar
714 text_reassign_time_entries: 'Tildel registrerede timer til denne sag igen'
714 text_reassign_time_entries: 'Tildel registrerede timer til denne sag igen'
715 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
715 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
716 label_preferences: Preferences
716 label_preferences: Preferences
717 label_overall_activity: Overordnet aktivitet
717 label_overall_activity: Overordnet aktivitet
718 setting_default_projects_public: Nye projekter er offentlige som standard
718 setting_default_projects_public: Nye projekter er offentlige som standard
719 error_scm_annotate: "The entry does not exist or can not be annotated."
719 error_scm_annotate: "The entry does not exist or can not be annotated."
720 label_planning: Planlægning
720 label_planning: Planlægning
721 text_subprojects_destroy_warning: "Dets underprojekter(er): {{value}} vil også blive slettet."
721 text_subprojects_destroy_warning: "Dets underprojekter(er): {{value}} vil også blive slettet."
722 permission_edit_issues: Redigér sager
722 permission_edit_issues: Redigér sager
723 setting_diff_max_lines_displayed: Maksimalt antal forskelle der vises
723 setting_diff_max_lines_displayed: Maksimalt antal forskelle der vises
724 permission_edit_own_issue_notes: Redigér egne noter
724 permission_edit_own_issue_notes: Redigér egne noter
725 setting_enabled_scm: Aktiveret SCM
725 setting_enabled_scm: Aktiveret SCM
726 button_quote: Citér
726 button_quote: Citér
727 permission_view_files: Se filer
727 permission_view_files: Se filer
728 permission_add_issues: Tilføj sager
728 permission_add_issues: Tilføj sager
729 permission_edit_own_messages: Redigér egne beskeder
729 permission_edit_own_messages: Redigér egne beskeder
730 permission_delete_own_messages: Slet egne beskeder
730 permission_delete_own_messages: Slet egne beskeder
731 permission_manage_public_queries: Administrér offentlig forespørgsler
731 permission_manage_public_queries: Administrér offentlig forespørgsler
732 permission_log_time: Registrér anvendt tid
732 permission_log_time: Registrér anvendt tid
733 label_renamed: omdømt
733 label_renamed: omdømt
734 label_incoming_emails: Indkommende emails
734 label_incoming_emails: Indkommende emails
735 permission_view_changesets: Se ændringer
735 permission_view_changesets: Se ændringer
736 permission_manage_versions: Administrér versioner
736 permission_manage_versions: Administrér versioner
737 permission_view_time_entries: Se anvendt tid
737 permission_view_time_entries: Se anvendt tid
738 label_generate_key: Generér en nøglefil
738 label_generate_key: Generér en nøglefil
739 permission_manage_categories: Administrér sagskategorier
739 permission_manage_categories: Administrér sagskategorier
740 permission_manage_wiki: Administrér wiki
740 permission_manage_wiki: Administrér wiki
741 setting_sequential_project_identifiers: Generér sekventielle projekt-identifikatorer
741 setting_sequential_project_identifiers: Generér sekventielle projekt-identifikatorer
742 setting_plain_text_mail: Emails som almindelig tekst (ingen HTML)
742 setting_plain_text_mail: Emails som almindelig tekst (ingen HTML)
743 field_parent_title: Siden over
743 field_parent_title: Siden over
744 text_email_delivery_not_configured: "Email-afsendelse er ikke indstillet og notifikationer er defor slået fra.\nKonfigurér din SMTP server i config/email.yml og genstart applikationen for at aktivere email-afsendelse."
744 text_email_delivery_not_configured: "Email-afsendelse er ikke indstillet og notifikationer er defor slået fra.\nKonfigurér din SMTP server i config/email.yml og genstart applikationen for at aktivere email-afsendelse."
745 permission_protect_wiki_pages: Beskyt wiki sider
745 permission_protect_wiki_pages: Beskyt wiki sider
746 permission_manage_documents: Administrér dokumenter
746 permission_manage_documents: Administrér dokumenter
747 permission_add_issue_watchers: Tilføj overvågere
747 permission_add_issue_watchers: Tilføj overvågere
748 warning_attachments_not_saved: "der var {{count}} fil(er), som ikke kunne gemmes."
748 warning_attachments_not_saved: "der var {{count}} fil(er), som ikke kunne gemmes."
749 permission_comment_news: Kommentér nyheder
749 permission_comment_news: Kommentér nyheder
750 text_enumeration_category_reassign_to: 'Reassign them to this value:'
750 text_enumeration_category_reassign_to: 'Reassign them to this value:'
751 permission_select_project_modules: Vælg projekt moduler
751 permission_select_project_modules: Vælg projekt moduler
752 permission_view_gantt: Se gantt diagram
752 permission_view_gantt: Se gantt diagram
753 permission_delete_messages: Slet beskeder
753 permission_delete_messages: Slet beskeder
754 permission_move_issues: Flyt sager
754 permission_move_issues: Flyt sager
755 permission_edit_wiki_pages: Redigér wiki sider
755 permission_edit_wiki_pages: Redigér wiki sider
756 label_user_activity: "{{value}}'s aktivitet"
756 label_user_activity: "{{value}}'s aktivitet"
757 permission_manage_issue_relations: Administrér sags-relationer
757 permission_manage_issue_relations: Administrér sags-relationer
758 label_issue_watchers: Overvågere
758 label_issue_watchers: Overvågere
759 permission_delete_wiki_pages: Slet wiki sider
759 permission_delete_wiki_pages: Slet wiki sider
760 notice_unable_delete_version: Kan ikke slette versionen.
760 notice_unable_delete_version: Kan ikke slette versionen.
761 permission_view_wiki_edits: Se wiki historik
761 permission_view_wiki_edits: Se wiki historik
762 field_editable: Redigérbar
762 field_editable: Redigérbar
763 label_duplicated_by: duplikeret af
763 label_duplicated_by: duplikeret af
764 permission_manage_boards: Administrér fora
764 permission_manage_boards: Administrér fora
765 permission_delete_wiki_pages_attachments: Slet filer vedhæftet wiki sider
765 permission_delete_wiki_pages_attachments: Slet filer vedhæftet wiki sider
766 permission_view_messages: Se beskeder
766 permission_view_messages: Se beskeder
767 text_enumeration_destroy_question: "{{count}} objekter er tildelt denne værdi."
767 text_enumeration_destroy_question: "{{count}} objekter er tildelt denne værdi."
768 permission_manage_files: Administrér filer
768 permission_manage_files: Administrér filer
769 permission_add_messages: Opret beskeder
769 permission_add_messages: Opret beskeder
770 permission_edit_issue_notes: Redigér noter
770 permission_edit_issue_notes: Redigér noter
771 permission_manage_news: Administrér nyheder
771 permission_manage_news: Administrér nyheder
772 text_plugin_assets_writable: Der er skriverettigheder til plugin assets folderen
772 text_plugin_assets_writable: Der er skriverettigheder til plugin assets folderen
773 label_display: Vis
773 label_display: Vis
774 label_and_its_subprojects: "{{value}} og dets underprojekter"
774 label_and_its_subprojects: "{{value}} og dets underprojekter"
775 permission_view_calendar: Se kalender
775 permission_view_calendar: Se kalender
776 button_create_and_continue: Opret og fortsæt
776 button_create_and_continue: Opret og fortsæt
777 setting_gravatar_enabled: Anvend Gravatar bruger ikoner
777 setting_gravatar_enabled: Anvend Gravatar bruger ikoner
778 label_updated_time_by: "Opdateret af {{author}} for {{age}} siden"
778 label_updated_time_by: "Opdateret af {{author}} for {{age}} siden"
779 text_diff_truncated: '... Listen over forskelle er bleve afkortet fordi den overstiger den maksimale størrelse der kan vises.'
779 text_diff_truncated: '... Listen over forskelle er bleve afkortet fordi den overstiger den maksimale størrelse der kan vises.'
780 text_user_wrote: "{{value}} skrev:"
780 text_user_wrote: "{{value}} skrev:"
781 setting_mail_handler_api_enabled: Aktiver webservice for indkomne emails
781 setting_mail_handler_api_enabled: Aktiver webservice for indkomne emails
782 permission_delete_issues: Slet sager
782 permission_delete_issues: Slet sager
783 permission_view_documents: Se dokumenter
783 permission_view_documents: Se dokumenter
784 permission_browse_repository: Gennemse repository
784 permission_browse_repository: Gennemse repository
785 permission_manage_repository: Administrér repository
785 permission_manage_repository: Administrér repository
786 permission_manage_members: Administrér medlemmer
786 permission_manage_members: Administrér medlemmer
787 mail_subject_reminder: "{{count}} sag(er) har deadline i de kommende dage"
787 mail_subject_reminder: "{{count}} sag(er) har deadline i de kommende dage"
788 permission_add_issue_notes: Tilføj noter
788 permission_add_issue_notes: Tilføj noter
789 permission_edit_messages: Redigér beskeder
789 permission_edit_messages: Redigér beskeder
790 permission_view_issue_watchers: Se liste over overvågere
790 permission_view_issue_watchers: Se liste over overvågere
791 permission_commit_access: Commit adgang
791 permission_commit_access: Commit adgang
792 setting_mail_handler_api_key: API nøgle
792 setting_mail_handler_api_key: API nøgle
793 label_example: Eksempel
793 label_example: Eksempel
794 permission_rename_wiki_pages: Omdøb wiki sider
794 permission_rename_wiki_pages: Omdøb wiki sider
795 text_custom_field_possible_values_info: 'En linje for hver værdi'
795 text_custom_field_possible_values_info: 'En linje for hver værdi'
796 permission_view_wiki_pages: Se wiki
796 permission_view_wiki_pages: Se wiki
797 permission_edit_project: Redigér projekt
797 permission_edit_project: Redigér projekt
798 permission_save_queries: Gem forespørgsler
798 permission_save_queries: Gem forespørgsler
799 label_copied: kopieret
799 label_copied: kopieret
800 setting_commit_logs_encoding: Kodning af Commit beskeder
800 setting_commit_logs_encoding: Kodning af Commit beskeder
801 text_repository_usernames_mapping: "Vælg eller opdatér de Redmine brugere der svarer til de enkelte brugere fundet i repository loggen.\nBrugere med samme brugernavn eller email adresse i både Redmine og det valgte repository bliver automatisk koblet sammen."
801 text_repository_usernames_mapping: "Vælg eller opdatér de Redmine brugere der svarer til de enkelte brugere fundet i repository loggen.\nBrugere med samme brugernavn eller email adresse i både Redmine og det valgte repository bliver automatisk koblet sammen."
802 permission_edit_time_entries: Redigér tidsregistreringer
802 permission_edit_time_entries: Redigér tidsregistreringer
803 general_csv_decimal_separator: ','
803 general_csv_decimal_separator: ','
804 permission_edit_own_time_entries: Redigér egne tidsregistreringer
804 permission_edit_own_time_entries: Redigér egne tidsregistreringer
805 setting_repository_log_display_limit: Maksimalt antal revisioner vist i fil-log
805 setting_repository_log_display_limit: Maksimalt antal revisioner vist i fil-log
806 setting_file_max_size_displayed: Maksimal størrelse på tekstfiler vist inline
806 setting_file_max_size_displayed: Maksimal størrelse på tekstfiler vist inline
807 field_watcher: Overvåger
807 field_watcher: Overvåger
808 setting_openid: Tillad OpenID login og registrering
808 setting_openid: Tillad OpenID login og registrering
809 field_identity_url: OpenID URL
809 field_identity_url: OpenID URL
810 label_login_with_open_id_option: eller login med OpenID
810 label_login_with_open_id_option: eller login med OpenID
811 setting_per_page_options: Objects per page options
811 setting_per_page_options: Objects per page options
812 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
812 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
813 field_content: Content
813 field_content: Content
814 label_descending: Descending
814 label_descending: Descending
815 label_sort: Sort
815 label_sort: Sort
816 label_ascending: Ascending
816 label_ascending: Ascending
817 label_date_from_to: From {{start}} to {{end}}
817 label_date_from_to: From {{start}} to {{end}}
818 label_greater_or_equal: ">="
818 label_greater_or_equal: ">="
819 label_less_or_equal: <=
819 label_less_or_equal: <=
820 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
820 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
821 text_wiki_page_reassign_children: Reassign child pages to this parent page
821 text_wiki_page_reassign_children: Reassign child pages to this parent page
822 text_wiki_page_nullify_children: Keep child pages as root pages
822 text_wiki_page_nullify_children: Keep child pages as root pages
823 text_wiki_page_destroy_children: Delete child pages and all their descendants
823 text_wiki_page_destroy_children: Delete child pages and all their descendants
824 setting_password_min_length: Minimum password length
824 setting_password_min_length: Minimum password length
825 field_group_by: Group results by
@@ -1,823 +1,824
1 # German translations for Ruby on Rails
1 # German translations for Ruby on Rails
2 # by Clemens Kofler (clemens@railway.at)
2 # by Clemens Kofler (clemens@railway.at)
3
3
4 de:
4 de:
5 date:
5 date:
6 formats:
6 formats:
7 default: "%d.%m.%Y"
7 default: "%d.%m.%Y"
8 short: "%e. %b"
8 short: "%e. %b"
9 long: "%e. %B %Y"
9 long: "%e. %B %Y"
10 only_day: "%e"
10 only_day: "%e"
11
11
12 day_names: [Sonntag, Montag, Dienstag, Mittwoch, Donnerstag, Freitag, Samstag]
12 day_names: [Sonntag, Montag, Dienstag, Mittwoch, Donnerstag, Freitag, Samstag]
13 abbr_day_names: [So, Mo, Di, Mi, Do, Fr, Sa]
13 abbr_day_names: [So, Mo, Di, Mi, Do, Fr, Sa]
14 month_names: [~, Januar, Februar, März, April, Mai, Juni, Juli, August, September, Oktober, November, Dezember]
14 month_names: [~, Januar, Februar, März, April, Mai, Juni, Juli, August, September, Oktober, November, Dezember]
15 abbr_month_names: [~, Jan, Feb, Mär, Apr, Mai, Jun, Jul, Aug, Sep, Okt, Nov, Dez]
15 abbr_month_names: [~, Jan, Feb, Mär, Apr, Mai, Jun, Jul, Aug, Sep, Okt, Nov, Dez]
16 order: [ :day, :month, :year ]
16 order: [ :day, :month, :year ]
17
17
18 time:
18 time:
19 formats:
19 formats:
20 default: "%A, %e. %B %Y, %H:%M Uhr"
20 default: "%A, %e. %B %Y, %H:%M Uhr"
21 short: "%e. %B, %H:%M Uhr"
21 short: "%e. %B, %H:%M Uhr"
22 long: "%A, %e. %B %Y, %H:%M Uhr"
22 long: "%A, %e. %B %Y, %H:%M Uhr"
23 time: "%H:%M"
23 time: "%H:%M"
24
24
25 am: "vormittags"
25 am: "vormittags"
26 pm: "nachmittags"
26 pm: "nachmittags"
27
27
28 datetime:
28 datetime:
29 distance_in_words:
29 distance_in_words:
30 half_a_minute: 'eine halbe Minute'
30 half_a_minute: 'eine halbe Minute'
31 less_than_x_seconds:
31 less_than_x_seconds:
32 zero: 'weniger als 1 Sekunde'
32 zero: 'weniger als 1 Sekunde'
33 one: 'weniger als 1 Sekunde'
33 one: 'weniger als 1 Sekunde'
34 other: 'weniger als {{count}} Sekunden'
34 other: 'weniger als {{count}} Sekunden'
35 x_seconds:
35 x_seconds:
36 one: '1 Sekunde'
36 one: '1 Sekunde'
37 other: '{{count}} Sekunden'
37 other: '{{count}} Sekunden'
38 less_than_x_minutes:
38 less_than_x_minutes:
39 zero: 'weniger als 1 Minute'
39 zero: 'weniger als 1 Minute'
40 one: 'weniger als eine Minute'
40 one: 'weniger als eine Minute'
41 other: 'weniger als {{count}} Minuten'
41 other: 'weniger als {{count}} Minuten'
42 x_minutes:
42 x_minutes:
43 one: '1 Minute'
43 one: '1 Minute'
44 other: '{{count}} Minuten'
44 other: '{{count}} Minuten'
45 about_x_hours:
45 about_x_hours:
46 one: 'etwa 1 Stunde'
46 one: 'etwa 1 Stunde'
47 other: 'etwa {{count}} Stunden'
47 other: 'etwa {{count}} Stunden'
48 x_days:
48 x_days:
49 one: '1 Tag'
49 one: '1 Tag'
50 other: '{{count}} Tage'
50 other: '{{count}} Tage'
51 about_x_months:
51 about_x_months:
52 one: 'etwa 1 Monat'
52 one: 'etwa 1 Monat'
53 other: 'etwa {{count}} Monate'
53 other: 'etwa {{count}} Monate'
54 x_months:
54 x_months:
55 one: '1 Monat'
55 one: '1 Monat'
56 other: '{{count}} Monate'
56 other: '{{count}} Monate'
57 about_x_years:
57 about_x_years:
58 one: 'etwa 1 Jahr'
58 one: 'etwa 1 Jahr'
59 other: 'etwa {{count}} Jahre'
59 other: 'etwa {{count}} Jahre'
60 over_x_years:
60 over_x_years:
61 one: 'mehr als 1 Jahr'
61 one: 'mehr als 1 Jahr'
62 other: 'mehr als {{count}} Jahre'
62 other: 'mehr als {{count}} Jahre'
63
63
64 number:
64 number:
65 format:
65 format:
66 precision: 2
66 precision: 2
67 separator: ','
67 separator: ','
68 delimiter: '.'
68 delimiter: '.'
69 currency:
69 currency:
70 format:
70 format:
71 unit: '€'
71 unit: '€'
72 format: '%n%u'
72 format: '%n%u'
73 separator:
73 separator:
74 delimiter:
74 delimiter:
75 precision:
75 precision:
76 percentage:
76 percentage:
77 format:
77 format:
78 delimiter: ""
78 delimiter: ""
79 precision:
79 precision:
80 format:
80 format:
81 delimiter: ""
81 delimiter: ""
82 human:
82 human:
83 format:
83 format:
84 delimiter: ""
84 delimiter: ""
85 precision: 1
85 precision: 1
86
86
87 support:
87 support:
88 array:
88 array:
89 sentence_connector: "und"
89 sentence_connector: "und"
90 skip_last_comma: true
90 skip_last_comma: true
91
91
92 activerecord:
92 activerecord:
93 errors:
93 errors:
94 template:
94 template:
95 header:
95 header:
96 one: "Konnte dieses {{model}} Objekt nicht speichern: 1 Fehler."
96 one: "Konnte dieses {{model}} Objekt nicht speichern: 1 Fehler."
97 other: "Konnte dieses {{model}} Objekt nicht speichern: {{count}} Fehler."
97 other: "Konnte dieses {{model}} Objekt nicht speichern: {{count}} Fehler."
98 body: "Bitte überprüfen Sie die folgenden Felder:"
98 body: "Bitte überprüfen Sie die folgenden Felder:"
99
99
100 messages:
100 messages:
101 inclusion: "ist kein gültiger Wert"
101 inclusion: "ist kein gültiger Wert"
102 exclusion: "ist nicht verfügbar"
102 exclusion: "ist nicht verfügbar"
103 invalid: "ist nicht gültig"
103 invalid: "ist nicht gültig"
104 confirmation: "stimmt nicht mit der Bestätigung überein"
104 confirmation: "stimmt nicht mit der Bestätigung überein"
105 accepted: "muss akzeptiert werden"
105 accepted: "muss akzeptiert werden"
106 empty: "muss ausgefüllt werden"
106 empty: "muss ausgefüllt werden"
107 blank: "muss ausgefüllt werden"
107 blank: "muss ausgefüllt werden"
108 too_long: "ist zu lang (nicht mehr als {{count}} Zeichen)"
108 too_long: "ist zu lang (nicht mehr als {{count}} Zeichen)"
109 too_short: "ist zu kurz (nicht weniger als {{count}} Zeichen)"
109 too_short: "ist zu kurz (nicht weniger als {{count}} Zeichen)"
110 wrong_length: "hat die falsche Länge (muss genau {{count}} Zeichen haben)"
110 wrong_length: "hat die falsche Länge (muss genau {{count}} Zeichen haben)"
111 taken: "ist bereits vergeben"
111 taken: "ist bereits vergeben"
112 not_a_number: "ist keine Zahl"
112 not_a_number: "ist keine Zahl"
113 greater_than: "muss größer als {{count}} sein"
113 greater_than: "muss größer als {{count}} sein"
114 greater_than_or_equal_to: "muss größer oder gleich {{count}} sein"
114 greater_than_or_equal_to: "muss größer oder gleich {{count}} sein"
115 equal_to: "muss genau {{count}} sein"
115 equal_to: "muss genau {{count}} sein"
116 less_than: "muss kleiner als {{count}} sein"
116 less_than: "muss kleiner als {{count}} sein"
117 less_than_or_equal_to: "muss kleiner oder gleich {{count}} sein"
117 less_than_or_equal_to: "muss kleiner oder gleich {{count}} sein"
118 odd: "muss ungerade sein"
118 odd: "muss ungerade sein"
119 even: "muss gerade sein"
119 even: "muss gerade sein"
120 greater_than_start_date: "muss größer als Anfangsdatum sein"
120 greater_than_start_date: "muss größer als Anfangsdatum sein"
121 not_same_project: "gehört nicht zum selben Projekt"
121 not_same_project: "gehört nicht zum selben Projekt"
122 circular_dependency: "Diese Beziehung würde eine zyklische Abhängigkeit erzeugen"
122 circular_dependency: "Diese Beziehung würde eine zyklische Abhängigkeit erzeugen"
123 models:
123 models:
124
124
125 actionview_instancetag_blank_option: Bitte auswählen
125 actionview_instancetag_blank_option: Bitte auswählen
126
126
127 general_text_No: 'Nein'
127 general_text_No: 'Nein'
128 general_text_Yes: 'Ja'
128 general_text_Yes: 'Ja'
129 general_text_no: 'nein'
129 general_text_no: 'nein'
130 general_text_yes: 'ja'
130 general_text_yes: 'ja'
131 general_lang_name: 'Deutsch'
131 general_lang_name: 'Deutsch'
132 general_csv_separator: ';'
132 general_csv_separator: ';'
133 general_csv_decimal_separator: ','
133 general_csv_decimal_separator: ','
134 general_csv_encoding: ISO-8859-1
134 general_csv_encoding: ISO-8859-1
135 general_pdf_encoding: ISO-8859-1
135 general_pdf_encoding: ISO-8859-1
136 general_first_day_of_week: '1'
136 general_first_day_of_week: '1'
137
137
138 notice_account_updated: Konto wurde erfolgreich aktualisiert.
138 notice_account_updated: Konto wurde erfolgreich aktualisiert.
139 notice_account_invalid_creditentials: Benutzer oder Kennwort unzulässig
139 notice_account_invalid_creditentials: Benutzer oder Kennwort unzulässig
140 notice_account_password_updated: Kennwort wurde erfolgreich aktualisiert.
140 notice_account_password_updated: Kennwort wurde erfolgreich aktualisiert.
141 notice_account_wrong_password: Falsches Kennwort
141 notice_account_wrong_password: Falsches Kennwort
142 notice_account_register_done: Konto wurde erfolgreich angelegt.
142 notice_account_register_done: Konto wurde erfolgreich angelegt.
143 notice_account_unknown_email: Unbekannter Benutzer.
143 notice_account_unknown_email: Unbekannter Benutzer.
144 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentifizierungs-Quelle. Unmöglich, das Kennwort zu ändern.
144 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentifizierungs-Quelle. Unmöglich, das Kennwort zu ändern.
145 notice_account_lost_email_sent: Eine E-Mail mit Anweisungen, ein neues Kennwort zu wählen, wurde Ihnen geschickt.
145 notice_account_lost_email_sent: Eine E-Mail mit Anweisungen, ein neues Kennwort zu wählen, wurde Ihnen geschickt.
146 notice_account_activated: Ihr Konto ist aktiviert. Sie können sich jetzt anmelden.
146 notice_account_activated: Ihr Konto ist aktiviert. Sie können sich jetzt anmelden.
147 notice_successful_create: Erfolgreich angelegt
147 notice_successful_create: Erfolgreich angelegt
148 notice_successful_update: Erfolgreich aktualisiert.
148 notice_successful_update: Erfolgreich aktualisiert.
149 notice_successful_delete: Erfolgreich gelöscht.
149 notice_successful_delete: Erfolgreich gelöscht.
150 notice_successful_connection: Verbindung erfolgreich.
150 notice_successful_connection: Verbindung erfolgreich.
151 notice_file_not_found: Anhang existiert nicht oder ist gelöscht worden.
151 notice_file_not_found: Anhang existiert nicht oder ist gelöscht worden.
152 notice_locking_conflict: Datum wurde von einem anderen Benutzer geändert.
152 notice_locking_conflict: Datum wurde von einem anderen Benutzer geändert.
153 notice_not_authorized: Sie sind nicht berechtigt, auf diese Seite zuzugreifen.
153 notice_not_authorized: Sie sind nicht berechtigt, auf diese Seite zuzugreifen.
154 notice_email_sent: "Eine E-Mail wurde an {{value}} gesendet."
154 notice_email_sent: "Eine E-Mail wurde an {{value}} gesendet."
155 notice_email_error: "Beim Senden einer E-Mail ist ein Fehler aufgetreten ({{value}})."
155 notice_email_error: "Beim Senden einer E-Mail ist ein Fehler aufgetreten ({{value}})."
156 notice_feeds_access_key_reseted: Ihr Atom-Zugriffsschlüssel wurde zurückgesetzt.
156 notice_feeds_access_key_reseted: Ihr Atom-Zugriffsschlüssel wurde zurückgesetzt.
157 notice_failed_to_save_issues: "{{count}} von {{total}} ausgewählten Tickets konnte(n) nicht gespeichert werden: {{ids}}."
157 notice_failed_to_save_issues: "{{count}} von {{total}} ausgewählten Tickets konnte(n) nicht gespeichert werden: {{ids}}."
158 notice_no_issue_selected: "Kein Ticket ausgewählt! Bitte wählen Sie die Tickets, die Sie bearbeiten möchten."
158 notice_no_issue_selected: "Kein Ticket ausgewählt! Bitte wählen Sie die Tickets, die Sie bearbeiten möchten."
159 notice_account_pending: "Ihr Konto wurde erstellt und wartet jetzt auf die Genehmigung des Administrators."
159 notice_account_pending: "Ihr Konto wurde erstellt und wartet jetzt auf die Genehmigung des Administrators."
160 notice_default_data_loaded: Die Standard-Konfiguration wurde erfolgreich geladen.
160 notice_default_data_loaded: Die Standard-Konfiguration wurde erfolgreich geladen.
161 notice_unable_delete_version: Die Version konnte nicht gelöscht werden
161 notice_unable_delete_version: Die Version konnte nicht gelöscht werden
162
162
163 error_can_t_load_default_data: "Die Standard-Konfiguration konnte nicht geladen werden: {{value}}"
163 error_can_t_load_default_data: "Die Standard-Konfiguration konnte nicht geladen werden: {{value}}"
164 error_scm_not_found: Eintrag und/oder Revision existiert nicht im Projektarchiv.
164 error_scm_not_found: Eintrag und/oder Revision existiert nicht im Projektarchiv.
165 error_scm_command_failed: "Beim Zugriff auf das Projektarchiv ist ein Fehler aufgetreten: {{value}}"
165 error_scm_command_failed: "Beim Zugriff auf das Projektarchiv ist ein Fehler aufgetreten: {{value}}"
166 error_scm_annotate: "Der Eintrag existiert nicht oder kann nicht annotiert werden."
166 error_scm_annotate: "Der Eintrag existiert nicht oder kann nicht annotiert werden."
167 error_issue_not_found_in_project: 'Das Ticket wurde nicht gefunden oder gehört nicht zu diesem Projekt.'
167 error_issue_not_found_in_project: 'Das Ticket wurde nicht gefunden oder gehört nicht zu diesem Projekt.'
168
168
169 warning_attachments_not_saved: "{{count}} Datei(en) konnten nicht gespeichert werden."
169 warning_attachments_not_saved: "{{count}} Datei(en) konnten nicht gespeichert werden."
170
170
171 mail_subject_lost_password: "Ihr {{value}} Kennwort"
171 mail_subject_lost_password: "Ihr {{value}} Kennwort"
172 mail_body_lost_password: 'Benutzen Sie den folgenden Link, um Ihr Kennwort zu ändern:'
172 mail_body_lost_password: 'Benutzen Sie den folgenden Link, um Ihr Kennwort zu ändern:'
173 mail_subject_register: "{{value}} Kontoaktivierung"
173 mail_subject_register: "{{value}} Kontoaktivierung"
174 mail_body_register: 'Um Ihr Konto zu aktivieren, benutzen Sie folgenden Link:'
174 mail_body_register: 'Um Ihr Konto zu aktivieren, benutzen Sie folgenden Link:'
175 mail_body_account_information_external: "Sie können sich mit Ihrem Konto {{value}} an anmelden."
175 mail_body_account_information_external: "Sie können sich mit Ihrem Konto {{value}} an anmelden."
176 mail_body_account_information: Ihre Konto-Informationen
176 mail_body_account_information: Ihre Konto-Informationen
177 mail_subject_account_activation_request: "Antrag auf {{value}} Kontoaktivierung"
177 mail_subject_account_activation_request: "Antrag auf {{value}} Kontoaktivierung"
178 mail_body_account_activation_request: "Ein neuer Benutzer ({{value}}) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:"
178 mail_body_account_activation_request: "Ein neuer Benutzer ({{value}}) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:"
179 mail_subject_reminder: "{{count}} Tickets müssen in den nächsten Tagen abgegeben werden"
179 mail_subject_reminder: "{{count}} Tickets müssen in den nächsten Tagen abgegeben werden"
180 mail_body_reminder: "{{count}} Tickets, die Ihnen zugewiesen sind, müssen in den nächsten {{days}} Tagen abgegeben werden:"
180 mail_body_reminder: "{{count}} Tickets, die Ihnen zugewiesen sind, müssen in den nächsten {{days}} Tagen abgegeben werden:"
181
181
182 gui_validation_error: 1 Fehler
182 gui_validation_error: 1 Fehler
183 gui_validation_error_plural: "{{count}} Fehler"
183 gui_validation_error_plural: "{{count}} Fehler"
184
184
185 field_name: Name
185 field_name: Name
186 field_description: Beschreibung
186 field_description: Beschreibung
187 field_summary: Zusammenfassung
187 field_summary: Zusammenfassung
188 field_is_required: Erforderlich
188 field_is_required: Erforderlich
189 field_firstname: Vorname
189 field_firstname: Vorname
190 field_lastname: Nachname
190 field_lastname: Nachname
191 field_mail: E-Mail
191 field_mail: E-Mail
192 field_filename: Datei
192 field_filename: Datei
193 field_filesize: Größe
193 field_filesize: Größe
194 field_downloads: Downloads
194 field_downloads: Downloads
195 field_author: Autor
195 field_author: Autor
196 field_created_on: Angelegt
196 field_created_on: Angelegt
197 field_updated_on: Aktualisiert
197 field_updated_on: Aktualisiert
198 field_field_format: Format
198 field_field_format: Format
199 field_is_for_all: Für alle Projekte
199 field_is_for_all: Für alle Projekte
200 field_possible_values: Mögliche Werte
200 field_possible_values: Mögliche Werte
201 field_regexp: Regulärer Ausdruck
201 field_regexp: Regulärer Ausdruck
202 field_min_length: Minimale Länge
202 field_min_length: Minimale Länge
203 field_max_length: Maximale Länge
203 field_max_length: Maximale Länge
204 field_value: Wert
204 field_value: Wert
205 field_category: Kategorie
205 field_category: Kategorie
206 field_title: Titel
206 field_title: Titel
207 field_project: Projekt
207 field_project: Projekt
208 field_issue: Ticket
208 field_issue: Ticket
209 field_status: Status
209 field_status: Status
210 field_notes: Kommentare
210 field_notes: Kommentare
211 field_is_closed: Ticket geschlossen
211 field_is_closed: Ticket geschlossen
212 field_is_default: Standardeinstellung
212 field_is_default: Standardeinstellung
213 field_tracker: Tracker
213 field_tracker: Tracker
214 field_subject: Thema
214 field_subject: Thema
215 field_due_date: Abgabedatum
215 field_due_date: Abgabedatum
216 field_assigned_to: Zugewiesen an
216 field_assigned_to: Zugewiesen an
217 field_priority: Priorität
217 field_priority: Priorität
218 field_fixed_version: Zielversion
218 field_fixed_version: Zielversion
219 field_user: Benutzer
219 field_user: Benutzer
220 field_role: Rolle
220 field_role: Rolle
221 field_homepage: Projekt-Homepage
221 field_homepage: Projekt-Homepage
222 field_is_public: Öffentlich
222 field_is_public: Öffentlich
223 field_parent: Unterprojekt von
223 field_parent: Unterprojekt von
224 field_is_in_chlog: Im Change-Log anzeigen
224 field_is_in_chlog: Im Change-Log anzeigen
225 field_is_in_roadmap: In der Roadmap anzeigen
225 field_is_in_roadmap: In der Roadmap anzeigen
226 field_login: Mitgliedsname
226 field_login: Mitgliedsname
227 field_mail_notification: Mailbenachrichtigung
227 field_mail_notification: Mailbenachrichtigung
228 field_admin: Administrator
228 field_admin: Administrator
229 field_last_login_on: Letzte Anmeldung
229 field_last_login_on: Letzte Anmeldung
230 field_language: Sprache
230 field_language: Sprache
231 field_effective_date: Datum
231 field_effective_date: Datum
232 field_password: Kennwort
232 field_password: Kennwort
233 field_new_password: Neues Kennwort
233 field_new_password: Neues Kennwort
234 field_password_confirmation: Bestätigung
234 field_password_confirmation: Bestätigung
235 field_version: Version
235 field_version: Version
236 field_type: Typ
236 field_type: Typ
237 field_host: Host
237 field_host: Host
238 field_port: Port
238 field_port: Port
239 field_account: Konto
239 field_account: Konto
240 field_base_dn: Base DN
240 field_base_dn: Base DN
241 field_attr_login: Mitgliedsname-Attribut
241 field_attr_login: Mitgliedsname-Attribut
242 field_attr_firstname: Vorname-Attribut
242 field_attr_firstname: Vorname-Attribut
243 field_attr_lastname: Name-Attribut
243 field_attr_lastname: Name-Attribut
244 field_attr_mail: E-Mail-Attribut
244 field_attr_mail: E-Mail-Attribut
245 field_onthefly: On-the-fly-Benutzererstellung
245 field_onthefly: On-the-fly-Benutzererstellung
246 field_start_date: Beginn
246 field_start_date: Beginn
247 field_done_ratio: % erledigt
247 field_done_ratio: % erledigt
248 field_auth_source: Authentifizierungs-Modus
248 field_auth_source: Authentifizierungs-Modus
249 field_hide_mail: E-Mail-Adresse nicht anzeigen
249 field_hide_mail: E-Mail-Adresse nicht anzeigen
250 field_comments: Kommentar
250 field_comments: Kommentar
251 field_url: URL
251 field_url: URL
252 field_start_page: Hauptseite
252 field_start_page: Hauptseite
253 field_subproject: Subprojekt von
253 field_subproject: Subprojekt von
254 field_hours: Stunden
254 field_hours: Stunden
255 field_activity: Aktivität
255 field_activity: Aktivität
256 field_spent_on: Datum
256 field_spent_on: Datum
257 field_identifier: Kennung
257 field_identifier: Kennung
258 field_is_filter: Als Filter benutzen
258 field_is_filter: Als Filter benutzen
259 field_issue_to_id: Zugehöriges Ticket
259 field_issue_to_id: Zugehöriges Ticket
260 field_delay: Pufferzeit
260 field_delay: Pufferzeit
261 field_assignable: Tickets können dieser Rolle zugewiesen werden
261 field_assignable: Tickets können dieser Rolle zugewiesen werden
262 field_redirect_existing_links: Existierende Links umleiten
262 field_redirect_existing_links: Existierende Links umleiten
263 field_estimated_hours: Geschätzter Aufwand
263 field_estimated_hours: Geschätzter Aufwand
264 field_column_names: Spalten
264 field_column_names: Spalten
265 field_time_zone: Zeitzone
265 field_time_zone: Zeitzone
266 field_searchable: Durchsuchbar
266 field_searchable: Durchsuchbar
267 field_default_value: Standardwert
267 field_default_value: Standardwert
268 field_comments_sorting: Kommentare anzeigen
268 field_comments_sorting: Kommentare anzeigen
269 field_parent_title: Übergeordnete Seite
269 field_parent_title: Übergeordnete Seite
270
270
271 setting_app_title: Applikations-Titel
271 setting_app_title: Applikations-Titel
272 setting_app_subtitle: Applikations-Untertitel
272 setting_app_subtitle: Applikations-Untertitel
273 setting_welcome_text: Willkommenstext
273 setting_welcome_text: Willkommenstext
274 setting_default_language: Default-Sprache
274 setting_default_language: Default-Sprache
275 setting_login_required: Authentisierung erforderlich
275 setting_login_required: Authentisierung erforderlich
276 setting_self_registration: Anmeldung ermöglicht
276 setting_self_registration: Anmeldung ermöglicht
277 setting_attachment_max_size: Max. Dateigröße
277 setting_attachment_max_size: Max. Dateigröße
278 setting_issues_export_limit: Max. Anzahl Tickets bei CSV/PDF-Export
278 setting_issues_export_limit: Max. Anzahl Tickets bei CSV/PDF-Export
279 setting_mail_from: E-Mail-Absender
279 setting_mail_from: E-Mail-Absender
280 setting_bcc_recipients: E-Mails als Blindkopie (BCC) senden
280 setting_bcc_recipients: E-Mails als Blindkopie (BCC) senden
281 setting_plain_text_mail: Nur reinen Text (kein HTML) senden
281 setting_plain_text_mail: Nur reinen Text (kein HTML) senden
282 setting_host_name: Hostname
282 setting_host_name: Hostname
283 setting_text_formatting: Textformatierung
283 setting_text_formatting: Textformatierung
284 setting_wiki_compression: Wiki-Historie komprimieren
284 setting_wiki_compression: Wiki-Historie komprimieren
285 setting_feeds_limit: Max. Anzahl Einträge pro Atom-Feed
285 setting_feeds_limit: Max. Anzahl Einträge pro Atom-Feed
286 setting_default_projects_public: Neue Projekte sind standardmäßig öffentlich
286 setting_default_projects_public: Neue Projekte sind standardmäßig öffentlich
287 setting_autofetch_changesets: Changesets automatisch abrufen
287 setting_autofetch_changesets: Changesets automatisch abrufen
288 setting_sys_api_enabled: Webservice zur Verwaltung der Projektarchive benutzen
288 setting_sys_api_enabled: Webservice zur Verwaltung der Projektarchive benutzen
289 setting_commit_ref_keywords: Schlüsselwörter (Beziehungen)
289 setting_commit_ref_keywords: Schlüsselwörter (Beziehungen)
290 setting_commit_fix_keywords: Schlüsselwörter (Status)
290 setting_commit_fix_keywords: Schlüsselwörter (Status)
291 setting_autologin: Automatische Anmeldung
291 setting_autologin: Automatische Anmeldung
292 setting_date_format: Datumsformat
292 setting_date_format: Datumsformat
293 setting_time_format: Zeitformat
293 setting_time_format: Zeitformat
294 setting_cross_project_issue_relations: Ticket-Beziehungen zwischen Projekten erlauben
294 setting_cross_project_issue_relations: Ticket-Beziehungen zwischen Projekten erlauben
295 setting_issue_list_default_columns: Default-Spalten in der Ticket-Auflistung
295 setting_issue_list_default_columns: Default-Spalten in der Ticket-Auflistung
296 setting_repositories_encodings: Kodierungen der Projektarchive
296 setting_repositories_encodings: Kodierungen der Projektarchive
297 setting_commit_logs_encoding: Kodierung der Commit-Log-Meldungen
297 setting_commit_logs_encoding: Kodierung der Commit-Log-Meldungen
298 setting_emails_footer: E-Mail-Fußzeile
298 setting_emails_footer: E-Mail-Fußzeile
299 setting_protocol: Protokoll
299 setting_protocol: Protokoll
300 setting_per_page_options: Objekte pro Seite
300 setting_per_page_options: Objekte pro Seite
301 setting_user_format: Benutzer-Anzeigeformat
301 setting_user_format: Benutzer-Anzeigeformat
302 setting_activity_days_default: Anzahl Tage pro Seite der Projekt-Aktivität
302 setting_activity_days_default: Anzahl Tage pro Seite der Projekt-Aktivität
303 setting_display_subprojects_issues: Tickets von Unterprojekten im Hauptprojekt anzeigen
303 setting_display_subprojects_issues: Tickets von Unterprojekten im Hauptprojekt anzeigen
304 setting_enabled_scm: Aktivierte Versionskontrollsysteme
304 setting_enabled_scm: Aktivierte Versionskontrollsysteme
305 setting_mail_handler_api_enabled: Abruf eingehender E-Mails aktivieren
305 setting_mail_handler_api_enabled: Abruf eingehender E-Mails aktivieren
306 setting_mail_handler_api_key: API-Schlüssel
306 setting_mail_handler_api_key: API-Schlüssel
307 setting_sequential_project_identifiers: Fortlaufende Projektkennungen generieren
307 setting_sequential_project_identifiers: Fortlaufende Projektkennungen generieren
308 setting_gravatar_enabled: Gravatar Benutzerbilder benutzen
308 setting_gravatar_enabled: Gravatar Benutzerbilder benutzen
309 setting_diff_max_lines_displayed: Maximale Anzahl anzuzeigender Diff-Zeilen
309 setting_diff_max_lines_displayed: Maximale Anzahl anzuzeigender Diff-Zeilen
310
310
311 permission_edit_project: Projekt bearbeiten
311 permission_edit_project: Projekt bearbeiten
312 permission_select_project_modules: Projektmodule auswählen
312 permission_select_project_modules: Projektmodule auswählen
313 permission_manage_members: Mitglieder verwalten
313 permission_manage_members: Mitglieder verwalten
314 permission_manage_versions: Versionen verwalten
314 permission_manage_versions: Versionen verwalten
315 permission_manage_categories: Ticket-Kategorien verwalten
315 permission_manage_categories: Ticket-Kategorien verwalten
316 permission_add_issues: Tickets hinzufügen
316 permission_add_issues: Tickets hinzufügen
317 permission_edit_issues: Tickets bearbeiten
317 permission_edit_issues: Tickets bearbeiten
318 permission_manage_issue_relations: Ticket-Beziehungen verwalten
318 permission_manage_issue_relations: Ticket-Beziehungen verwalten
319 permission_add_issue_notes: Kommentare hinzufügen
319 permission_add_issue_notes: Kommentare hinzufügen
320 permission_edit_issue_notes: Kommentare bearbeiten
320 permission_edit_issue_notes: Kommentare bearbeiten
321 permission_edit_own_issue_notes: Eigene Kommentare bearbeiten
321 permission_edit_own_issue_notes: Eigene Kommentare bearbeiten
322 permission_move_issues: Tickets verschieben
322 permission_move_issues: Tickets verschieben
323 permission_delete_issues: Tickets löschen
323 permission_delete_issues: Tickets löschen
324 permission_manage_public_queries: Öffentliche Filter verwalten
324 permission_manage_public_queries: Öffentliche Filter verwalten
325 permission_save_queries: Filter speichern
325 permission_save_queries: Filter speichern
326 permission_view_gantt: Gantt-Diagramm ansehen
326 permission_view_gantt: Gantt-Diagramm ansehen
327 permission_view_calendar: Kalender ansehen
327 permission_view_calendar: Kalender ansehen
328 permission_view_issue_watchers: Liste der Beobachter ansehen
328 permission_view_issue_watchers: Liste der Beobachter ansehen
329 permission_add_issue_watchers: Beobachter hinzufügen
329 permission_add_issue_watchers: Beobachter hinzufügen
330 permission_log_time: Aufwände buchen
330 permission_log_time: Aufwände buchen
331 permission_view_time_entries: Gebuchte Aufwände ansehen
331 permission_view_time_entries: Gebuchte Aufwände ansehen
332 permission_edit_time_entries: Gebuchte Aufwände bearbeiten
332 permission_edit_time_entries: Gebuchte Aufwände bearbeiten
333 permission_edit_own_time_entries: Selbst gebuchte Aufwände bearbeiten
333 permission_edit_own_time_entries: Selbst gebuchte Aufwände bearbeiten
334 permission_manage_news: News verwalten
334 permission_manage_news: News verwalten
335 permission_comment_news: News kommentieren
335 permission_comment_news: News kommentieren
336 permission_manage_documents: Dokumente verwalten
336 permission_manage_documents: Dokumente verwalten
337 permission_view_documents: Dokumente ansehen
337 permission_view_documents: Dokumente ansehen
338 permission_manage_files: Dateien verwalten
338 permission_manage_files: Dateien verwalten
339 permission_view_files: Dateien ansehen
339 permission_view_files: Dateien ansehen
340 permission_manage_wiki: Wiki verwalten
340 permission_manage_wiki: Wiki verwalten
341 permission_rename_wiki_pages: Wiki-Seiten umbenennen
341 permission_rename_wiki_pages: Wiki-Seiten umbenennen
342 permission_delete_wiki_pages: Wiki-Seiten löschen
342 permission_delete_wiki_pages: Wiki-Seiten löschen
343 permission_view_wiki_pages: Wiki ansehen
343 permission_view_wiki_pages: Wiki ansehen
344 permission_view_wiki_edits: Wiki-Versionsgeschichte ansehen
344 permission_view_wiki_edits: Wiki-Versionsgeschichte ansehen
345 permission_edit_wiki_pages: Wiki-Seiten bearbeiten
345 permission_edit_wiki_pages: Wiki-Seiten bearbeiten
346 permission_delete_wiki_pages_attachments: Anhänge löschen
346 permission_delete_wiki_pages_attachments: Anhänge löschen
347 permission_protect_wiki_pages: Wiki-Seiten schützen
347 permission_protect_wiki_pages: Wiki-Seiten schützen
348 permission_manage_repository: Projektarchiv verwalten
348 permission_manage_repository: Projektarchiv verwalten
349 permission_browse_repository: Projektarchiv ansehen
349 permission_browse_repository: Projektarchiv ansehen
350 permission_view_changesets: Changesets ansehen
350 permission_view_changesets: Changesets ansehen
351 permission_commit_access: Commit-Zugriff (über WebDAV)
351 permission_commit_access: Commit-Zugriff (über WebDAV)
352 permission_manage_boards: Foren verwalten
352 permission_manage_boards: Foren verwalten
353 permission_view_messages: Forenbeiträge ansehen
353 permission_view_messages: Forenbeiträge ansehen
354 permission_add_messages: Forenbeiträge hinzufügen
354 permission_add_messages: Forenbeiträge hinzufügen
355 permission_edit_messages: Forenbeiträge bearbeiten
355 permission_edit_messages: Forenbeiträge bearbeiten
356 permission_edit_own_messages: Eigene Forenbeiträge bearbeiten
356 permission_edit_own_messages: Eigene Forenbeiträge bearbeiten
357 permission_delete_messages: Forenbeiträge löschen
357 permission_delete_messages: Forenbeiträge löschen
358 permission_delete_own_messages: Eigene Forenbeiträge löschen
358 permission_delete_own_messages: Eigene Forenbeiträge löschen
359
359
360 project_module_issue_tracking: Ticket-Verfolgung
360 project_module_issue_tracking: Ticket-Verfolgung
361 project_module_time_tracking: Zeiterfassung
361 project_module_time_tracking: Zeiterfassung
362 project_module_news: News
362 project_module_news: News
363 project_module_documents: Dokumente
363 project_module_documents: Dokumente
364 project_module_files: Dateien
364 project_module_files: Dateien
365 project_module_wiki: Wiki
365 project_module_wiki: Wiki
366 project_module_repository: Projektarchiv
366 project_module_repository: Projektarchiv
367 project_module_boards: Foren
367 project_module_boards: Foren
368
368
369 label_user: Benutzer
369 label_user: Benutzer
370 label_user_plural: Benutzer
370 label_user_plural: Benutzer
371 label_user_new: Neuer Benutzer
371 label_user_new: Neuer Benutzer
372 label_project: Projekt
372 label_project: Projekt
373 label_project_new: Neues Projekt
373 label_project_new: Neues Projekt
374 label_project_plural: Projekte
374 label_project_plural: Projekte
375 label_x_projects:
375 label_x_projects:
376 zero: no projects
376 zero: no projects
377 one: 1 project
377 one: 1 project
378 other: "{{count}} projects"
378 other: "{{count}} projects"
379 label_project_all: Alle Projekte
379 label_project_all: Alle Projekte
380 label_project_latest: Neueste Projekte
380 label_project_latest: Neueste Projekte
381 label_issue: Ticket
381 label_issue: Ticket
382 label_issue_new: Neues Ticket
382 label_issue_new: Neues Ticket
383 label_issue_plural: Tickets
383 label_issue_plural: Tickets
384 label_issue_view_all: Alle Tickets anzeigen
384 label_issue_view_all: Alle Tickets anzeigen
385 label_issues_by: "Tickets von {{value}}"
385 label_issues_by: "Tickets von {{value}}"
386 label_issue_added: Ticket hinzugefügt
386 label_issue_added: Ticket hinzugefügt
387 label_issue_updated: Ticket aktualisiert
387 label_issue_updated: Ticket aktualisiert
388 label_document: Dokument
388 label_document: Dokument
389 label_document_new: Neues Dokument
389 label_document_new: Neues Dokument
390 label_document_plural: Dokumente
390 label_document_plural: Dokumente
391 label_document_added: Dokument hinzugefügt
391 label_document_added: Dokument hinzugefügt
392 label_role: Rolle
392 label_role: Rolle
393 label_role_plural: Rollen
393 label_role_plural: Rollen
394 label_role_new: Neue Rolle
394 label_role_new: Neue Rolle
395 label_role_and_permissions: Rollen und Rechte
395 label_role_and_permissions: Rollen und Rechte
396 label_member: Mitglied
396 label_member: Mitglied
397 label_member_new: Neues Mitglied
397 label_member_new: Neues Mitglied
398 label_member_plural: Mitglieder
398 label_member_plural: Mitglieder
399 label_tracker: Tracker
399 label_tracker: Tracker
400 label_tracker_plural: Tracker
400 label_tracker_plural: Tracker
401 label_tracker_new: Neuer Tracker
401 label_tracker_new: Neuer Tracker
402 label_workflow: Workflow
402 label_workflow: Workflow
403 label_issue_status: Ticket-Status
403 label_issue_status: Ticket-Status
404 label_issue_status_plural: Ticket-Status
404 label_issue_status_plural: Ticket-Status
405 label_issue_status_new: Neuer Status
405 label_issue_status_new: Neuer Status
406 label_issue_category: Ticket-Kategorie
406 label_issue_category: Ticket-Kategorie
407 label_issue_category_plural: Ticket-Kategorien
407 label_issue_category_plural: Ticket-Kategorien
408 label_issue_category_new: Neue Kategorie
408 label_issue_category_new: Neue Kategorie
409 label_custom_field: Benutzerdefiniertes Feld
409 label_custom_field: Benutzerdefiniertes Feld
410 label_custom_field_plural: Benutzerdefinierte Felder
410 label_custom_field_plural: Benutzerdefinierte Felder
411 label_custom_field_new: Neues Feld
411 label_custom_field_new: Neues Feld
412 label_enumerations: Aufzählungen
412 label_enumerations: Aufzählungen
413 label_enumeration_new: Neuer Wert
413 label_enumeration_new: Neuer Wert
414 label_information: Information
414 label_information: Information
415 label_information_plural: Informationen
415 label_information_plural: Informationen
416 label_please_login: Anmelden
416 label_please_login: Anmelden
417 label_register: Registrieren
417 label_register: Registrieren
418 label_password_lost: Kennwort vergessen
418 label_password_lost: Kennwort vergessen
419 label_home: Hauptseite
419 label_home: Hauptseite
420 label_my_page: Meine Seite
420 label_my_page: Meine Seite
421 label_my_account: Mein Konto
421 label_my_account: Mein Konto
422 label_my_projects: Meine Projekte
422 label_my_projects: Meine Projekte
423 label_administration: Administration
423 label_administration: Administration
424 label_login: Anmelden
424 label_login: Anmelden
425 label_logout: Abmelden
425 label_logout: Abmelden
426 label_help: Hilfe
426 label_help: Hilfe
427 label_reported_issues: Gemeldete Tickets
427 label_reported_issues: Gemeldete Tickets
428 label_assigned_to_me_issues: Mir zugewiesen
428 label_assigned_to_me_issues: Mir zugewiesen
429 label_last_login: Letzte Anmeldung
429 label_last_login: Letzte Anmeldung
430 label_registered_on: Angemeldet am
430 label_registered_on: Angemeldet am
431 label_activity: Aktivität
431 label_activity: Aktivität
432 label_overall_activity: Aktivität aller Projekte anzeigen
432 label_overall_activity: Aktivität aller Projekte anzeigen
433 label_user_activity: "Aktivität von {{value}}"
433 label_user_activity: "Aktivität von {{value}}"
434 label_new: Neu
434 label_new: Neu
435 label_logged_as: Angemeldet als
435 label_logged_as: Angemeldet als
436 label_environment: Environment
436 label_environment: Environment
437 label_authentication: Authentifizierung
437 label_authentication: Authentifizierung
438 label_auth_source: Authentifizierungs-Modus
438 label_auth_source: Authentifizierungs-Modus
439 label_auth_source_new: Neuer Authentifizierungs-Modus
439 label_auth_source_new: Neuer Authentifizierungs-Modus
440 label_auth_source_plural: Authentifizierungs-Arten
440 label_auth_source_plural: Authentifizierungs-Arten
441 label_subproject_plural: Unterprojekte
441 label_subproject_plural: Unterprojekte
442 label_and_its_subprojects: "{{value}} und dessen Unterprojekte"
442 label_and_its_subprojects: "{{value}} und dessen Unterprojekte"
443 label_min_max_length: Länge (Min. - Max.)
443 label_min_max_length: Länge (Min. - Max.)
444 label_list: Liste
444 label_list: Liste
445 label_date: Datum
445 label_date: Datum
446 label_integer: Zahl
446 label_integer: Zahl
447 label_float: Fließkommazahl
447 label_float: Fließkommazahl
448 label_boolean: Boolean
448 label_boolean: Boolean
449 label_string: Text
449 label_string: Text
450 label_text: Langer Text
450 label_text: Langer Text
451 label_attribute: Attribut
451 label_attribute: Attribut
452 label_attribute_plural: Attribute
452 label_attribute_plural: Attribute
453 label_download: "{{count}} Download"
453 label_download: "{{count}} Download"
454 label_download_plural: "{{count}} Downloads"
454 label_download_plural: "{{count}} Downloads"
455 label_no_data: Nichts anzuzeigen
455 label_no_data: Nichts anzuzeigen
456 label_change_status: Statuswechsel
456 label_change_status: Statuswechsel
457 label_history: Historie
457 label_history: Historie
458 label_attachment: Datei
458 label_attachment: Datei
459 label_attachment_new: Neue Datei
459 label_attachment_new: Neue Datei
460 label_attachment_delete: Anhang löschen
460 label_attachment_delete: Anhang löschen
461 label_attachment_plural: Dateien
461 label_attachment_plural: Dateien
462 label_file_added: Datei hinzugefügt
462 label_file_added: Datei hinzugefügt
463 label_report: Bericht
463 label_report: Bericht
464 label_report_plural: Berichte
464 label_report_plural: Berichte
465 label_news: News
465 label_news: News
466 label_news_new: News hinzufügen
466 label_news_new: News hinzufügen
467 label_news_plural: News
467 label_news_plural: News
468 label_news_latest: Letzte News
468 label_news_latest: Letzte News
469 label_news_view_all: Alle News anzeigen
469 label_news_view_all: Alle News anzeigen
470 label_news_added: News hinzugefügt
470 label_news_added: News hinzugefügt
471 label_change_log: Change-Log
471 label_change_log: Change-Log
472 label_settings: Konfiguration
472 label_settings: Konfiguration
473 label_overview: Übersicht
473 label_overview: Übersicht
474 label_version: Version
474 label_version: Version
475 label_version_new: Neue Version
475 label_version_new: Neue Version
476 label_version_plural: Versionen
476 label_version_plural: Versionen
477 label_confirmation: Bestätigung
477 label_confirmation: Bestätigung
478 label_export_to: "Auch abrufbar als:"
478 label_export_to: "Auch abrufbar als:"
479 label_read: Lesen...
479 label_read: Lesen...
480 label_public_projects: Öffentliche Projekte
480 label_public_projects: Öffentliche Projekte
481 label_open_issues: offen
481 label_open_issues: offen
482 label_open_issues_plural: offen
482 label_open_issues_plural: offen
483 label_closed_issues: geschlossen
483 label_closed_issues: geschlossen
484 label_closed_issues_plural: geschlossen
484 label_closed_issues_plural: geschlossen
485 label_x_open_issues_abbr_on_total:
485 label_x_open_issues_abbr_on_total:
486 zero: 0 open / {{total}}
486 zero: 0 open / {{total}}
487 one: 1 open / {{total}}
487 one: 1 open / {{total}}
488 other: "{{count}} open / {{total}}"
488 other: "{{count}} open / {{total}}"
489 label_x_open_issues_abbr:
489 label_x_open_issues_abbr:
490 zero: 0 open
490 zero: 0 open
491 one: 1 open
491 one: 1 open
492 other: "{{count}} open"
492 other: "{{count}} open"
493 label_x_closed_issues_abbr:
493 label_x_closed_issues_abbr:
494 zero: 0 closed
494 zero: 0 closed
495 one: 1 closed
495 one: 1 closed
496 other: "{{count}} closed"
496 other: "{{count}} closed"
497 label_total: Gesamtzahl
497 label_total: Gesamtzahl
498 label_permissions: Berechtigungen
498 label_permissions: Berechtigungen
499 label_current_status: Gegenwärtiger Status
499 label_current_status: Gegenwärtiger Status
500 label_new_statuses_allowed: Neue Berechtigungen
500 label_new_statuses_allowed: Neue Berechtigungen
501 label_all: alle
501 label_all: alle
502 label_none: kein
502 label_none: kein
503 label_nobody: Niemand
503 label_nobody: Niemand
504 label_next: Weiter
504 label_next: Weiter
505 label_previous: Zurück
505 label_previous: Zurück
506 label_used_by: Benutzt von
506 label_used_by: Benutzt von
507 label_details: Details
507 label_details: Details
508 label_add_note: Kommentar hinzufügen
508 label_add_note: Kommentar hinzufügen
509 label_per_page: Pro Seite
509 label_per_page: Pro Seite
510 label_calendar: Kalender
510 label_calendar: Kalender
511 label_months_from: Monate ab
511 label_months_from: Monate ab
512 label_gantt: Gantt-Diagramm
512 label_gantt: Gantt-Diagramm
513 label_internal: Intern
513 label_internal: Intern
514 label_last_changes: "{{count}} letzte Änderungen"
514 label_last_changes: "{{count}} letzte Änderungen"
515 label_change_view_all: Alle Änderungen anzeigen
515 label_change_view_all: Alle Änderungen anzeigen
516 label_personalize_page: Diese Seite anpassen
516 label_personalize_page: Diese Seite anpassen
517 label_comment: Kommentar
517 label_comment: Kommentar
518 label_comment_plural: Kommentare
518 label_comment_plural: Kommentare
519 label_x_comments:
519 label_x_comments:
520 zero: no comments
520 zero: no comments
521 one: 1 comment
521 one: 1 comment
522 other: "{{count}} comments"
522 other: "{{count}} comments"
523 label_comment_add: Kommentar hinzufügen
523 label_comment_add: Kommentar hinzufügen
524 label_comment_added: Kommentar hinzugefügt
524 label_comment_added: Kommentar hinzugefügt
525 label_comment_delete: Kommentar löschen
525 label_comment_delete: Kommentar löschen
526 label_query: Benutzerdefinierte Abfrage
526 label_query: Benutzerdefinierte Abfrage
527 label_query_plural: Benutzerdefinierte Berichte
527 label_query_plural: Benutzerdefinierte Berichte
528 label_query_new: Neuer Bericht
528 label_query_new: Neuer Bericht
529 label_filter_add: Filter hinzufügen
529 label_filter_add: Filter hinzufügen
530 label_filter_plural: Filter
530 label_filter_plural: Filter
531 label_equals: ist
531 label_equals: ist
532 label_not_equals: ist nicht
532 label_not_equals: ist nicht
533 label_in_less_than: in weniger als
533 label_in_less_than: in weniger als
534 label_in_more_than: in mehr als
534 label_in_more_than: in mehr als
535 label_in: an
535 label_in: an
536 label_today: heute
536 label_today: heute
537 label_all_time: gesamter Zeitraum
537 label_all_time: gesamter Zeitraum
538 label_yesterday: gestern
538 label_yesterday: gestern
539 label_this_week: aktuelle Woche
539 label_this_week: aktuelle Woche
540 label_last_week: vorige Woche
540 label_last_week: vorige Woche
541 label_last_n_days: "die letzten {{count}} Tage"
541 label_last_n_days: "die letzten {{count}} Tage"
542 label_this_month: aktueller Monat
542 label_this_month: aktueller Monat
543 label_last_month: voriger Monat
543 label_last_month: voriger Monat
544 label_this_year: aktuelles Jahr
544 label_this_year: aktuelles Jahr
545 label_date_range: Zeitraum
545 label_date_range: Zeitraum
546 label_less_than_ago: vor weniger als
546 label_less_than_ago: vor weniger als
547 label_more_than_ago: vor mehr als
547 label_more_than_ago: vor mehr als
548 label_ago: vor
548 label_ago: vor
549 label_contains: enthält
549 label_contains: enthält
550 label_not_contains: enthält nicht
550 label_not_contains: enthält nicht
551 label_day_plural: Tage
551 label_day_plural: Tage
552 label_repository: Projektarchiv
552 label_repository: Projektarchiv
553 label_repository_plural: Projektarchive
553 label_repository_plural: Projektarchive
554 label_browse: Codebrowser
554 label_browse: Codebrowser
555 label_modification: "{{count}} Änderung"
555 label_modification: "{{count}} Änderung"
556 label_modification_plural: "{{count}} Änderungen"
556 label_modification_plural: "{{count}} Änderungen"
557 label_revision: Revision
557 label_revision: Revision
558 label_revision_plural: Revisionen
558 label_revision_plural: Revisionen
559 label_associated_revisions: Zugehörige Revisionen
559 label_associated_revisions: Zugehörige Revisionen
560 label_added: hinzugefügt
560 label_added: hinzugefügt
561 label_modified: geändert
561 label_modified: geändert
562 label_copied: kopiert
562 label_copied: kopiert
563 label_renamed: umbenannt
563 label_renamed: umbenannt
564 label_deleted: gelöscht
564 label_deleted: gelöscht
565 label_latest_revision: Aktuellste Revision
565 label_latest_revision: Aktuellste Revision
566 label_latest_revision_plural: Aktuellste Revisionen
566 label_latest_revision_plural: Aktuellste Revisionen
567 label_view_revisions: Revisionen anzeigen
567 label_view_revisions: Revisionen anzeigen
568 label_max_size: Maximale Größe
568 label_max_size: Maximale Größe
569 label_sort_highest: An den Anfang
569 label_sort_highest: An den Anfang
570 label_sort_higher: Eins höher
570 label_sort_higher: Eins höher
571 label_sort_lower: Eins tiefer
571 label_sort_lower: Eins tiefer
572 label_sort_lowest: Ans Ende
572 label_sort_lowest: Ans Ende
573 label_roadmap: Roadmap
573 label_roadmap: Roadmap
574 label_roadmap_due_in: "Fällig in {{value}}"
574 label_roadmap_due_in: "Fällig in {{value}}"
575 label_roadmap_overdue: "{{value}} verspätet"
575 label_roadmap_overdue: "{{value}} verspätet"
576 label_roadmap_no_issues: Keine Tickets für diese Version
576 label_roadmap_no_issues: Keine Tickets für diese Version
577 label_search: Suche
577 label_search: Suche
578 label_result_plural: Resultate
578 label_result_plural: Resultate
579 label_all_words: Alle Wörter
579 label_all_words: Alle Wörter
580 label_wiki: Wiki
580 label_wiki: Wiki
581 label_wiki_edit: Wiki-Bearbeitung
581 label_wiki_edit: Wiki-Bearbeitung
582 label_wiki_edit_plural: Wiki-Bearbeitungen
582 label_wiki_edit_plural: Wiki-Bearbeitungen
583 label_wiki_page: Wiki-Seite
583 label_wiki_page: Wiki-Seite
584 label_wiki_page_plural: Wiki-Seiten
584 label_wiki_page_plural: Wiki-Seiten
585 label_index_by_title: Seiten nach Titel sortiert
585 label_index_by_title: Seiten nach Titel sortiert
586 label_index_by_date: Seiten nach Datum sortiert
586 label_index_by_date: Seiten nach Datum sortiert
587 label_current_version: Gegenwärtige Version
587 label_current_version: Gegenwärtige Version
588 label_preview: Vorschau
588 label_preview: Vorschau
589 label_feed_plural: Feeds
589 label_feed_plural: Feeds
590 label_changes_details: Details aller Änderungen
590 label_changes_details: Details aller Änderungen
591 label_issue_tracking: Tickets
591 label_issue_tracking: Tickets
592 label_spent_time: Aufgewendete Zeit
592 label_spent_time: Aufgewendete Zeit
593 label_f_hour: "{{value}} Stunde"
593 label_f_hour: "{{value}} Stunde"
594 label_f_hour_plural: "{{value}} Stunden"
594 label_f_hour_plural: "{{value}} Stunden"
595 label_time_tracking: Zeiterfassung
595 label_time_tracking: Zeiterfassung
596 label_change_plural: Änderungen
596 label_change_plural: Änderungen
597 label_statistics: Statistiken
597 label_statistics: Statistiken
598 label_commits_per_month: Übertragungen pro Monat
598 label_commits_per_month: Übertragungen pro Monat
599 label_commits_per_author: Übertragungen pro Autor
599 label_commits_per_author: Übertragungen pro Autor
600 label_view_diff: Unterschiede anzeigen
600 label_view_diff: Unterschiede anzeigen
601 label_diff_inline: inline
601 label_diff_inline: inline
602 label_diff_side_by_side: nebeneinander
602 label_diff_side_by_side: nebeneinander
603 label_options: Optionen
603 label_options: Optionen
604 label_copy_workflow_from: Workflow kopieren von
604 label_copy_workflow_from: Workflow kopieren von
605 label_permissions_report: Berechtigungsübersicht
605 label_permissions_report: Berechtigungsübersicht
606 label_watched_issues: Beobachtete Tickets
606 label_watched_issues: Beobachtete Tickets
607 label_related_issues: Zugehörige Tickets
607 label_related_issues: Zugehörige Tickets
608 label_applied_status: Zugewiesener Status
608 label_applied_status: Zugewiesener Status
609 label_loading: Lade...
609 label_loading: Lade...
610 label_relation_new: Neue Beziehung
610 label_relation_new: Neue Beziehung
611 label_relation_delete: Beziehung löschen
611 label_relation_delete: Beziehung löschen
612 label_relates_to: Beziehung mit
612 label_relates_to: Beziehung mit
613 label_duplicates: Duplikat von
613 label_duplicates: Duplikat von
614 label_duplicated_by: Dupliziert durch
614 label_duplicated_by: Dupliziert durch
615 label_blocks: Blockiert
615 label_blocks: Blockiert
616 label_blocked_by: Blockiert durch
616 label_blocked_by: Blockiert durch
617 label_precedes: Vorgänger von
617 label_precedes: Vorgänger von
618 label_follows: folgt
618 label_follows: folgt
619 label_end_to_start: Ende - Anfang
619 label_end_to_start: Ende - Anfang
620 label_end_to_end: Ende - Ende
620 label_end_to_end: Ende - Ende
621 label_start_to_start: Anfang - Anfang
621 label_start_to_start: Anfang - Anfang
622 label_start_to_end: Anfang - Ende
622 label_start_to_end: Anfang - Ende
623 label_stay_logged_in: Angemeldet bleiben
623 label_stay_logged_in: Angemeldet bleiben
624 label_disabled: gesperrt
624 label_disabled: gesperrt
625 label_show_completed_versions: Abgeschlossene Versionen anzeigen
625 label_show_completed_versions: Abgeschlossene Versionen anzeigen
626 label_me: ich
626 label_me: ich
627 label_board: Forum
627 label_board: Forum
628 label_board_new: Neues Forum
628 label_board_new: Neues Forum
629 label_board_plural: Foren
629 label_board_plural: Foren
630 label_topic_plural: Themen
630 label_topic_plural: Themen
631 label_message_plural: Forenbeiträge
631 label_message_plural: Forenbeiträge
632 label_message_last: Letzter Forenbeitrag
632 label_message_last: Letzter Forenbeitrag
633 label_message_new: Neues Thema
633 label_message_new: Neues Thema
634 label_message_posted: Forenbeitrag hinzugefügt
634 label_message_posted: Forenbeitrag hinzugefügt
635 label_reply_plural: Antworten
635 label_reply_plural: Antworten
636 label_send_information: Sende Kontoinformationen zum Benutzer
636 label_send_information: Sende Kontoinformationen zum Benutzer
637 label_year: Jahr
637 label_year: Jahr
638 label_month: Monat
638 label_month: Monat
639 label_week: Woche
639 label_week: Woche
640 label_date_from: Von
640 label_date_from: Von
641 label_date_to: Bis
641 label_date_to: Bis
642 label_language_based: Sprachabhängig
642 label_language_based: Sprachabhängig
643 label_sort_by: "Sortiert nach {{value}}"
643 label_sort_by: "Sortiert nach {{value}}"
644 label_send_test_email: Test-E-Mail senden
644 label_send_test_email: Test-E-Mail senden
645 label_feeds_access_key_created_on: "Atom-Zugriffsschlüssel vor {{value}} erstellt"
645 label_feeds_access_key_created_on: "Atom-Zugriffsschlüssel vor {{value}} erstellt"
646 label_module_plural: Module
646 label_module_plural: Module
647 label_added_time_by: "Von {{author}} vor {{age}} hinzugefügt"
647 label_added_time_by: "Von {{author}} vor {{age}} hinzugefügt"
648 label_updated_time_by: "Von {{author}} vor {{age}} aktualisiert"
648 label_updated_time_by: "Von {{author}} vor {{age}} aktualisiert"
649 label_updated_time: "Vor {{value}} aktualisiert"
649 label_updated_time: "Vor {{value}} aktualisiert"
650 label_jump_to_a_project: Zu einem Projekt springen...
650 label_jump_to_a_project: Zu einem Projekt springen...
651 label_file_plural: Dateien
651 label_file_plural: Dateien
652 label_changeset_plural: Changesets
652 label_changeset_plural: Changesets
653 label_default_columns: Default-Spalten
653 label_default_columns: Default-Spalten
654 label_no_change_option: (Keine Änderung)
654 label_no_change_option: (Keine Änderung)
655 label_bulk_edit_selected_issues: Alle ausgewählten Tickets bearbeiten
655 label_bulk_edit_selected_issues: Alle ausgewählten Tickets bearbeiten
656 label_theme: Stil
656 label_theme: Stil
657 label_default: Default
657 label_default: Default
658 label_search_titles_only: Nur Titel durchsuchen
658 label_search_titles_only: Nur Titel durchsuchen
659 label_user_mail_option_all: "Für alle Ereignisse in all meinen Projekten"
659 label_user_mail_option_all: "Für alle Ereignisse in all meinen Projekten"
660 label_user_mail_option_selected: "Für alle Ereignisse in den ausgewählten Projekten..."
660 label_user_mail_option_selected: "Für alle Ereignisse in den ausgewählten Projekten..."
661 label_user_mail_option_none: "Nur für Dinge, die ich beobachte oder an denen ich beteiligt bin"
661 label_user_mail_option_none: "Nur für Dinge, die ich beobachte oder an denen ich beteiligt bin"
662 label_user_mail_no_self_notified: "Ich möchte nicht über Änderungen benachrichtigt werden, die ich selbst durchführe."
662 label_user_mail_no_self_notified: "Ich möchte nicht über Änderungen benachrichtigt werden, die ich selbst durchführe."
663 label_registration_activation_by_email: Kontoaktivierung durch E-Mail
663 label_registration_activation_by_email: Kontoaktivierung durch E-Mail
664 label_registration_manual_activation: Manuelle Kontoaktivierung
664 label_registration_manual_activation: Manuelle Kontoaktivierung
665 label_registration_automatic_activation: Automatische Kontoaktivierung
665 label_registration_automatic_activation: Automatische Kontoaktivierung
666 label_display_per_page: "Pro Seite: {{value}}"
666 label_display_per_page: "Pro Seite: {{value}}"
667 label_age: Geändert vor
667 label_age: Geändert vor
668 label_change_properties: Eigenschaften ändern
668 label_change_properties: Eigenschaften ändern
669 label_general: Allgemein
669 label_general: Allgemein
670 label_more: Mehr
670 label_more: Mehr
671 label_scm: Versionskontrollsystem
671 label_scm: Versionskontrollsystem
672 label_plugins: Plugins
672 label_plugins: Plugins
673 label_ldap_authentication: LDAP-Authentifizierung
673 label_ldap_authentication: LDAP-Authentifizierung
674 label_downloads_abbr: D/L
674 label_downloads_abbr: D/L
675 label_optional_description: Beschreibung (optional)
675 label_optional_description: Beschreibung (optional)
676 label_add_another_file: Eine weitere Datei hinzufügen
676 label_add_another_file: Eine weitere Datei hinzufügen
677 label_preferences: Präferenzen
677 label_preferences: Präferenzen
678 label_chronological_order: in zeitlicher Reihenfolge
678 label_chronological_order: in zeitlicher Reihenfolge
679 label_reverse_chronological_order: in umgekehrter zeitlicher Reihenfolge
679 label_reverse_chronological_order: in umgekehrter zeitlicher Reihenfolge
680 label_planning: Terminplanung
680 label_planning: Terminplanung
681 label_incoming_emails: Eingehende E-Mails
681 label_incoming_emails: Eingehende E-Mails
682 label_generate_key: Generieren
682 label_generate_key: Generieren
683 label_issue_watchers: Beobachter
683 label_issue_watchers: Beobachter
684 label_example: Beispiel
684 label_example: Beispiel
685
685
686 button_login: Anmelden
686 button_login: Anmelden
687 button_submit: OK
687 button_submit: OK
688 button_save: Speichern
688 button_save: Speichern
689 button_check_all: Alles auswählen
689 button_check_all: Alles auswählen
690 button_uncheck_all: Alles abwählen
690 button_uncheck_all: Alles abwählen
691 button_delete: Löschen
691 button_delete: Löschen
692 button_create: Anlegen
692 button_create: Anlegen
693 button_test: Testen
693 button_test: Testen
694 button_edit: Bearbeiten
694 button_edit: Bearbeiten
695 button_add: Hinzufügen
695 button_add: Hinzufügen
696 button_change: Wechseln
696 button_change: Wechseln
697 button_apply: Anwenden
697 button_apply: Anwenden
698 button_clear: Zurücksetzen
698 button_clear: Zurücksetzen
699 button_lock: Sperren
699 button_lock: Sperren
700 button_unlock: Entsperren
700 button_unlock: Entsperren
701 button_download: Download
701 button_download: Download
702 button_list: Liste
702 button_list: Liste
703 button_view: Anzeigen
703 button_view: Anzeigen
704 button_move: Verschieben
704 button_move: Verschieben
705 button_back: Zurück
705 button_back: Zurück
706 button_cancel: Abbrechen
706 button_cancel: Abbrechen
707 button_activate: Aktivieren
707 button_activate: Aktivieren
708 button_sort: Sortieren
708 button_sort: Sortieren
709 button_log_time: Aufwand buchen
709 button_log_time: Aufwand buchen
710 button_rollback: Auf diese Version zurücksetzen
710 button_rollback: Auf diese Version zurücksetzen
711 button_watch: Beobachten
711 button_watch: Beobachten
712 button_unwatch: Nicht beobachten
712 button_unwatch: Nicht beobachten
713 button_reply: Antworten
713 button_reply: Antworten
714 button_archive: Archivieren
714 button_archive: Archivieren
715 button_unarchive: Entarchivieren
715 button_unarchive: Entarchivieren
716 button_reset: Zurücksetzen
716 button_reset: Zurücksetzen
717 button_rename: Umbenennen
717 button_rename: Umbenennen
718 button_change_password: Kennwort ändern
718 button_change_password: Kennwort ändern
719 button_copy: Kopieren
719 button_copy: Kopieren
720 button_annotate: Annotieren
720 button_annotate: Annotieren
721 button_update: Aktualisieren
721 button_update: Aktualisieren
722 button_configure: Konfigurieren
722 button_configure: Konfigurieren
723 button_quote: Zitieren
723 button_quote: Zitieren
724
724
725 status_active: aktiv
725 status_active: aktiv
726 status_registered: angemeldet
726 status_registered: angemeldet
727 status_locked: gesperrt
727 status_locked: gesperrt
728
728
729 text_select_mail_notifications: Bitte wählen Sie die Aktionen aus, für die eine Mailbenachrichtigung gesendet werden soll
729 text_select_mail_notifications: Bitte wählen Sie die Aktionen aus, für die eine Mailbenachrichtigung gesendet werden soll
730 text_regexp_info: z. B. ^[A-Z0-9]+$
730 text_regexp_info: z. B. ^[A-Z0-9]+$
731 text_min_max_length_info: 0 heißt keine Beschränkung
731 text_min_max_length_info: 0 heißt keine Beschränkung
732 text_project_destroy_confirmation: Sind Sie sicher, dass sie das Projekt löschen wollen?
732 text_project_destroy_confirmation: Sind Sie sicher, dass sie das Projekt löschen wollen?
733 text_subprojects_destroy_warning: "Dessen Unterprojekte ({{value}}) werden ebenfalls gelöscht."
733 text_subprojects_destroy_warning: "Dessen Unterprojekte ({{value}}) werden ebenfalls gelöscht."
734 text_workflow_edit: Workflow zum Bearbeiten auswählen
734 text_workflow_edit: Workflow zum Bearbeiten auswählen
735 text_are_you_sure: Sind Sie sicher?
735 text_are_you_sure: Sind Sie sicher?
736 text_journal_changed: "geändert von {{old}} zu {{new}}"
736 text_journal_changed: "geändert von {{old}} zu {{new}}"
737 text_journal_set_to: "gestellt zu {{value}}"
737 text_journal_set_to: "gestellt zu {{value}}"
738 text_journal_deleted: gelöscht
738 text_journal_deleted: gelöscht
739 text_tip_task_begin_day: Aufgabe, die an diesem Tag beginnt
739 text_tip_task_begin_day: Aufgabe, die an diesem Tag beginnt
740 text_tip_task_end_day: Aufgabe, die an diesem Tag endet
740 text_tip_task_end_day: Aufgabe, die an diesem Tag endet
741 text_tip_task_begin_end_day: Aufgabe, die an diesem Tag beginnt und endet
741 text_tip_task_begin_end_day: Aufgabe, die an diesem Tag beginnt und endet
742 text_project_identifier_info: 'Kleinbuchstaben (a-z), Ziffern und Bindestriche erlaubt.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
742 text_project_identifier_info: 'Kleinbuchstaben (a-z), Ziffern und Bindestriche erlaubt.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
743 text_caracters_maximum: "Max. {{count}} Zeichen."
743 text_caracters_maximum: "Max. {{count}} Zeichen."
744 text_caracters_minimum: "Muss mindestens {{count}} Zeichen lang sein."
744 text_caracters_minimum: "Muss mindestens {{count}} Zeichen lang sein."
745 text_length_between: "Länge zwischen {{min}} und {{max}} Zeichen."
745 text_length_between: "Länge zwischen {{min}} und {{max}} Zeichen."
746 text_tracker_no_workflow: Kein Workflow für diesen Tracker definiert.
746 text_tracker_no_workflow: Kein Workflow für diesen Tracker definiert.
747 text_unallowed_characters: Nicht erlaubte Zeichen
747 text_unallowed_characters: Nicht erlaubte Zeichen
748 text_comma_separated: Mehrere Werte erlaubt (durch Komma getrennt).
748 text_comma_separated: Mehrere Werte erlaubt (durch Komma getrennt).
749 text_issues_ref_in_commit_messages: Ticket-Beziehungen und -Status in Commit-Log-Meldungen
749 text_issues_ref_in_commit_messages: Ticket-Beziehungen und -Status in Commit-Log-Meldungen
750 text_issue_added: "Ticket {{id}} wurde erstellt by {{author}}."
750 text_issue_added: "Ticket {{id}} wurde erstellt by {{author}}."
751 text_issue_updated: "Ticket {{id}} wurde aktualisiert by {{author}}."
751 text_issue_updated: "Ticket {{id}} wurde aktualisiert by {{author}}."
752 text_wiki_destroy_confirmation: Sind Sie sicher, dass Sie dieses Wiki mit sämtlichem Inhalt löschen möchten?
752 text_wiki_destroy_confirmation: Sind Sie sicher, dass Sie dieses Wiki mit sämtlichem Inhalt löschen möchten?
753 text_issue_category_destroy_question: "Einige Tickets ({{count}}) sind dieser Kategorie zugeodnet. Was möchten Sie tun?"
753 text_issue_category_destroy_question: "Einige Tickets ({{count}}) sind dieser Kategorie zugeodnet. Was möchten Sie tun?"
754 text_issue_category_destroy_assignments: Kategorie-Zuordnung entfernen
754 text_issue_category_destroy_assignments: Kategorie-Zuordnung entfernen
755 text_issue_category_reassign_to: Tickets dieser Kategorie zuordnen
755 text_issue_category_reassign_to: Tickets dieser Kategorie zuordnen
756 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)."
756 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)."
757 text_no_configuration_data: "Rollen, Tracker, Ticket-Status und Workflows wurden noch nicht konfiguriert.\nEs ist sehr zu empfehlen, die Standard-Konfiguration zu laden. Sobald sie geladen ist, können Sie sie abändern."
757 text_no_configuration_data: "Rollen, Tracker, Ticket-Status und Workflows wurden noch nicht konfiguriert.\nEs ist sehr zu empfehlen, die Standard-Konfiguration zu laden. Sobald sie geladen ist, können Sie sie abändern."
758 text_load_default_configuration: Standard-Konfiguration laden
758 text_load_default_configuration: Standard-Konfiguration laden
759 text_status_changed_by_changeset: "Status geändert durch Changeset {{value}}."
759 text_status_changed_by_changeset: "Status geändert durch Changeset {{value}}."
760 text_issues_destroy_confirmation: 'Sind Sie sicher, dass Sie die ausgewählten Tickets löschen möchten?'
760 text_issues_destroy_confirmation: 'Sind Sie sicher, dass Sie die ausgewählten Tickets löschen möchten?'
761 text_select_project_modules: 'Bitte wählen Sie die Module aus, die in diesem Projekt aktiviert sein sollen:'
761 text_select_project_modules: 'Bitte wählen Sie die Module aus, die in diesem Projekt aktiviert sein sollen:'
762 text_default_administrator_account_changed: Administrator-Kennwort geändert
762 text_default_administrator_account_changed: Administrator-Kennwort geändert
763 text_file_repository_writable: Verzeichnis für Dateien beschreibbar
763 text_file_repository_writable: Verzeichnis für Dateien beschreibbar
764 text_plugin_assets_writable: Verzeichnis für Plugin-Assets beschreibbar
764 text_plugin_assets_writable: Verzeichnis für Plugin-Assets beschreibbar
765 text_rmagick_available: RMagick verfügbar (optional)
765 text_rmagick_available: RMagick verfügbar (optional)
766 text_destroy_time_entries_question: Es wurden bereits {{hours}} Stunden auf dieses Ticket gebucht. Was soll mit den Aufwänden geschehen?
766 text_destroy_time_entries_question: Es wurden bereits {{hours}} Stunden auf dieses Ticket gebucht. Was soll mit den Aufwänden geschehen?
767 text_destroy_time_entries: Gebuchte Aufwände löschen
767 text_destroy_time_entries: Gebuchte Aufwände löschen
768 text_assign_time_entries_to_project: Gebuchte Aufwände dem Projekt zuweisen
768 text_assign_time_entries_to_project: Gebuchte Aufwände dem Projekt zuweisen
769 text_reassign_time_entries: 'Gebuchte Aufwände diesem Ticket zuweisen:'
769 text_reassign_time_entries: 'Gebuchte Aufwände diesem Ticket zuweisen:'
770 text_user_wrote: "{{value}} schrieb:"
770 text_user_wrote: "{{value}} schrieb:"
771 text_enumeration_destroy_question: "{{count}} Objekte sind diesem Wert zugeordnet."
771 text_enumeration_destroy_question: "{{count}} Objekte sind diesem Wert zugeordnet."
772 text_enumeration_category_reassign_to: 'Die Objekte stattdessen diesem Wert zuordnen:'
772 text_enumeration_category_reassign_to: 'Die Objekte stattdessen diesem Wert zuordnen:'
773 text_email_delivery_not_configured: "Der SMTP-Server ist nicht konfiguriert und Mailbenachrichtigungen sind ausgeschaltet.\nNehmen Sie die Einstellungen für Ihren SMTP-Server in config/email.yml vor und starten Sie die Applikation neu."
773 text_email_delivery_not_configured: "Der SMTP-Server ist nicht konfiguriert und Mailbenachrichtigungen sind ausgeschaltet.\nNehmen Sie die Einstellungen für Ihren SMTP-Server in config/email.yml vor und starten Sie die Applikation neu."
774 text_repository_usernames_mapping: "Bitte legen Sie die Zuordnung der Redmine-Benutzer zu den Benutzernamen der Commit-Log-Meldungen des Projektarchivs fest.\nBenutzer mit identischen Redmine- und Projektarchiv-Benutzernamen oder -E-Mail-Adressen werden automatisch zugeordnet."
774 text_repository_usernames_mapping: "Bitte legen Sie die Zuordnung der Redmine-Benutzer zu den Benutzernamen der Commit-Log-Meldungen des Projektarchivs fest.\nBenutzer mit identischen Redmine- und Projektarchiv-Benutzernamen oder -E-Mail-Adressen werden automatisch zugeordnet."
775 text_diff_truncated: '... Dieser Diff wurde abgeschnitten, weil er die maximale Anzahl anzuzeigender Zeilen überschreitet.'
775 text_diff_truncated: '... Dieser Diff wurde abgeschnitten, weil er die maximale Anzahl anzuzeigender Zeilen überschreitet.'
776
776
777 default_role_manager: Manager
777 default_role_manager: Manager
778 default_role_developper: Entwickler
778 default_role_developper: Entwickler
779 default_role_reporter: Reporter
779 default_role_reporter: Reporter
780 default_tracker_bug: Fehler
780 default_tracker_bug: Fehler
781 default_tracker_feature: Feature
781 default_tracker_feature: Feature
782 default_tracker_support: Unterstützung
782 default_tracker_support: Unterstützung
783 default_issue_status_new: Neu
783 default_issue_status_new: Neu
784 default_issue_status_assigned: Zugewiesen
784 default_issue_status_assigned: Zugewiesen
785 default_issue_status_resolved: Gelöst
785 default_issue_status_resolved: Gelöst
786 default_issue_status_feedback: Feedback
786 default_issue_status_feedback: Feedback
787 default_issue_status_closed: Erledigt
787 default_issue_status_closed: Erledigt
788 default_issue_status_rejected: Abgewiesen
788 default_issue_status_rejected: Abgewiesen
789 default_doc_category_user: Benutzerdokumentation
789 default_doc_category_user: Benutzerdokumentation
790 default_doc_category_tech: Technische Dokumentation
790 default_doc_category_tech: Technische Dokumentation
791 default_priority_low: Niedrig
791 default_priority_low: Niedrig
792 default_priority_normal: Normal
792 default_priority_normal: Normal
793 default_priority_high: Hoch
793 default_priority_high: Hoch
794 default_priority_urgent: Dringend
794 default_priority_urgent: Dringend
795 default_priority_immediate: Sofort
795 default_priority_immediate: Sofort
796 default_activity_design: Design
796 default_activity_design: Design
797 default_activity_development: Entwicklung
797 default_activity_development: Entwicklung
798
798
799 enumeration_issue_priorities: Ticket-Prioritäten
799 enumeration_issue_priorities: Ticket-Prioritäten
800 enumeration_doc_categories: Dokumentenkategorien
800 enumeration_doc_categories: Dokumentenkategorien
801 enumeration_activities: Aktivitäten (Zeiterfassung)
801 enumeration_activities: Aktivitäten (Zeiterfassung)
802 field_editable: Editable
802 field_editable: Editable
803 label_display: Display
803 label_display: Display
804 button_create_and_continue: Anlegen und weiter
804 button_create_and_continue: Anlegen und weiter
805 text_custom_field_possible_values_info: 'One line for each value'
805 text_custom_field_possible_values_info: 'One line for each value'
806 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
806 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
807 setting_file_max_size_displayed: Max size of text files displayed inline
807 setting_file_max_size_displayed: Max size of text files displayed inline
808 field_watcher: Watcher
808 field_watcher: Watcher
809 setting_openid: Allow OpenID login and registration
809 setting_openid: Allow OpenID login and registration
810 field_identity_url: OpenID URL
810 field_identity_url: OpenID URL
811 label_login_with_open_id_option: or login with OpenID
811 label_login_with_open_id_option: or login with OpenID
812 field_content: Content
812 field_content: Content
813 label_descending: Descending
813 label_descending: Descending
814 label_sort: Sort
814 label_sort: Sort
815 label_ascending: Ascending
815 label_ascending: Ascending
816 label_date_from_to: From {{start}} to {{end}}
816 label_date_from_to: From {{start}} to {{end}}
817 label_greater_or_equal: ">="
817 label_greater_or_equal: ">="
818 label_less_or_equal: <=
818 label_less_or_equal: <=
819 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
819 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
820 text_wiki_page_reassign_children: Reassign child pages to this parent page
820 text_wiki_page_reassign_children: Reassign child pages to this parent page
821 text_wiki_page_nullify_children: Keep child pages as root pages
821 text_wiki_page_nullify_children: Keep child pages as root pages
822 text_wiki_page_destroy_children: Delete child pages and all their descendants
822 text_wiki_page_destroy_children: Delete child pages and all their descendants
823 setting_password_min_length: Minimum password length
823 setting_password_min_length: Minimum password length
824 field_group_by: Group results by
@@ -1,794 +1,795
1 en:
1 en:
2 date:
2 date:
3 formats:
3 formats:
4 # Use the strftime parameters for formats.
4 # Use the strftime parameters for formats.
5 # When no format has been given, it uses default.
5 # When no format has been given, it uses default.
6 # You can provide other formats here if you like!
6 # You can provide other formats here if you like!
7 default: "%m/%d/%Y"
7 default: "%m/%d/%Y"
8 short: "%b %d"
8 short: "%b %d"
9 long: "%B %d, %Y"
9 long: "%B %d, %Y"
10
10
11 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
11 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
12 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
12 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
13
13
14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
14 # Don't forget the nil at the beginning; there's no such thing as a 0th month
15 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
15 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
16 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
16 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
17 # Used in date_select and datime_select.
17 # Used in date_select and datime_select.
18 order: [ :year, :month, :day ]
18 order: [ :year, :month, :day ]
19
19
20 time:
20 time:
21 formats:
21 formats:
22 default: "%m/%d/%Y %I:%M %p"
22 default: "%m/%d/%Y %I:%M %p"
23 time: "%I:%M %p"
23 time: "%I:%M %p"
24 short: "%d %b %H:%M"
24 short: "%d %b %H:%M"
25 long: "%B %d, %Y %H:%M"
25 long: "%B %d, %Y %H:%M"
26 am: "am"
26 am: "am"
27 pm: "pm"
27 pm: "pm"
28
28
29 datetime:
29 datetime:
30 distance_in_words:
30 distance_in_words:
31 half_a_minute: "half a minute"
31 half_a_minute: "half a minute"
32 less_than_x_seconds:
32 less_than_x_seconds:
33 one: "less than 1 second"
33 one: "less than 1 second"
34 other: "less than {{count}} seconds"
34 other: "less than {{count}} seconds"
35 x_seconds:
35 x_seconds:
36 one: "1 second"
36 one: "1 second"
37 other: "{{count}} seconds"
37 other: "{{count}} seconds"
38 less_than_x_minutes:
38 less_than_x_minutes:
39 one: "less than a minute"
39 one: "less than a minute"
40 other: "less than {{count}} minutes"
40 other: "less than {{count}} minutes"
41 x_minutes:
41 x_minutes:
42 one: "1 minute"
42 one: "1 minute"
43 other: "{{count}} minutes"
43 other: "{{count}} minutes"
44 about_x_hours:
44 about_x_hours:
45 one: "about 1 hour"
45 one: "about 1 hour"
46 other: "about {{count}} hours"
46 other: "about {{count}} hours"
47 x_days:
47 x_days:
48 one: "1 day"
48 one: "1 day"
49 other: "{{count}} days"
49 other: "{{count}} days"
50 about_x_months:
50 about_x_months:
51 one: "about 1 month"
51 one: "about 1 month"
52 other: "about {{count}} months"
52 other: "about {{count}} months"
53 x_months:
53 x_months:
54 one: "1 month"
54 one: "1 month"
55 other: "{{count}} months"
55 other: "{{count}} months"
56 about_x_years:
56 about_x_years:
57 one: "about 1 year"
57 one: "about 1 year"
58 other: "about {{count}} years"
58 other: "about {{count}} years"
59 over_x_years:
59 over_x_years:
60 one: "over 1 year"
60 one: "over 1 year"
61 other: "over {{count}} years"
61 other: "over {{count}} years"
62
62
63 # Used in array.to_sentence.
63 # Used in array.to_sentence.
64 support:
64 support:
65 array:
65 array:
66 sentence_connector: "and"
66 sentence_connector: "and"
67 skip_last_comma: false
67 skip_last_comma: false
68
68
69 activerecord:
69 activerecord:
70 errors:
70 errors:
71 messages:
71 messages:
72 inclusion: "is not included in the list"
72 inclusion: "is not included in the list"
73 exclusion: "is reserved"
73 exclusion: "is reserved"
74 invalid: "is invalid"
74 invalid: "is invalid"
75 confirmation: "doesn't match confirmation"
75 confirmation: "doesn't match confirmation"
76 accepted: "must be accepted"
76 accepted: "must be accepted"
77 empty: "can't be empty"
77 empty: "can't be empty"
78 blank: "can't be blank"
78 blank: "can't be blank"
79 too_long: "is too long (maximum is {{count}} characters)"
79 too_long: "is too long (maximum is {{count}} characters)"
80 too_short: "is too short (minimum is {{count}} characters)"
80 too_short: "is too short (minimum is {{count}} characters)"
81 wrong_length: "is the wrong length (should be {{count}} characters)"
81 wrong_length: "is the wrong length (should be {{count}} characters)"
82 taken: "has already been taken"
82 taken: "has already been taken"
83 not_a_number: "is not a number"
83 not_a_number: "is not a number"
84 not_a_date: "is not a valid date"
84 not_a_date: "is not a valid date"
85 greater_than: "must be greater than {{count}}"
85 greater_than: "must be greater than {{count}}"
86 greater_than_or_equal_to: "must be greater than or equal to {{count}}"
86 greater_than_or_equal_to: "must be greater than or equal to {{count}}"
87 equal_to: "must be equal to {{count}}"
87 equal_to: "must be equal to {{count}}"
88 less_than: "must be less than {{count}}"
88 less_than: "must be less than {{count}}"
89 less_than_or_equal_to: "must be less than or equal to {{count}}"
89 less_than_or_equal_to: "must be less than or equal to {{count}}"
90 odd: "must be odd"
90 odd: "must be odd"
91 even: "must be even"
91 even: "must be even"
92 greater_than_start_date: "must be greater than start date"
92 greater_than_start_date: "must be greater than start date"
93 not_same_project: "doesn't belong to the same project"
93 not_same_project: "doesn't belong to the same project"
94 circular_dependency: "This relation would create a circular dependency"
94 circular_dependency: "This relation would create a circular dependency"
95
95
96 actionview_instancetag_blank_option: Please select
96 actionview_instancetag_blank_option: Please select
97
97
98 general_text_No: 'No'
98 general_text_No: 'No'
99 general_text_Yes: 'Yes'
99 general_text_Yes: 'Yes'
100 general_text_no: 'no'
100 general_text_no: 'no'
101 general_text_yes: 'yes'
101 general_text_yes: 'yes'
102 general_lang_name: 'English'
102 general_lang_name: 'English'
103 general_csv_separator: ','
103 general_csv_separator: ','
104 general_csv_decimal_separator: '.'
104 general_csv_decimal_separator: '.'
105 general_csv_encoding: ISO-8859-1
105 general_csv_encoding: ISO-8859-1
106 general_pdf_encoding: ISO-8859-1
106 general_pdf_encoding: ISO-8859-1
107 general_first_day_of_week: '7'
107 general_first_day_of_week: '7'
108
108
109 notice_account_updated: Account was successfully updated.
109 notice_account_updated: Account was successfully updated.
110 notice_account_invalid_creditentials: Invalid user or password
110 notice_account_invalid_creditentials: Invalid user or password
111 notice_account_password_updated: Password was successfully updated.
111 notice_account_password_updated: Password was successfully updated.
112 notice_account_wrong_password: Wrong password
112 notice_account_wrong_password: Wrong password
113 notice_account_register_done: Account was successfully created. To activate your account, click on the link that was emailed to you.
113 notice_account_register_done: Account was successfully created. To activate your account, click on the link that was emailed to you.
114 notice_account_unknown_email: Unknown user.
114 notice_account_unknown_email: Unknown user.
115 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
115 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
116 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
116 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
117 notice_account_activated: Your account has been activated. You can now log in.
117 notice_account_activated: Your account has been activated. You can now log in.
118 notice_successful_create: Successful creation.
118 notice_successful_create: Successful creation.
119 notice_successful_update: Successful update.
119 notice_successful_update: Successful update.
120 notice_successful_delete: Successful deletion.
120 notice_successful_delete: Successful deletion.
121 notice_successful_connection: Successful connection.
121 notice_successful_connection: Successful connection.
122 notice_file_not_found: The page you were trying to access doesn't exist or has been removed.
122 notice_file_not_found: The page you were trying to access doesn't exist or has been removed.
123 notice_locking_conflict: Data has been updated by another user.
123 notice_locking_conflict: Data has been updated by another user.
124 notice_not_authorized: You are not authorized to access this page.
124 notice_not_authorized: You are not authorized to access this page.
125 notice_email_sent: "An email was sent to {{value}}"
125 notice_email_sent: "An email was sent to {{value}}"
126 notice_email_error: "An error occurred while sending mail ({{value}})"
126 notice_email_error: "An error occurred while sending mail ({{value}})"
127 notice_feeds_access_key_reseted: Your RSS access key was reset.
127 notice_feeds_access_key_reseted: Your RSS access key was reset.
128 notice_failed_to_save_issues: "Failed to save {{count}} issue(s) on {{total}} selected: {{ids}}."
128 notice_failed_to_save_issues: "Failed to save {{count}} issue(s) on {{total}} selected: {{ids}}."
129 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
129 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
130 notice_account_pending: "Your account was created and is now pending administrator approval."
130 notice_account_pending: "Your account was created and is now pending administrator approval."
131 notice_default_data_loaded: Default configuration successfully loaded.
131 notice_default_data_loaded: Default configuration successfully loaded.
132 notice_unable_delete_version: Unable to delete version.
132 notice_unable_delete_version: Unable to delete version.
133
133
134 error_can_t_load_default_data: "Default configuration could not be loaded: {{value}}"
134 error_can_t_load_default_data: "Default configuration could not be loaded: {{value}}"
135 error_scm_not_found: "The entry or revision was not found in the repository."
135 error_scm_not_found: "The entry or revision was not found in the repository."
136 error_scm_command_failed: "An error occurred when trying to access the repository: {{value}}"
136 error_scm_command_failed: "An error occurred when trying to access the repository: {{value}}"
137 error_scm_annotate: "The entry does not exist or can not be annotated."
137 error_scm_annotate: "The entry does not exist or can not be annotated."
138 error_issue_not_found_in_project: 'The issue was not found or does not belong to this project'
138 error_issue_not_found_in_project: 'The issue was not found or does not belong to this project'
139
139
140 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
140 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
141
141
142 mail_subject_lost_password: "Your {{value}} password"
142 mail_subject_lost_password: "Your {{value}} password"
143 mail_body_lost_password: 'To change your password, click on the following link:'
143 mail_body_lost_password: 'To change your password, click on the following link:'
144 mail_subject_register: "Your {{value}} account activation"
144 mail_subject_register: "Your {{value}} account activation"
145 mail_body_register: 'To activate your account, click on the following link:'
145 mail_body_register: 'To activate your account, click on the following link:'
146 mail_body_account_information_external: "You can use your {{value}} account to log in."
146 mail_body_account_information_external: "You can use your {{value}} account to log in."
147 mail_body_account_information: Your account information
147 mail_body_account_information: Your account information
148 mail_subject_account_activation_request: "{{value}} account activation request"
148 mail_subject_account_activation_request: "{{value}} account activation request"
149 mail_body_account_activation_request: "A new user ({{value}}) has registered. The account is pending your approval:"
149 mail_body_account_activation_request: "A new user ({{value}}) has registered. The account is pending your approval:"
150 mail_subject_reminder: "{{count}} issue(s) due in the next days"
150 mail_subject_reminder: "{{count}} issue(s) due in the next days"
151 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
151 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
152
152
153 gui_validation_error: 1 error
153 gui_validation_error: 1 error
154 gui_validation_error_plural: "{{count}} errors"
154 gui_validation_error_plural: "{{count}} errors"
155
155
156 field_name: Name
156 field_name: Name
157 field_description: Description
157 field_description: Description
158 field_summary: Summary
158 field_summary: Summary
159 field_is_required: Required
159 field_is_required: Required
160 field_firstname: Firstname
160 field_firstname: Firstname
161 field_lastname: Lastname
161 field_lastname: Lastname
162 field_mail: Email
162 field_mail: Email
163 field_filename: File
163 field_filename: File
164 field_filesize: Size
164 field_filesize: Size
165 field_downloads: Downloads
165 field_downloads: Downloads
166 field_author: Author
166 field_author: Author
167 field_created_on: Created
167 field_created_on: Created
168 field_updated_on: Updated
168 field_updated_on: Updated
169 field_field_format: Format
169 field_field_format: Format
170 field_is_for_all: For all projects
170 field_is_for_all: For all projects
171 field_possible_values: Possible values
171 field_possible_values: Possible values
172 field_regexp: Regular expression
172 field_regexp: Regular expression
173 field_min_length: Minimum length
173 field_min_length: Minimum length
174 field_max_length: Maximum length
174 field_max_length: Maximum length
175 field_value: Value
175 field_value: Value
176 field_category: Category
176 field_category: Category
177 field_title: Title
177 field_title: Title
178 field_project: Project
178 field_project: Project
179 field_issue: Issue
179 field_issue: Issue
180 field_status: Status
180 field_status: Status
181 field_notes: Notes
181 field_notes: Notes
182 field_is_closed: Issue closed
182 field_is_closed: Issue closed
183 field_is_default: Default value
183 field_is_default: Default value
184 field_tracker: Tracker
184 field_tracker: Tracker
185 field_subject: Subject
185 field_subject: Subject
186 field_due_date: Due date
186 field_due_date: Due date
187 field_assigned_to: Assigned to
187 field_assigned_to: Assigned to
188 field_priority: Priority
188 field_priority: Priority
189 field_fixed_version: Target version
189 field_fixed_version: Target version
190 field_user: User
190 field_user: User
191 field_role: Role
191 field_role: Role
192 field_homepage: Homepage
192 field_homepage: Homepage
193 field_is_public: Public
193 field_is_public: Public
194 field_parent: Subproject of
194 field_parent: Subproject of
195 field_is_in_chlog: Issues displayed in changelog
195 field_is_in_chlog: Issues displayed in changelog
196 field_is_in_roadmap: Issues displayed in roadmap
196 field_is_in_roadmap: Issues displayed in roadmap
197 field_login: Login
197 field_login: Login
198 field_mail_notification: Email notifications
198 field_mail_notification: Email notifications
199 field_admin: Administrator
199 field_admin: Administrator
200 field_last_login_on: Last connection
200 field_last_login_on: Last connection
201 field_language: Language
201 field_language: Language
202 field_effective_date: Date
202 field_effective_date: Date
203 field_password: Password
203 field_password: Password
204 field_new_password: New password
204 field_new_password: New password
205 field_password_confirmation: Confirmation
205 field_password_confirmation: Confirmation
206 field_version: Version
206 field_version: Version
207 field_type: Type
207 field_type: Type
208 field_host: Host
208 field_host: Host
209 field_port: Port
209 field_port: Port
210 field_account: Account
210 field_account: Account
211 field_base_dn: Base DN
211 field_base_dn: Base DN
212 field_attr_login: Login attribute
212 field_attr_login: Login attribute
213 field_attr_firstname: Firstname attribute
213 field_attr_firstname: Firstname attribute
214 field_attr_lastname: Lastname attribute
214 field_attr_lastname: Lastname attribute
215 field_attr_mail: Email attribute
215 field_attr_mail: Email attribute
216 field_onthefly: On-the-fly user creation
216 field_onthefly: On-the-fly user creation
217 field_start_date: Start
217 field_start_date: Start
218 field_done_ratio: % Done
218 field_done_ratio: % Done
219 field_auth_source: Authentication mode
219 field_auth_source: Authentication mode
220 field_hide_mail: Hide my email address
220 field_hide_mail: Hide my email address
221 field_comments: Comment
221 field_comments: Comment
222 field_url: URL
222 field_url: URL
223 field_start_page: Start page
223 field_start_page: Start page
224 field_subproject: Subproject
224 field_subproject: Subproject
225 field_hours: Hours
225 field_hours: Hours
226 field_activity: Activity
226 field_activity: Activity
227 field_spent_on: Date
227 field_spent_on: Date
228 field_identifier: Identifier
228 field_identifier: Identifier
229 field_is_filter: Used as a filter
229 field_is_filter: Used as a filter
230 field_issue_to_id: Related issue
230 field_issue_to_id: Related issue
231 field_delay: Delay
231 field_delay: Delay
232 field_assignable: Issues can be assigned to this role
232 field_assignable: Issues can be assigned to this role
233 field_redirect_existing_links: Redirect existing links
233 field_redirect_existing_links: Redirect existing links
234 field_estimated_hours: Estimated time
234 field_estimated_hours: Estimated time
235 field_column_names: Columns
235 field_column_names: Columns
236 field_time_zone: Time zone
236 field_time_zone: Time zone
237 field_searchable: Searchable
237 field_searchable: Searchable
238 field_default_value: Default value
238 field_default_value: Default value
239 field_comments_sorting: Display comments
239 field_comments_sorting: Display comments
240 field_parent_title: Parent page
240 field_parent_title: Parent page
241 field_editable: Editable
241 field_editable: Editable
242 field_watcher: Watcher
242 field_watcher: Watcher
243 field_identity_url: OpenID URL
243 field_identity_url: OpenID URL
244 field_content: Content
244 field_content: Content
245 field_group_by: Group results by
245
246
246 setting_app_title: Application title
247 setting_app_title: Application title
247 setting_app_subtitle: Application subtitle
248 setting_app_subtitle: Application subtitle
248 setting_welcome_text: Welcome text
249 setting_welcome_text: Welcome text
249 setting_default_language: Default language
250 setting_default_language: Default language
250 setting_login_required: Authentication required
251 setting_login_required: Authentication required
251 setting_self_registration: Self-registration
252 setting_self_registration: Self-registration
252 setting_attachment_max_size: Attachment max. size
253 setting_attachment_max_size: Attachment max. size
253 setting_issues_export_limit: Issues export limit
254 setting_issues_export_limit: Issues export limit
254 setting_mail_from: Emission email address
255 setting_mail_from: Emission email address
255 setting_bcc_recipients: Blind carbon copy recipients (bcc)
256 setting_bcc_recipients: Blind carbon copy recipients (bcc)
256 setting_plain_text_mail: Plain text mail (no HTML)
257 setting_plain_text_mail: Plain text mail (no HTML)
257 setting_host_name: Host name and path
258 setting_host_name: Host name and path
258 setting_text_formatting: Text formatting
259 setting_text_formatting: Text formatting
259 setting_wiki_compression: Wiki history compression
260 setting_wiki_compression: Wiki history compression
260 setting_feeds_limit: Feed content limit
261 setting_feeds_limit: Feed content limit
261 setting_default_projects_public: New projects are public by default
262 setting_default_projects_public: New projects are public by default
262 setting_autofetch_changesets: Autofetch commits
263 setting_autofetch_changesets: Autofetch commits
263 setting_sys_api_enabled: Enable WS for repository management
264 setting_sys_api_enabled: Enable WS for repository management
264 setting_commit_ref_keywords: Referencing keywords
265 setting_commit_ref_keywords: Referencing keywords
265 setting_commit_fix_keywords: Fixing keywords
266 setting_commit_fix_keywords: Fixing keywords
266 setting_autologin: Autologin
267 setting_autologin: Autologin
267 setting_date_format: Date format
268 setting_date_format: Date format
268 setting_time_format: Time format
269 setting_time_format: Time format
269 setting_cross_project_issue_relations: Allow cross-project issue relations
270 setting_cross_project_issue_relations: Allow cross-project issue relations
270 setting_issue_list_default_columns: Default columns displayed on the issue list
271 setting_issue_list_default_columns: Default columns displayed on the issue list
271 setting_repositories_encodings: Repositories encodings
272 setting_repositories_encodings: Repositories encodings
272 setting_commit_logs_encoding: Commit messages encoding
273 setting_commit_logs_encoding: Commit messages encoding
273 setting_emails_footer: Emails footer
274 setting_emails_footer: Emails footer
274 setting_protocol: Protocol
275 setting_protocol: Protocol
275 setting_per_page_options: Objects per page options
276 setting_per_page_options: Objects per page options
276 setting_user_format: Users display format
277 setting_user_format: Users display format
277 setting_activity_days_default: Days displayed on project activity
278 setting_activity_days_default: Days displayed on project activity
278 setting_display_subprojects_issues: Display subprojects issues on main projects by default
279 setting_display_subprojects_issues: Display subprojects issues on main projects by default
279 setting_enabled_scm: Enabled SCM
280 setting_enabled_scm: Enabled SCM
280 setting_mail_handler_api_enabled: Enable WS for incoming emails
281 setting_mail_handler_api_enabled: Enable WS for incoming emails
281 setting_mail_handler_api_key: API key
282 setting_mail_handler_api_key: API key
282 setting_sequential_project_identifiers: Generate sequential project identifiers
283 setting_sequential_project_identifiers: Generate sequential project identifiers
283 setting_gravatar_enabled: Use Gravatar user icons
284 setting_gravatar_enabled: Use Gravatar user icons
284 setting_diff_max_lines_displayed: Max number of diff lines displayed
285 setting_diff_max_lines_displayed: Max number of diff lines displayed
285 setting_file_max_size_displayed: Max size of text files displayed inline
286 setting_file_max_size_displayed: Max size of text files displayed inline
286 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
287 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
287 setting_openid: Allow OpenID login and registration
288 setting_openid: Allow OpenID login and registration
288 setting_password_min_length: Minimum password length
289 setting_password_min_length: Minimum password length
289
290
290 permission_edit_project: Edit project
291 permission_edit_project: Edit project
291 permission_select_project_modules: Select project modules
292 permission_select_project_modules: Select project modules
292 permission_manage_members: Manage members
293 permission_manage_members: Manage members
293 permission_manage_versions: Manage versions
294 permission_manage_versions: Manage versions
294 permission_manage_categories: Manage issue categories
295 permission_manage_categories: Manage issue categories
295 permission_add_issues: Add issues
296 permission_add_issues: Add issues
296 permission_edit_issues: Edit issues
297 permission_edit_issues: Edit issues
297 permission_manage_issue_relations: Manage issue relations
298 permission_manage_issue_relations: Manage issue relations
298 permission_add_issue_notes: Add notes
299 permission_add_issue_notes: Add notes
299 permission_edit_issue_notes: Edit notes
300 permission_edit_issue_notes: Edit notes
300 permission_edit_own_issue_notes: Edit own notes
301 permission_edit_own_issue_notes: Edit own notes
301 permission_move_issues: Move issues
302 permission_move_issues: Move issues
302 permission_delete_issues: Delete issues
303 permission_delete_issues: Delete issues
303 permission_manage_public_queries: Manage public queries
304 permission_manage_public_queries: Manage public queries
304 permission_save_queries: Save queries
305 permission_save_queries: Save queries
305 permission_view_gantt: View gantt chart
306 permission_view_gantt: View gantt chart
306 permission_view_calendar: View calender
307 permission_view_calendar: View calender
307 permission_view_issue_watchers: View watchers list
308 permission_view_issue_watchers: View watchers list
308 permission_add_issue_watchers: Add watchers
309 permission_add_issue_watchers: Add watchers
309 permission_log_time: Log spent time
310 permission_log_time: Log spent time
310 permission_view_time_entries: View spent time
311 permission_view_time_entries: View spent time
311 permission_edit_time_entries: Edit time logs
312 permission_edit_time_entries: Edit time logs
312 permission_edit_own_time_entries: Edit own time logs
313 permission_edit_own_time_entries: Edit own time logs
313 permission_manage_news: Manage news
314 permission_manage_news: Manage news
314 permission_comment_news: Comment news
315 permission_comment_news: Comment news
315 permission_manage_documents: Manage documents
316 permission_manage_documents: Manage documents
316 permission_view_documents: View documents
317 permission_view_documents: View documents
317 permission_manage_files: Manage files
318 permission_manage_files: Manage files
318 permission_view_files: View files
319 permission_view_files: View files
319 permission_manage_wiki: Manage wiki
320 permission_manage_wiki: Manage wiki
320 permission_rename_wiki_pages: Rename wiki pages
321 permission_rename_wiki_pages: Rename wiki pages
321 permission_delete_wiki_pages: Delete wiki pages
322 permission_delete_wiki_pages: Delete wiki pages
322 permission_view_wiki_pages: View wiki
323 permission_view_wiki_pages: View wiki
323 permission_view_wiki_edits: View wiki history
324 permission_view_wiki_edits: View wiki history
324 permission_edit_wiki_pages: Edit wiki pages
325 permission_edit_wiki_pages: Edit wiki pages
325 permission_delete_wiki_pages_attachments: Delete attachments
326 permission_delete_wiki_pages_attachments: Delete attachments
326 permission_protect_wiki_pages: Protect wiki pages
327 permission_protect_wiki_pages: Protect wiki pages
327 permission_manage_repository: Manage repository
328 permission_manage_repository: Manage repository
328 permission_browse_repository: Browse repository
329 permission_browse_repository: Browse repository
329 permission_view_changesets: View changesets
330 permission_view_changesets: View changesets
330 permission_commit_access: Commit access
331 permission_commit_access: Commit access
331 permission_manage_boards: Manage boards
332 permission_manage_boards: Manage boards
332 permission_view_messages: View messages
333 permission_view_messages: View messages
333 permission_add_messages: Post messages
334 permission_add_messages: Post messages
334 permission_edit_messages: Edit messages
335 permission_edit_messages: Edit messages
335 permission_edit_own_messages: Edit own messages
336 permission_edit_own_messages: Edit own messages
336 permission_delete_messages: Delete messages
337 permission_delete_messages: Delete messages
337 permission_delete_own_messages: Delete own messages
338 permission_delete_own_messages: Delete own messages
338
339
339 project_module_issue_tracking: Issue tracking
340 project_module_issue_tracking: Issue tracking
340 project_module_time_tracking: Time tracking
341 project_module_time_tracking: Time tracking
341 project_module_news: News
342 project_module_news: News
342 project_module_documents: Documents
343 project_module_documents: Documents
343 project_module_files: Files
344 project_module_files: Files
344 project_module_wiki: Wiki
345 project_module_wiki: Wiki
345 project_module_repository: Repository
346 project_module_repository: Repository
346 project_module_boards: Boards
347 project_module_boards: Boards
347
348
348 label_user: User
349 label_user: User
349 label_user_plural: Users
350 label_user_plural: Users
350 label_user_new: New user
351 label_user_new: New user
351 label_project: Project
352 label_project: Project
352 label_project_new: New project
353 label_project_new: New project
353 label_project_plural: Projects
354 label_project_plural: Projects
354 label_x_projects:
355 label_x_projects:
355 zero: no projects
356 zero: no projects
356 one: 1 project
357 one: 1 project
357 other: "{{count}} projects"
358 other: "{{count}} projects"
358 label_project_all: All Projects
359 label_project_all: All Projects
359 label_project_latest: Latest projects
360 label_project_latest: Latest projects
360 label_issue: Issue
361 label_issue: Issue
361 label_issue_new: New issue
362 label_issue_new: New issue
362 label_issue_plural: Issues
363 label_issue_plural: Issues
363 label_issue_view_all: View all issues
364 label_issue_view_all: View all issues
364 label_issues_by: "Issues by {{value}}"
365 label_issues_by: "Issues by {{value}}"
365 label_issue_added: Issue added
366 label_issue_added: Issue added
366 label_issue_updated: Issue updated
367 label_issue_updated: Issue updated
367 label_document: Document
368 label_document: Document
368 label_document_new: New document
369 label_document_new: New document
369 label_document_plural: Documents
370 label_document_plural: Documents
370 label_document_added: Document added
371 label_document_added: Document added
371 label_role: Role
372 label_role: Role
372 label_role_plural: Roles
373 label_role_plural: Roles
373 label_role_new: New role
374 label_role_new: New role
374 label_role_and_permissions: Roles and permissions
375 label_role_and_permissions: Roles and permissions
375 label_member: Member
376 label_member: Member
376 label_member_new: New member
377 label_member_new: New member
377 label_member_plural: Members
378 label_member_plural: Members
378 label_tracker: Tracker
379 label_tracker: Tracker
379 label_tracker_plural: Trackers
380 label_tracker_plural: Trackers
380 label_tracker_new: New tracker
381 label_tracker_new: New tracker
381 label_workflow: Workflow
382 label_workflow: Workflow
382 label_issue_status: Issue status
383 label_issue_status: Issue status
383 label_issue_status_plural: Issue statuses
384 label_issue_status_plural: Issue statuses
384 label_issue_status_new: New status
385 label_issue_status_new: New status
385 label_issue_category: Issue category
386 label_issue_category: Issue category
386 label_issue_category_plural: Issue categories
387 label_issue_category_plural: Issue categories
387 label_issue_category_new: New category
388 label_issue_category_new: New category
388 label_custom_field: Custom field
389 label_custom_field: Custom field
389 label_custom_field_plural: Custom fields
390 label_custom_field_plural: Custom fields
390 label_custom_field_new: New custom field
391 label_custom_field_new: New custom field
391 label_enumerations: Enumerations
392 label_enumerations: Enumerations
392 label_enumeration_new: New value
393 label_enumeration_new: New value
393 label_information: Information
394 label_information: Information
394 label_information_plural: Information
395 label_information_plural: Information
395 label_please_login: Please log in
396 label_please_login: Please log in
396 label_register: Register
397 label_register: Register
397 label_login_with_open_id_option: or login with OpenID
398 label_login_with_open_id_option: or login with OpenID
398 label_password_lost: Lost password
399 label_password_lost: Lost password
399 label_home: Home
400 label_home: Home
400 label_my_page: My page
401 label_my_page: My page
401 label_my_account: My account
402 label_my_account: My account
402 label_my_projects: My projects
403 label_my_projects: My projects
403 label_administration: Administration
404 label_administration: Administration
404 label_login: Sign in
405 label_login: Sign in
405 label_logout: Sign out
406 label_logout: Sign out
406 label_help: Help
407 label_help: Help
407 label_reported_issues: Reported issues
408 label_reported_issues: Reported issues
408 label_assigned_to_me_issues: Issues assigned to me
409 label_assigned_to_me_issues: Issues assigned to me
409 label_last_login: Last connection
410 label_last_login: Last connection
410 label_registered_on: Registered on
411 label_registered_on: Registered on
411 label_activity: Activity
412 label_activity: Activity
412 label_overall_activity: Overall activity
413 label_overall_activity: Overall activity
413 label_user_activity: "{{value}}'s activity"
414 label_user_activity: "{{value}}'s activity"
414 label_new: New
415 label_new: New
415 label_logged_as: Logged in as
416 label_logged_as: Logged in as
416 label_environment: Environment
417 label_environment: Environment
417 label_authentication: Authentication
418 label_authentication: Authentication
418 label_auth_source: Authentication mode
419 label_auth_source: Authentication mode
419 label_auth_source_new: New authentication mode
420 label_auth_source_new: New authentication mode
420 label_auth_source_plural: Authentication modes
421 label_auth_source_plural: Authentication modes
421 label_subproject_plural: Subprojects
422 label_subproject_plural: Subprojects
422 label_and_its_subprojects: "{{value}} and its subprojects"
423 label_and_its_subprojects: "{{value}} and its subprojects"
423 label_min_max_length: Min - Max length
424 label_min_max_length: Min - Max length
424 label_list: List
425 label_list: List
425 label_date: Date
426 label_date: Date
426 label_integer: Integer
427 label_integer: Integer
427 label_float: Float
428 label_float: Float
428 label_boolean: Boolean
429 label_boolean: Boolean
429 label_string: Text
430 label_string: Text
430 label_text: Long text
431 label_text: Long text
431 label_attribute: Attribute
432 label_attribute: Attribute
432 label_attribute_plural: Attributes
433 label_attribute_plural: Attributes
433 label_download: "{{count}} Download"
434 label_download: "{{count}} Download"
434 label_download_plural: "{{count}} Downloads"
435 label_download_plural: "{{count}} Downloads"
435 label_no_data: No data to display
436 label_no_data: No data to display
436 label_change_status: Change status
437 label_change_status: Change status
437 label_history: History
438 label_history: History
438 label_attachment: File
439 label_attachment: File
439 label_attachment_new: New file
440 label_attachment_new: New file
440 label_attachment_delete: Delete file
441 label_attachment_delete: Delete file
441 label_attachment_plural: Files
442 label_attachment_plural: Files
442 label_file_added: File added
443 label_file_added: File added
443 label_report: Report
444 label_report: Report
444 label_report_plural: Reports
445 label_report_plural: Reports
445 label_news: News
446 label_news: News
446 label_news_new: Add news
447 label_news_new: Add news
447 label_news_plural: News
448 label_news_plural: News
448 label_news_latest: Latest news
449 label_news_latest: Latest news
449 label_news_view_all: View all news
450 label_news_view_all: View all news
450 label_news_added: News added
451 label_news_added: News added
451 label_change_log: Change log
452 label_change_log: Change log
452 label_settings: Settings
453 label_settings: Settings
453 label_overview: Overview
454 label_overview: Overview
454 label_version: Version
455 label_version: Version
455 label_version_new: New version
456 label_version_new: New version
456 label_version_plural: Versions
457 label_version_plural: Versions
457 label_confirmation: Confirmation
458 label_confirmation: Confirmation
458 label_export_to: 'Also available in:'
459 label_export_to: 'Also available in:'
459 label_read: Read...
460 label_read: Read...
460 label_public_projects: Public projects
461 label_public_projects: Public projects
461 label_open_issues: open
462 label_open_issues: open
462 label_open_issues_plural: open
463 label_open_issues_plural: open
463 label_closed_issues: closed
464 label_closed_issues: closed
464 label_closed_issues_plural: closed
465 label_closed_issues_plural: closed
465 label_x_open_issues_abbr_on_total:
466 label_x_open_issues_abbr_on_total:
466 zero: 0 open / {{total}}
467 zero: 0 open / {{total}}
467 one: 1 open / {{total}}
468 one: 1 open / {{total}}
468 other: "{{count}} open / {{total}}"
469 other: "{{count}} open / {{total}}"
469 label_x_open_issues_abbr:
470 label_x_open_issues_abbr:
470 zero: 0 open
471 zero: 0 open
471 one: 1 open
472 one: 1 open
472 other: "{{count}} open"
473 other: "{{count}} open"
473 label_x_closed_issues_abbr:
474 label_x_closed_issues_abbr:
474 zero: 0 closed
475 zero: 0 closed
475 one: 1 closed
476 one: 1 closed
476 other: "{{count}} closed"
477 other: "{{count}} closed"
477 label_total: Total
478 label_total: Total
478 label_permissions: Permissions
479 label_permissions: Permissions
479 label_current_status: Current status
480 label_current_status: Current status
480 label_new_statuses_allowed: New statuses allowed
481 label_new_statuses_allowed: New statuses allowed
481 label_all: all
482 label_all: all
482 label_none: none
483 label_none: none
483 label_nobody: nobody
484 label_nobody: nobody
484 label_next: Next
485 label_next: Next
485 label_previous: Previous
486 label_previous: Previous
486 label_used_by: Used by
487 label_used_by: Used by
487 label_details: Details
488 label_details: Details
488 label_add_note: Add a note
489 label_add_note: Add a note
489 label_per_page: Per page
490 label_per_page: Per page
490 label_calendar: Calendar
491 label_calendar: Calendar
491 label_months_from: months from
492 label_months_from: months from
492 label_gantt: Gantt
493 label_gantt: Gantt
493 label_internal: Internal
494 label_internal: Internal
494 label_last_changes: "last {{count}} changes"
495 label_last_changes: "last {{count}} changes"
495 label_change_view_all: View all changes
496 label_change_view_all: View all changes
496 label_personalize_page: Personalize this page
497 label_personalize_page: Personalize this page
497 label_comment: Comment
498 label_comment: Comment
498 label_comment_plural: Comments
499 label_comment_plural: Comments
499 label_x_comments:
500 label_x_comments:
500 zero: no comments
501 zero: no comments
501 one: 1 comment
502 one: 1 comment
502 other: "{{count}} comments"
503 other: "{{count}} comments"
503 label_comment_add: Add a comment
504 label_comment_add: Add a comment
504 label_comment_added: Comment added
505 label_comment_added: Comment added
505 label_comment_delete: Delete comments
506 label_comment_delete: Delete comments
506 label_query: Custom query
507 label_query: Custom query
507 label_query_plural: Custom queries
508 label_query_plural: Custom queries
508 label_query_new: New query
509 label_query_new: New query
509 label_filter_add: Add filter
510 label_filter_add: Add filter
510 label_filter_plural: Filters
511 label_filter_plural: Filters
511 label_equals: is
512 label_equals: is
512 label_not_equals: is not
513 label_not_equals: is not
513 label_in_less_than: in less than
514 label_in_less_than: in less than
514 label_in_more_than: in more than
515 label_in_more_than: in more than
515 label_greater_or_equal: '>='
516 label_greater_or_equal: '>='
516 label_less_or_equal: '<='
517 label_less_or_equal: '<='
517 label_in: in
518 label_in: in
518 label_today: today
519 label_today: today
519 label_all_time: all time
520 label_all_time: all time
520 label_yesterday: yesterday
521 label_yesterday: yesterday
521 label_this_week: this week
522 label_this_week: this week
522 label_last_week: last week
523 label_last_week: last week
523 label_last_n_days: "last {{count}} days"
524 label_last_n_days: "last {{count}} days"
524 label_this_month: this month
525 label_this_month: this month
525 label_last_month: last month
526 label_last_month: last month
526 label_this_year: this year
527 label_this_year: this year
527 label_date_range: Date range
528 label_date_range: Date range
528 label_less_than_ago: less than days ago
529 label_less_than_ago: less than days ago
529 label_more_than_ago: more than days ago
530 label_more_than_ago: more than days ago
530 label_ago: days ago
531 label_ago: days ago
531 label_contains: contains
532 label_contains: contains
532 label_not_contains: doesn't contain
533 label_not_contains: doesn't contain
533 label_day_plural: days
534 label_day_plural: days
534 label_repository: Repository
535 label_repository: Repository
535 label_repository_plural: Repositories
536 label_repository_plural: Repositories
536 label_browse: Browse
537 label_browse: Browse
537 label_modification: "{{count}} change"
538 label_modification: "{{count}} change"
538 label_modification_plural: "{{count}} changes"
539 label_modification_plural: "{{count}} changes"
539 label_revision: Revision
540 label_revision: Revision
540 label_revision_plural: Revisions
541 label_revision_plural: Revisions
541 label_associated_revisions: Associated revisions
542 label_associated_revisions: Associated revisions
542 label_added: added
543 label_added: added
543 label_modified: modified
544 label_modified: modified
544 label_copied: copied
545 label_copied: copied
545 label_renamed: renamed
546 label_renamed: renamed
546 label_deleted: deleted
547 label_deleted: deleted
547 label_latest_revision: Latest revision
548 label_latest_revision: Latest revision
548 label_latest_revision_plural: Latest revisions
549 label_latest_revision_plural: Latest revisions
549 label_view_revisions: View revisions
550 label_view_revisions: View revisions
550 label_max_size: Maximum size
551 label_max_size: Maximum size
551 label_sort_highest: Move to top
552 label_sort_highest: Move to top
552 label_sort_higher: Move up
553 label_sort_higher: Move up
553 label_sort_lower: Move down
554 label_sort_lower: Move down
554 label_sort_lowest: Move to bottom
555 label_sort_lowest: Move to bottom
555 label_roadmap: Roadmap
556 label_roadmap: Roadmap
556 label_roadmap_due_in: "Due in {{value}}"
557 label_roadmap_due_in: "Due in {{value}}"
557 label_roadmap_overdue: "{{value}} late"
558 label_roadmap_overdue: "{{value}} late"
558 label_roadmap_no_issues: No issues for this version
559 label_roadmap_no_issues: No issues for this version
559 label_search: Search
560 label_search: Search
560 label_result_plural: Results
561 label_result_plural: Results
561 label_all_words: All words
562 label_all_words: All words
562 label_wiki: Wiki
563 label_wiki: Wiki
563 label_wiki_edit: Wiki edit
564 label_wiki_edit: Wiki edit
564 label_wiki_edit_plural: Wiki edits
565 label_wiki_edit_plural: Wiki edits
565 label_wiki_page: Wiki page
566 label_wiki_page: Wiki page
566 label_wiki_page_plural: Wiki pages
567 label_wiki_page_plural: Wiki pages
567 label_index_by_title: Index by title
568 label_index_by_title: Index by title
568 label_index_by_date: Index by date
569 label_index_by_date: Index by date
569 label_current_version: Current version
570 label_current_version: Current version
570 label_preview: Preview
571 label_preview: Preview
571 label_feed_plural: Feeds
572 label_feed_plural: Feeds
572 label_changes_details: Details of all changes
573 label_changes_details: Details of all changes
573 label_issue_tracking: Issue tracking
574 label_issue_tracking: Issue tracking
574 label_spent_time: Spent time
575 label_spent_time: Spent time
575 label_f_hour: "{{value}} hour"
576 label_f_hour: "{{value}} hour"
576 label_f_hour_plural: "{{value}} hours"
577 label_f_hour_plural: "{{value}} hours"
577 label_time_tracking: Time tracking
578 label_time_tracking: Time tracking
578 label_change_plural: Changes
579 label_change_plural: Changes
579 label_statistics: Statistics
580 label_statistics: Statistics
580 label_commits_per_month: Commits per month
581 label_commits_per_month: Commits per month
581 label_commits_per_author: Commits per author
582 label_commits_per_author: Commits per author
582 label_view_diff: View differences
583 label_view_diff: View differences
583 label_diff_inline: inline
584 label_diff_inline: inline
584 label_diff_side_by_side: side by side
585 label_diff_side_by_side: side by side
585 label_options: Options
586 label_options: Options
586 label_copy_workflow_from: Copy workflow from
587 label_copy_workflow_from: Copy workflow from
587 label_permissions_report: Permissions report
588 label_permissions_report: Permissions report
588 label_watched_issues: Watched issues
589 label_watched_issues: Watched issues
589 label_related_issues: Related issues
590 label_related_issues: Related issues
590 label_applied_status: Applied status
591 label_applied_status: Applied status
591 label_loading: Loading...
592 label_loading: Loading...
592 label_relation_new: New relation
593 label_relation_new: New relation
593 label_relation_delete: Delete relation
594 label_relation_delete: Delete relation
594 label_relates_to: related to
595 label_relates_to: related to
595 label_duplicates: duplicates
596 label_duplicates: duplicates
596 label_duplicated_by: duplicated by
597 label_duplicated_by: duplicated by
597 label_blocks: blocks
598 label_blocks: blocks
598 label_blocked_by: blocked by
599 label_blocked_by: blocked by
599 label_precedes: precedes
600 label_precedes: precedes
600 label_follows: follows
601 label_follows: follows
601 label_end_to_start: end to start
602 label_end_to_start: end to start
602 label_end_to_end: end to end
603 label_end_to_end: end to end
603 label_start_to_start: start to start
604 label_start_to_start: start to start
604 label_start_to_end: start to end
605 label_start_to_end: start to end
605 label_stay_logged_in: Stay logged in
606 label_stay_logged_in: Stay logged in
606 label_disabled: disabled
607 label_disabled: disabled
607 label_show_completed_versions: Show completed versions
608 label_show_completed_versions: Show completed versions
608 label_me: me
609 label_me: me
609 label_board: Forum
610 label_board: Forum
610 label_board_new: New forum
611 label_board_new: New forum
611 label_board_plural: Forums
612 label_board_plural: Forums
612 label_topic_plural: Topics
613 label_topic_plural: Topics
613 label_message_plural: Messages
614 label_message_plural: Messages
614 label_message_last: Last message
615 label_message_last: Last message
615 label_message_new: New message
616 label_message_new: New message
616 label_message_posted: Message added
617 label_message_posted: Message added
617 label_reply_plural: Replies
618 label_reply_plural: Replies
618 label_send_information: Send account information to the user
619 label_send_information: Send account information to the user
619 label_year: Year
620 label_year: Year
620 label_month: Month
621 label_month: Month
621 label_week: Week
622 label_week: Week
622 label_date_from: From
623 label_date_from: From
623 label_date_to: To
624 label_date_to: To
624 label_language_based: Based on user's language
625 label_language_based: Based on user's language
625 label_sort_by: "Sort by {{value}}"
626 label_sort_by: "Sort by {{value}}"
626 label_send_test_email: Send a test email
627 label_send_test_email: Send a test email
627 label_feeds_access_key_created_on: "RSS access key created {{value}} ago"
628 label_feeds_access_key_created_on: "RSS access key created {{value}} ago"
628 label_module_plural: Modules
629 label_module_plural: Modules
629 label_added_time_by: "Added by {{author}} {{age}} ago"
630 label_added_time_by: "Added by {{author}} {{age}} ago"
630 label_updated_time_by: "Updated by {{author}} {{age}} ago"
631 label_updated_time_by: "Updated by {{author}} {{age}} ago"
631 label_updated_time: "Updated {{value}} ago"
632 label_updated_time: "Updated {{value}} ago"
632 label_jump_to_a_project: Jump to a project...
633 label_jump_to_a_project: Jump to a project...
633 label_file_plural: Files
634 label_file_plural: Files
634 label_changeset_plural: Changesets
635 label_changeset_plural: Changesets
635 label_default_columns: Default columns
636 label_default_columns: Default columns
636 label_no_change_option: (No change)
637 label_no_change_option: (No change)
637 label_bulk_edit_selected_issues: Bulk edit selected issues
638 label_bulk_edit_selected_issues: Bulk edit selected issues
638 label_theme: Theme
639 label_theme: Theme
639 label_default: Default
640 label_default: Default
640 label_search_titles_only: Search titles only
641 label_search_titles_only: Search titles only
641 label_user_mail_option_all: "For any event on all my projects"
642 label_user_mail_option_all: "For any event on all my projects"
642 label_user_mail_option_selected: "For any event on the selected projects only..."
643 label_user_mail_option_selected: "For any event on the selected projects only..."
643 label_user_mail_option_none: "Only for things I watch or I'm involved in"
644 label_user_mail_option_none: "Only for things I watch or I'm involved in"
644 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
645 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
645 label_registration_activation_by_email: account activation by email
646 label_registration_activation_by_email: account activation by email
646 label_registration_manual_activation: manual account activation
647 label_registration_manual_activation: manual account activation
647 label_registration_automatic_activation: automatic account activation
648 label_registration_automatic_activation: automatic account activation
648 label_display_per_page: "Per page: {{value}}"
649 label_display_per_page: "Per page: {{value}}"
649 label_age: Age
650 label_age: Age
650 label_change_properties: Change properties
651 label_change_properties: Change properties
651 label_general: General
652 label_general: General
652 label_more: More
653 label_more: More
653 label_scm: SCM
654 label_scm: SCM
654 label_plugins: Plugins
655 label_plugins: Plugins
655 label_ldap_authentication: LDAP authentication
656 label_ldap_authentication: LDAP authentication
656 label_downloads_abbr: D/L
657 label_downloads_abbr: D/L
657 label_optional_description: Optional description
658 label_optional_description: Optional description
658 label_add_another_file: Add another file
659 label_add_another_file: Add another file
659 label_preferences: Preferences
660 label_preferences: Preferences
660 label_chronological_order: In chronological order
661 label_chronological_order: In chronological order
661 label_reverse_chronological_order: In reverse chronological order
662 label_reverse_chronological_order: In reverse chronological order
662 label_planning: Planning
663 label_planning: Planning
663 label_incoming_emails: Incoming emails
664 label_incoming_emails: Incoming emails
664 label_generate_key: Generate a key
665 label_generate_key: Generate a key
665 label_issue_watchers: Watchers
666 label_issue_watchers: Watchers
666 label_example: Example
667 label_example: Example
667 label_display: Display
668 label_display: Display
668 label_sort: Sort
669 label_sort: Sort
669 label_ascending: Ascending
670 label_ascending: Ascending
670 label_descending: Descending
671 label_descending: Descending
671 label_date_from_to: From {{start}} to {{end}}
672 label_date_from_to: From {{start}} to {{end}}
672
673
673 button_login: Login
674 button_login: Login
674 button_submit: Submit
675 button_submit: Submit
675 button_save: Save
676 button_save: Save
676 button_check_all: Check all
677 button_check_all: Check all
677 button_uncheck_all: Uncheck all
678 button_uncheck_all: Uncheck all
678 button_delete: Delete
679 button_delete: Delete
679 button_create: Create
680 button_create: Create
680 button_create_and_continue: Create and continue
681 button_create_and_continue: Create and continue
681 button_test: Test
682 button_test: Test
682 button_edit: Edit
683 button_edit: Edit
683 button_add: Add
684 button_add: Add
684 button_change: Change
685 button_change: Change
685 button_apply: Apply
686 button_apply: Apply
686 button_clear: Clear
687 button_clear: Clear
687 button_lock: Lock
688 button_lock: Lock
688 button_unlock: Unlock
689 button_unlock: Unlock
689 button_download: Download
690 button_download: Download
690 button_list: List
691 button_list: List
691 button_view: View
692 button_view: View
692 button_move: Move
693 button_move: Move
693 button_back: Back
694 button_back: Back
694 button_cancel: Cancel
695 button_cancel: Cancel
695 button_activate: Activate
696 button_activate: Activate
696 button_sort: Sort
697 button_sort: Sort
697 button_log_time: Log time
698 button_log_time: Log time
698 button_rollback: Rollback to this version
699 button_rollback: Rollback to this version
699 button_watch: Watch
700 button_watch: Watch
700 button_unwatch: Unwatch
701 button_unwatch: Unwatch
701 button_reply: Reply
702 button_reply: Reply
702 button_archive: Archive
703 button_archive: Archive
703 button_unarchive: Unarchive
704 button_unarchive: Unarchive
704 button_reset: Reset
705 button_reset: Reset
705 button_rename: Rename
706 button_rename: Rename
706 button_change_password: Change password
707 button_change_password: Change password
707 button_copy: Copy
708 button_copy: Copy
708 button_annotate: Annotate
709 button_annotate: Annotate
709 button_update: Update
710 button_update: Update
710 button_configure: Configure
711 button_configure: Configure
711 button_quote: Quote
712 button_quote: Quote
712
713
713 status_active: active
714 status_active: active
714 status_registered: registered
715 status_registered: registered
715 status_locked: locked
716 status_locked: locked
716
717
717 text_select_mail_notifications: Select actions for which email notifications should be sent.
718 text_select_mail_notifications: Select actions for which email notifications should be sent.
718 text_regexp_info: eg. ^[A-Z0-9]+$
719 text_regexp_info: eg. ^[A-Z0-9]+$
719 text_min_max_length_info: 0 means no restriction
720 text_min_max_length_info: 0 means no restriction
720 text_project_destroy_confirmation: Are you sure you want to delete this project and related data ?
721 text_project_destroy_confirmation: Are you sure you want to delete this project and related data ?
721 text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted."
722 text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted."
722 text_workflow_edit: Select a role and a tracker to edit the workflow
723 text_workflow_edit: Select a role and a tracker to edit the workflow
723 text_are_you_sure: Are you sure ?
724 text_are_you_sure: Are you sure ?
724 text_journal_changed: "changed from {{old}} to {{new}}"
725 text_journal_changed: "changed from {{old}} to {{new}}"
725 text_journal_set_to: "set to {{value}}"
726 text_journal_set_to: "set to {{value}}"
726 text_journal_deleted: deleted
727 text_journal_deleted: deleted
727 text_tip_task_begin_day: task beginning this day
728 text_tip_task_begin_day: task beginning this day
728 text_tip_task_end_day: task ending this day
729 text_tip_task_end_day: task ending this day
729 text_tip_task_begin_end_day: task beginning and ending this day
730 text_tip_task_begin_end_day: task beginning and ending this day
730 text_project_identifier_info: 'Only lower case letters (a-z), numbers and dashes are allowed.<br />Once saved, the identifier can not be changed.'
731 text_project_identifier_info: 'Only lower case letters (a-z), numbers and dashes are allowed.<br />Once saved, the identifier can not be changed.'
731 text_caracters_maximum: "{{count}} characters maximum."
732 text_caracters_maximum: "{{count}} characters maximum."
732 text_caracters_minimum: "Must be at least {{count}} characters long."
733 text_caracters_minimum: "Must be at least {{count}} characters long."
733 text_length_between: "Length between {{min}} and {{max}} characters."
734 text_length_between: "Length between {{min}} and {{max}} characters."
734 text_tracker_no_workflow: No workflow defined for this tracker
735 text_tracker_no_workflow: No workflow defined for this tracker
735 text_unallowed_characters: Unallowed characters
736 text_unallowed_characters: Unallowed characters
736 text_comma_separated: Multiple values allowed (comma separated).
737 text_comma_separated: Multiple values allowed (comma separated).
737 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
738 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
738 text_issue_added: "Issue {{id}} has been reported by {{author}}."
739 text_issue_added: "Issue {{id}} has been reported by {{author}}."
739 text_issue_updated: "Issue {{id}} has been updated by {{author}}."
740 text_issue_updated: "Issue {{id}} has been updated by {{author}}."
740 text_wiki_destroy_confirmation: Are you sure you want to delete this wiki and all its content ?
741 text_wiki_destroy_confirmation: Are you sure you want to delete this wiki and all its content ?
741 text_issue_category_destroy_question: "Some issues ({{count}}) are assigned to this category. What do you want to do ?"
742 text_issue_category_destroy_question: "Some issues ({{count}}) are assigned to this category. What do you want to do ?"
742 text_issue_category_destroy_assignments: Remove category assignments
743 text_issue_category_destroy_assignments: Remove category assignments
743 text_issue_category_reassign_to: Reassign issues to this category
744 text_issue_category_reassign_to: Reassign issues to this category
744 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)."
745 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)."
745 text_no_configuration_data: "Roles, trackers, issue statuses and workflow have not been configured yet.\nIt is highly recommended to load the default configuration. You will be able to modify it once loaded."
746 text_no_configuration_data: "Roles, trackers, issue statuses and workflow have not been configured yet.\nIt is highly recommended to load the default configuration. You will be able to modify it once loaded."
746 text_load_default_configuration: Load the default configuration
747 text_load_default_configuration: Load the default configuration
747 text_status_changed_by_changeset: "Applied in changeset {{value}}."
748 text_status_changed_by_changeset: "Applied in changeset {{value}}."
748 text_issues_destroy_confirmation: 'Are you sure you want to delete the selected issue(s) ?'
749 text_issues_destroy_confirmation: 'Are you sure you want to delete the selected issue(s) ?'
749 text_select_project_modules: 'Select modules to enable for this project:'
750 text_select_project_modules: 'Select modules to enable for this project:'
750 text_default_administrator_account_changed: Default administrator account changed
751 text_default_administrator_account_changed: Default administrator account changed
751 text_file_repository_writable: Attachments directory writable
752 text_file_repository_writable: Attachments directory writable
752 text_plugin_assets_writable: Plugin assets directory writable
753 text_plugin_assets_writable: Plugin assets directory writable
753 text_rmagick_available: RMagick available (optional)
754 text_rmagick_available: RMagick available (optional)
754 text_destroy_time_entries_question: "{{hours}} hours were reported on the issues you are about to delete. What do you want to do ?"
755 text_destroy_time_entries_question: "{{hours}} hours were reported on the issues you are about to delete. What do you want to do ?"
755 text_destroy_time_entries: Delete reported hours
756 text_destroy_time_entries: Delete reported hours
756 text_assign_time_entries_to_project: Assign reported hours to the project
757 text_assign_time_entries_to_project: Assign reported hours to the project
757 text_reassign_time_entries: 'Reassign reported hours to this issue:'
758 text_reassign_time_entries: 'Reassign reported hours to this issue:'
758 text_user_wrote: "{{value}} wrote:"
759 text_user_wrote: "{{value}} wrote:"
759 text_enumeration_destroy_question: "{{count}} objects are assigned to this value."
760 text_enumeration_destroy_question: "{{count}} objects are assigned to this value."
760 text_enumeration_category_reassign_to: 'Reassign them to this value:'
761 text_enumeration_category_reassign_to: 'Reassign them to this value:'
761 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
762 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
762 text_repository_usernames_mapping: "Select or update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
763 text_repository_usernames_mapping: "Select or update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
763 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
764 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
764 text_custom_field_possible_values_info: 'One line for each value'
765 text_custom_field_possible_values_info: 'One line for each value'
765 text_wiki_page_destroy_question: "This page has {{descendants}} child page(s) and descendant(s). What do you want to do?"
766 text_wiki_page_destroy_question: "This page has {{descendants}} child page(s) and descendant(s). What do you want to do?"
766 text_wiki_page_nullify_children: "Keep child pages as root pages"
767 text_wiki_page_nullify_children: "Keep child pages as root pages"
767 text_wiki_page_destroy_children: "Delete child pages and all their descendants"
768 text_wiki_page_destroy_children: "Delete child pages and all their descendants"
768 text_wiki_page_reassign_children: "Reassign child pages to this parent page"
769 text_wiki_page_reassign_children: "Reassign child pages to this parent page"
769
770
770 default_role_manager: Manager
771 default_role_manager: Manager
771 default_role_developper: Developer
772 default_role_developper: Developer
772 default_role_reporter: Reporter
773 default_role_reporter: Reporter
773 default_tracker_bug: Bug
774 default_tracker_bug: Bug
774 default_tracker_feature: Feature
775 default_tracker_feature: Feature
775 default_tracker_support: Support
776 default_tracker_support: Support
776 default_issue_status_new: New
777 default_issue_status_new: New
777 default_issue_status_assigned: Assigned
778 default_issue_status_assigned: Assigned
778 default_issue_status_resolved: Resolved
779 default_issue_status_resolved: Resolved
779 default_issue_status_feedback: Feedback
780 default_issue_status_feedback: Feedback
780 default_issue_status_closed: Closed
781 default_issue_status_closed: Closed
781 default_issue_status_rejected: Rejected
782 default_issue_status_rejected: Rejected
782 default_doc_category_user: User documentation
783 default_doc_category_user: User documentation
783 default_doc_category_tech: Technical documentation
784 default_doc_category_tech: Technical documentation
784 default_priority_low: Low
785 default_priority_low: Low
785 default_priority_normal: Normal
786 default_priority_normal: Normal
786 default_priority_high: High
787 default_priority_high: High
787 default_priority_urgent: Urgent
788 default_priority_urgent: Urgent
788 default_priority_immediate: Immediate
789 default_priority_immediate: Immediate
789 default_activity_design: Design
790 default_activity_design: Design
790 default_activity_development: Development
791 default_activity_development: Development
791
792
792 enumeration_issue_priorities: Issue priorities
793 enumeration_issue_priorities: Issue priorities
793 enumeration_doc_categories: Document categories
794 enumeration_doc_categories: Document categories
794 enumeration_activities: Activities (time tracking)
795 enumeration_activities: Activities (time tracking)
@@ -1,844 +1,845
1 # Spanish translations for Rails
1 # Spanish translations for Rails
2 # by Francisco Fernando García Nieto (ffgarcianieto@gmail.com)
2 # by Francisco Fernando García Nieto (ffgarcianieto@gmail.com)
3
3
4 es:
4 es:
5 number:
5 number:
6 # Used in number_with_delimiter()
6 # Used in number_with_delimiter()
7 # These are also the defaults for 'currency', 'percentage', 'precision', and 'human'
7 # These are also the defaults for 'currency', 'percentage', 'precision', and 'human'
8 format:
8 format:
9 # Sets the separator between the units, for more precision (e.g. 1.0 / 2.0 == 0.5)
9 # Sets the separator between the units, for more precision (e.g. 1.0 / 2.0 == 0.5)
10 separator: ","
10 separator: ","
11 # Delimets thousands (e.g. 1,000,000 is a million) (always in groups of three)
11 # Delimets thousands (e.g. 1,000,000 is a million) (always in groups of three)
12 delimiter: "."
12 delimiter: "."
13 # Number of decimals, behind the separator (1 with a precision of 2 gives: 1.00)
13 # Number of decimals, behind the separator (1 with a precision of 2 gives: 1.00)
14 precision: 3
14 precision: 3
15
15
16 # Used in number_to_currency()
16 # Used in number_to_currency()
17 currency:
17 currency:
18 format:
18 format:
19 # Where is the currency sign? %u is the currency unit, %n the number (default: $5.00)
19 # Where is the currency sign? %u is the currency unit, %n the number (default: $5.00)
20 format: "%n %u"
20 format: "%n %u"
21 unit: "€"
21 unit: "€"
22 # These three are to override number.format and are optional
22 # These three are to override number.format and are optional
23 separator: ","
23 separator: ","
24 delimiter: "."
24 delimiter: "."
25 precision: 2
25 precision: 2
26
26
27 # Used in number_to_percentage()
27 # Used in number_to_percentage()
28 percentage:
28 percentage:
29 format:
29 format:
30 # These three are to override number.format and are optional
30 # These three are to override number.format and are optional
31 # separator:
31 # separator:
32 delimiter: ""
32 delimiter: ""
33 # precision:
33 # precision:
34
34
35 # Used in number_to_precision()
35 # Used in number_to_precision()
36 precision:
36 precision:
37 format:
37 format:
38 # These three are to override number.format and are optional
38 # These three are to override number.format and are optional
39 # separator:
39 # separator:
40 delimiter: ""
40 delimiter: ""
41 # precision:
41 # precision:
42
42
43 # Used in number_to_human_size()
43 # Used in number_to_human_size()
44 human:
44 human:
45 format:
45 format:
46 # These three are to override number.format and are optional
46 # These three are to override number.format and are optional
47 # separator:
47 # separator:
48 delimiter: ""
48 delimiter: ""
49 precision: 1
49 precision: 1
50
50
51 # Used in distance_of_time_in_words(), distance_of_time_in_words_to_now(), time_ago_in_words()
51 # Used in distance_of_time_in_words(), distance_of_time_in_words_to_now(), time_ago_in_words()
52 datetime:
52 datetime:
53 distance_in_words:
53 distance_in_words:
54 half_a_minute: "medio minuto"
54 half_a_minute: "medio minuto"
55 less_than_x_seconds:
55 less_than_x_seconds:
56 one: "menos de 1 segundo"
56 one: "menos de 1 segundo"
57 other: "menos de {{count}} segundos"
57 other: "menos de {{count}} segundos"
58 x_seconds:
58 x_seconds:
59 one: "1 segundo"
59 one: "1 segundo"
60 other: "{{count}} segundos"
60 other: "{{count}} segundos"
61 less_than_x_minutes:
61 less_than_x_minutes:
62 one: "menos de 1 minuto"
62 one: "menos de 1 minuto"
63 other: "menos de {{count}} minutos"
63 other: "menos de {{count}} minutos"
64 x_minutes:
64 x_minutes:
65 one: "1 minuto"
65 one: "1 minuto"
66 other: "{{count}} minutos"
66 other: "{{count}} minutos"
67 about_x_hours:
67 about_x_hours:
68 one: "alrededor de 1 hora"
68 one: "alrededor de 1 hora"
69 other: "alrededor de {{count}} horas"
69 other: "alrededor de {{count}} horas"
70 x_days:
70 x_days:
71 one: "1 día"
71 one: "1 día"
72 other: "{{count}} días"
72 other: "{{count}} días"
73 about_x_months:
73 about_x_months:
74 one: "alrededor de 1 mes"
74 one: "alrededor de 1 mes"
75 other: "alrededor de {{count}} meses"
75 other: "alrededor de {{count}} meses"
76 x_months:
76 x_months:
77 one: "1 mes"
77 one: "1 mes"
78 other: "{{count}} meses"
78 other: "{{count}} meses"
79 about_x_years:
79 about_x_years:
80 one: "alrededor de 1 año"
80 one: "alrededor de 1 año"
81 other: "alrededor de {{count}} años"
81 other: "alrededor de {{count}} años"
82 over_x_years:
82 over_x_years:
83 one: "más de 1 año"
83 one: "más de 1 año"
84 other: "más de {{count}} años"
84 other: "más de {{count}} años"
85
85
86 activerecord:
86 activerecord:
87 errors:
87 errors:
88 template:
88 template:
89 header:
89 header:
90 one: "no se pudo guardar este {{model}} porque se encontró 1 error"
90 one: "no se pudo guardar este {{model}} porque se encontró 1 error"
91 other: "no se pudo guardar este {{model}} porque se encontraron {{count}} errores"
91 other: "no se pudo guardar este {{model}} porque se encontraron {{count}} errores"
92 # The variable :count is also available
92 # The variable :count is also available
93 body: "Se encontraron problemas con los siguientes campos:"
93 body: "Se encontraron problemas con los siguientes campos:"
94
94
95 # The values :model, :attribute and :value are always available for interpolation
95 # The values :model, :attribute and :value are always available for interpolation
96 # The value :count is available when applicable. Can be used for pluralization.
96 # The value :count is available when applicable. Can be used for pluralization.
97 messages:
97 messages:
98 inclusion: "no está incluido en la lista"
98 inclusion: "no está incluido en la lista"
99 exclusion: "está reservado"
99 exclusion: "está reservado"
100 invalid: "no es válido"
100 invalid: "no es válido"
101 confirmation: "no coincide con la confirmación"
101 confirmation: "no coincide con la confirmación"
102 accepted: "debe ser aceptado"
102 accepted: "debe ser aceptado"
103 empty: "no puede estar vacío"
103 empty: "no puede estar vacío"
104 blank: "no puede estar en blanco"
104 blank: "no puede estar en blanco"
105 too_long: "es demasiado largo ({{count}} caracteres máximo)"
105 too_long: "es demasiado largo ({{count}} caracteres máximo)"
106 too_short: "es demasiado corto ({{count}} caracteres mínimo)"
106 too_short: "es demasiado corto ({{count}} caracteres mínimo)"
107 wrong_length: "no tiene la longitud correcta ({{count}} caracteres exactos)"
107 wrong_length: "no tiene la longitud correcta ({{count}} caracteres exactos)"
108 taken: "ya está en uso"
108 taken: "ya está en uso"
109 not_a_number: "no es un número"
109 not_a_number: "no es un número"
110 greater_than: "debe ser mayor que {{count}}"
110 greater_than: "debe ser mayor que {{count}}"
111 greater_than_or_equal_to: "debe ser mayor que o igual a {{count}}"
111 greater_than_or_equal_to: "debe ser mayor que o igual a {{count}}"
112 equal_to: "debe ser igual a {{count}}"
112 equal_to: "debe ser igual a {{count}}"
113 less_than: "debe ser menor que {{count}}"
113 less_than: "debe ser menor que {{count}}"
114 less_than_or_equal_to: "debe ser menor que o igual a {{count}}"
114 less_than_or_equal_to: "debe ser menor que o igual a {{count}}"
115 odd: "debe ser impar"
115 odd: "debe ser impar"
116 even: "debe ser par"
116 even: "debe ser par"
117 greater_than_start_date: "debe ser posterior a la fecha de comienzo"
117 greater_than_start_date: "debe ser posterior a la fecha de comienzo"
118 not_same_project: "no pertenece al mismo proyecto"
118 not_same_project: "no pertenece al mismo proyecto"
119 circular_dependency: "Esta relación podría crear una dependencia circular"
119 circular_dependency: "Esta relación podría crear una dependencia circular"
120
120
121 # Append your own errors here or at the model/attributes scope.
121 # Append your own errors here or at the model/attributes scope.
122
122
123 models:
123 models:
124 # Overrides default messages
124 # Overrides default messages
125
125
126 attributes:
126 attributes:
127 # Overrides model and default messages.
127 # Overrides model and default messages.
128
128
129 date:
129 date:
130 formats:
130 formats:
131 # Use the strftime parameters for formats.
131 # Use the strftime parameters for formats.
132 # When no format has been given, it uses default.
132 # When no format has been given, it uses default.
133 # You can provide other formats here if you like!
133 # You can provide other formats here if you like!
134 default: "%Y-%m-%d"
134 default: "%Y-%m-%d"
135 short: "%d de %b"
135 short: "%d de %b"
136 long: "%d de %B de %Y"
136 long: "%d de %B de %Y"
137
137
138 day_names: [Domingo, Lunes, Martes, Miércoles, Jueves, Viernes, Sábado]
138 day_names: [Domingo, Lunes, Martes, Miércoles, Jueves, Viernes, Sábado]
139 abbr_day_names: [Dom, Lun, Mar, Mie, Jue, Vie, Sab]
139 abbr_day_names: [Dom, Lun, Mar, Mie, Jue, Vie, Sab]
140
140
141 # Don't forget the nil at the beginning; there's no such thing as a 0th month
141 # Don't forget the nil at the beginning; there's no such thing as a 0th month
142 month_names: [~, Enero, Febrero, Marzo, Abril, Mayo, Junio, Julio, Agosto, Setiembre, Octubre, Noviembre, Diciembre]
142 month_names: [~, Enero, Febrero, Marzo, Abril, Mayo, Junio, Julio, Agosto, Setiembre, Octubre, Noviembre, Diciembre]
143 abbr_month_names: [~, Ene, Feb, Mar, Abr, May, Jun, Jul, Ago, Set, Oct, Nov, Dic]
143 abbr_month_names: [~, Ene, Feb, Mar, Abr, May, Jun, Jul, Ago, Set, Oct, Nov, Dic]
144 # Used in date_select and datime_select.
144 # Used in date_select and datime_select.
145 order: [ :year, :month, :day ]
145 order: [ :year, :month, :day ]
146
146
147 time:
147 time:
148 formats:
148 formats:
149 default: "%A, %d de %B de %Y %H:%M:%S %z"
149 default: "%A, %d de %B de %Y %H:%M:%S %z"
150 time: "%H:%M"
150 time: "%H:%M"
151 short: "%d de %b %H:%M"
151 short: "%d de %b %H:%M"
152 long: "%d de %B de %Y %H:%M"
152 long: "%d de %B de %Y %H:%M"
153 am: "am"
153 am: "am"
154 pm: "pm"
154 pm: "pm"
155
155
156 # Used in array.to_sentence.
156 # Used in array.to_sentence.
157 support:
157 support:
158 array:
158 array:
159 sentence_connector: "y"
159 sentence_connector: "y"
160
160
161 actionview_instancetag_blank_option: Por favor seleccione
161 actionview_instancetag_blank_option: Por favor seleccione
162
162
163 button_activate: Activar
163 button_activate: Activar
164 button_add: Añadir
164 button_add: Añadir
165 button_annotate: Anotar
165 button_annotate: Anotar
166 button_apply: Aceptar
166 button_apply: Aceptar
167 button_archive: Archivar
167 button_archive: Archivar
168 button_back: Atrás
168 button_back: Atrás
169 button_cancel: Cancelar
169 button_cancel: Cancelar
170 button_change: Cambiar
170 button_change: Cambiar
171 button_change_password: Cambiar contraseña
171 button_change_password: Cambiar contraseña
172 button_check_all: Seleccionar todo
172 button_check_all: Seleccionar todo
173 button_clear: Anular
173 button_clear: Anular
174 button_configure: Configurar
174 button_configure: Configurar
175 button_copy: Copiar
175 button_copy: Copiar
176 button_create: Crear
176 button_create: Crear
177 button_delete: Borrar
177 button_delete: Borrar
178 button_download: Descargar
178 button_download: Descargar
179 button_edit: Modificar
179 button_edit: Modificar
180 button_list: Listar
180 button_list: Listar
181 button_lock: Bloquear
181 button_lock: Bloquear
182 button_log_time: Tiempo dedicado
182 button_log_time: Tiempo dedicado
183 button_login: Conexión
183 button_login: Conexión
184 button_move: Mover
184 button_move: Mover
185 button_quote: Citar
185 button_quote: Citar
186 button_rename: Renombrar
186 button_rename: Renombrar
187 button_reply: Responder
187 button_reply: Responder
188 button_reset: Reestablecer
188 button_reset: Reestablecer
189 button_rollback: Volver a esta versión
189 button_rollback: Volver a esta versión
190 button_save: Guardar
190 button_save: Guardar
191 button_sort: Ordenar
191 button_sort: Ordenar
192 button_submit: Aceptar
192 button_submit: Aceptar
193 button_test: Probar
193 button_test: Probar
194 button_unarchive: Desarchivar
194 button_unarchive: Desarchivar
195 button_uncheck_all: No seleccionar nada
195 button_uncheck_all: No seleccionar nada
196 button_unlock: Desbloquear
196 button_unlock: Desbloquear
197 button_unwatch: No monitorizar
197 button_unwatch: No monitorizar
198 button_update: Actualizar
198 button_update: Actualizar
199 button_view: Ver
199 button_view: Ver
200 button_watch: Monitorizar
200 button_watch: Monitorizar
201 default_activity_design: Diseño
201 default_activity_design: Diseño
202 default_activity_development: Desarrollo
202 default_activity_development: Desarrollo
203 default_doc_category_tech: Documentación técnica
203 default_doc_category_tech: Documentación técnica
204 default_doc_category_user: Documentación de usuario
204 default_doc_category_user: Documentación de usuario
205 default_issue_status_assigned: Asignada
205 default_issue_status_assigned: Asignada
206 default_issue_status_closed: Cerrada
206 default_issue_status_closed: Cerrada
207 default_issue_status_feedback: Comentarios
207 default_issue_status_feedback: Comentarios
208 default_issue_status_new: Nueva
208 default_issue_status_new: Nueva
209 default_issue_status_rejected: Rechazada
209 default_issue_status_rejected: Rechazada
210 default_issue_status_resolved: Resuelta
210 default_issue_status_resolved: Resuelta
211 default_priority_high: Alta
211 default_priority_high: Alta
212 default_priority_immediate: Inmediata
212 default_priority_immediate: Inmediata
213 default_priority_low: Baja
213 default_priority_low: Baja
214 default_priority_normal: Normal
214 default_priority_normal: Normal
215 default_priority_urgent: Urgente
215 default_priority_urgent: Urgente
216 default_role_developper: Desarrollador
216 default_role_developper: Desarrollador
217 default_role_manager: Jefe de proyecto
217 default_role_manager: Jefe de proyecto
218 default_role_reporter: Informador
218 default_role_reporter: Informador
219 default_tracker_bug: Errores
219 default_tracker_bug: Errores
220 default_tracker_feature: Tareas
220 default_tracker_feature: Tareas
221 default_tracker_support: Soporte
221 default_tracker_support: Soporte
222 enumeration_activities: Actividades (tiempo dedicado)
222 enumeration_activities: Actividades (tiempo dedicado)
223 enumeration_doc_categories: Categorías del documento
223 enumeration_doc_categories: Categorías del documento
224 enumeration_issue_priorities: Prioridad de las peticiones
224 enumeration_issue_priorities: Prioridad de las peticiones
225 error_can_t_load_default_data: "No se ha podido cargar la configuración por defecto: {{value}}"
225 error_can_t_load_default_data: "No se ha podido cargar la configuración por defecto: {{value}}"
226 error_issue_not_found_in_project: 'La petición no se encuentra o no está asociada a este proyecto'
226 error_issue_not_found_in_project: 'La petición no se encuentra o no está asociada a este proyecto'
227 error_scm_annotate: "No existe la entrada o no ha podido ser anotada"
227 error_scm_annotate: "No existe la entrada o no ha podido ser anotada"
228 error_scm_command_failed: "Se produjo un error al acceder al repositorio: {{value}}"
228 error_scm_command_failed: "Se produjo un error al acceder al repositorio: {{value}}"
229 error_scm_not_found: "La entrada y/o la revisión no existe en el repositorio."
229 error_scm_not_found: "La entrada y/o la revisión no existe en el repositorio."
230 field_account: Cuenta
230 field_account: Cuenta
231 field_activity: Actividad
231 field_activity: Actividad
232 field_admin: Administrador
232 field_admin: Administrador
233 field_assignable: Se pueden asignar peticiones a este perfil
233 field_assignable: Se pueden asignar peticiones a este perfil
234 field_assigned_to: Asignado a
234 field_assigned_to: Asignado a
235 field_attr_firstname: Cualidad del nombre
235 field_attr_firstname: Cualidad del nombre
236 field_attr_lastname: Cualidad del apellido
236 field_attr_lastname: Cualidad del apellido
237 field_attr_login: Cualidad del identificador
237 field_attr_login: Cualidad del identificador
238 field_attr_mail: Cualidad del Email
238 field_attr_mail: Cualidad del Email
239 field_auth_source: Modo de identificación
239 field_auth_source: Modo de identificación
240 field_author: Autor
240 field_author: Autor
241 field_base_dn: DN base
241 field_base_dn: DN base
242 field_category: Categoría
242 field_category: Categoría
243 field_column_names: Columnas
243 field_column_names: Columnas
244 field_comments: Comentario
244 field_comments: Comentario
245 field_comments_sorting: Mostrar comentarios
245 field_comments_sorting: Mostrar comentarios
246 field_created_on: Creado
246 field_created_on: Creado
247 field_default_value: Estado por defecto
247 field_default_value: Estado por defecto
248 field_delay: Retraso
248 field_delay: Retraso
249 field_description: Descripción
249 field_description: Descripción
250 field_done_ratio: % Realizado
250 field_done_ratio: % Realizado
251 field_downloads: Descargas
251 field_downloads: Descargas
252 field_due_date: Fecha fin
252 field_due_date: Fecha fin
253 field_effective_date: Fecha
253 field_effective_date: Fecha
254 field_estimated_hours: Tiempo estimado
254 field_estimated_hours: Tiempo estimado
255 field_field_format: Formato
255 field_field_format: Formato
256 field_filename: Fichero
256 field_filename: Fichero
257 field_filesize: Tamaño
257 field_filesize: Tamaño
258 field_firstname: Nombre
258 field_firstname: Nombre
259 field_fixed_version: Versión prevista
259 field_fixed_version: Versión prevista
260 field_hide_mail: Ocultar mi dirección de correo
260 field_hide_mail: Ocultar mi dirección de correo
261 field_homepage: Sitio web
261 field_homepage: Sitio web
262 field_host: Anfitrión
262 field_host: Anfitrión
263 field_hours: Horas
263 field_hours: Horas
264 field_identifier: Identificador
264 field_identifier: Identificador
265 field_is_closed: Petición resuelta
265 field_is_closed: Petición resuelta
266 field_is_default: Estado por defecto
266 field_is_default: Estado por defecto
267 field_is_filter: Usado como filtro
267 field_is_filter: Usado como filtro
268 field_is_for_all: Para todos los proyectos
268 field_is_for_all: Para todos los proyectos
269 field_is_in_chlog: Consultar las peticiones en el histórico
269 field_is_in_chlog: Consultar las peticiones en el histórico
270 field_is_in_roadmap: Consultar las peticiones en la planificación
270 field_is_in_roadmap: Consultar las peticiones en la planificación
271 field_is_public: Público
271 field_is_public: Público
272 field_is_required: Obligatorio
272 field_is_required: Obligatorio
273 field_issue: Petición
273 field_issue: Petición
274 field_issue_to_id: Petición relacionada
274 field_issue_to_id: Petición relacionada
275 field_language: Idioma
275 field_language: Idioma
276 field_last_login_on: Última conexión
276 field_last_login_on: Última conexión
277 field_lastname: Apellido
277 field_lastname: Apellido
278 field_login: Identificador
278 field_login: Identificador
279 field_mail: Correo electrónico
279 field_mail: Correo electrónico
280 field_mail_notification: Notificaciones por correo
280 field_mail_notification: Notificaciones por correo
281 field_max_length: Longitud máxima
281 field_max_length: Longitud máxima
282 field_min_length: Longitud mínima
282 field_min_length: Longitud mínima
283 field_name: Nombre
283 field_name: Nombre
284 field_new_password: Nueva contraseña
284 field_new_password: Nueva contraseña
285 field_notes: Notas
285 field_notes: Notas
286 field_onthefly: Creación del usuario "al vuelo"
286 field_onthefly: Creación del usuario "al vuelo"
287 field_parent: Proyecto padre
287 field_parent: Proyecto padre
288 field_parent_title: Página padre
288 field_parent_title: Página padre
289 field_password: Contraseña
289 field_password: Contraseña
290 field_password_confirmation: Confirmación
290 field_password_confirmation: Confirmación
291 field_port: Puerto
291 field_port: Puerto
292 field_possible_values: Valores posibles
292 field_possible_values: Valores posibles
293 field_priority: Prioridad
293 field_priority: Prioridad
294 field_project: Proyecto
294 field_project: Proyecto
295 field_redirect_existing_links: Redireccionar enlaces existentes
295 field_redirect_existing_links: Redireccionar enlaces existentes
296 field_regexp: Expresión regular
296 field_regexp: Expresión regular
297 field_role: Perfil
297 field_role: Perfil
298 field_searchable: Incluir en las búsquedas
298 field_searchable: Incluir en las búsquedas
299 field_spent_on: Fecha
299 field_spent_on: Fecha
300 field_start_date: Fecha de inicio
300 field_start_date: Fecha de inicio
301 field_start_page: Página principal
301 field_start_page: Página principal
302 field_status: Estado
302 field_status: Estado
303 field_subject: Tema
303 field_subject: Tema
304 field_subproject: Proyecto secundario
304 field_subproject: Proyecto secundario
305 field_summary: Resumen
305 field_summary: Resumen
306 field_time_zone: Zona horaria
306 field_time_zone: Zona horaria
307 field_title: Título
307 field_title: Título
308 field_tracker: Tipo
308 field_tracker: Tipo
309 field_type: Tipo
309 field_type: Tipo
310 field_updated_on: Actualizado
310 field_updated_on: Actualizado
311 field_url: URL
311 field_url: URL
312 field_user: Usuario
312 field_user: Usuario
313 field_value: Valor
313 field_value: Valor
314 field_version: Versión
314 field_version: Versión
315 general_csv_decimal_separator: ','
315 general_csv_decimal_separator: ','
316 general_csv_encoding: ISO-8859-15
316 general_csv_encoding: ISO-8859-15
317 general_csv_separator: ';'
317 general_csv_separator: ';'
318 general_first_day_of_week: '1'
318 general_first_day_of_week: '1'
319 general_lang_name: 'Español'
319 general_lang_name: 'Español'
320 general_pdf_encoding: ISO-8859-15
320 general_pdf_encoding: ISO-8859-15
321 general_text_No: 'No'
321 general_text_No: 'No'
322 general_text_Yes: 'Sí'
322 general_text_Yes: 'Sí'
323 general_text_no: 'no'
323 general_text_no: 'no'
324 general_text_yes: 'sí'
324 general_text_yes: 'sí'
325 gui_validation_error: 1 error
325 gui_validation_error: 1 error
326 gui_validation_error_plural: "{{count}} errores"
326 gui_validation_error_plural: "{{count}} errores"
327 label_activity: Actividad
327 label_activity: Actividad
328 label_add_another_file: Añadir otro fichero
328 label_add_another_file: Añadir otro fichero
329 label_add_note: Añadir una nota
329 label_add_note: Añadir una nota
330 label_added: añadido
330 label_added: añadido
331 label_added_time_by: "Añadido por {{author}} hace {{age}}"
331 label_added_time_by: "Añadido por {{author}} hace {{age}}"
332 label_administration: Administración
332 label_administration: Administración
333 label_age: Edad
333 label_age: Edad
334 label_ago: hace
334 label_ago: hace
335 label_all: todos
335 label_all: todos
336 label_all_time: todo el tiempo
336 label_all_time: todo el tiempo
337 label_all_words: Todas las palabras
337 label_all_words: Todas las palabras
338 label_and_its_subprojects: "{{value}} y proyectos secundarios"
338 label_and_its_subprojects: "{{value}} y proyectos secundarios"
339 label_applied_status: Aplicar estado
339 label_applied_status: Aplicar estado
340 label_assigned_to_me_issues: Peticiones que me están asignadas
340 label_assigned_to_me_issues: Peticiones que me están asignadas
341 label_associated_revisions: Revisiones asociadas
341 label_associated_revisions: Revisiones asociadas
342 label_attachment: Fichero
342 label_attachment: Fichero
343 label_attachment_delete: Borrar el fichero
343 label_attachment_delete: Borrar el fichero
344 label_attachment_new: Nuevo fichero
344 label_attachment_new: Nuevo fichero
345 label_attachment_plural: Ficheros
345 label_attachment_plural: Ficheros
346 label_attribute: Cualidad
346 label_attribute: Cualidad
347 label_attribute_plural: Cualidades
347 label_attribute_plural: Cualidades
348 label_auth_source: Modo de autenticación
348 label_auth_source: Modo de autenticación
349 label_auth_source_new: Nuevo modo de autenticación
349 label_auth_source_new: Nuevo modo de autenticación
350 label_auth_source_plural: Modos de autenticación
350 label_auth_source_plural: Modos de autenticación
351 label_authentication: Autenticación
351 label_authentication: Autenticación
352 label_blocked_by: bloqueado por
352 label_blocked_by: bloqueado por
353 label_blocks: bloquea a
353 label_blocks: bloquea a
354 label_board: Foro
354 label_board: Foro
355 label_board_new: Nuevo foro
355 label_board_new: Nuevo foro
356 label_board_plural: Foros
356 label_board_plural: Foros
357 label_boolean: Booleano
357 label_boolean: Booleano
358 label_browse: Hojear
358 label_browse: Hojear
359 label_bulk_edit_selected_issues: Editar las peticiones seleccionadas
359 label_bulk_edit_selected_issues: Editar las peticiones seleccionadas
360 label_calendar: Calendario
360 label_calendar: Calendario
361 label_change_log: Cambios
361 label_change_log: Cambios
362 label_change_plural: Cambios
362 label_change_plural: Cambios
363 label_change_properties: Cambiar propiedades
363 label_change_properties: Cambiar propiedades
364 label_change_status: Cambiar el estado
364 label_change_status: Cambiar el estado
365 label_change_view_all: Ver todos los cambios
365 label_change_view_all: Ver todos los cambios
366 label_changes_details: Detalles de todos los cambios
366 label_changes_details: Detalles de todos los cambios
367 label_changeset_plural: Cambios
367 label_changeset_plural: Cambios
368 label_chronological_order: En orden cronológico
368 label_chronological_order: En orden cronológico
369 label_closed_issues: cerrada
369 label_closed_issues: cerrada
370 label_closed_issues_plural: cerradas
370 label_closed_issues_plural: cerradas
371 label_x_open_issues_abbr_on_total:
371 label_x_open_issues_abbr_on_total:
372 zero: 0 open / {{total}}
372 zero: 0 open / {{total}}
373 one: 1 open / {{total}}
373 one: 1 open / {{total}}
374 other: "{{count}} open / {{total}}"
374 other: "{{count}} open / {{total}}"
375 label_x_open_issues_abbr:
375 label_x_open_issues_abbr:
376 zero: 0 open
376 zero: 0 open
377 one: 1 open
377 one: 1 open
378 other: "{{count}} open"
378 other: "{{count}} open"
379 label_x_closed_issues_abbr:
379 label_x_closed_issues_abbr:
380 zero: 0 closed
380 zero: 0 closed
381 one: 1 closed
381 one: 1 closed
382 other: "{{count}} closed"
382 other: "{{count}} closed"
383 label_comment: Comentario
383 label_comment: Comentario
384 label_comment_add: Añadir un comentario
384 label_comment_add: Añadir un comentario
385 label_comment_added: Comentario añadido
385 label_comment_added: Comentario añadido
386 label_comment_delete: Borrar comentarios
386 label_comment_delete: Borrar comentarios
387 label_comment_plural: Comentarios
387 label_comment_plural: Comentarios
388 label_x_comments:
388 label_x_comments:
389 zero: no comments
389 zero: no comments
390 one: 1 comment
390 one: 1 comment
391 other: "{{count}} comments"
391 other: "{{count}} comments"
392 label_commits_per_author: Commits por autor
392 label_commits_per_author: Commits por autor
393 label_commits_per_month: Commits por mes
393 label_commits_per_month: Commits por mes
394 label_confirmation: Confirmación
394 label_confirmation: Confirmación
395 label_contains: contiene
395 label_contains: contiene
396 label_copied: copiado
396 label_copied: copiado
397 label_copy_workflow_from: Copiar flujo de trabajo desde
397 label_copy_workflow_from: Copiar flujo de trabajo desde
398 label_current_status: Estado actual
398 label_current_status: Estado actual
399 label_current_version: Versión actual
399 label_current_version: Versión actual
400 label_custom_field: Campo personalizado
400 label_custom_field: Campo personalizado
401 label_custom_field_new: Nuevo campo personalizado
401 label_custom_field_new: Nuevo campo personalizado
402 label_custom_field_plural: Campos personalizados
402 label_custom_field_plural: Campos personalizados
403 label_date: Fecha
403 label_date: Fecha
404 label_date_from: Desde
404 label_date_from: Desde
405 label_date_range: Rango de fechas
405 label_date_range: Rango de fechas
406 label_date_to: Hasta
406 label_date_to: Hasta
407 label_day_plural: días
407 label_day_plural: días
408 label_default: Por defecto
408 label_default: Por defecto
409 label_default_columns: Columnas por defecto
409 label_default_columns: Columnas por defecto
410 label_deleted: suprimido
410 label_deleted: suprimido
411 label_details: Detalles
411 label_details: Detalles
412 label_diff_inline: en línea
412 label_diff_inline: en línea
413 label_diff_side_by_side: cara a cara
413 label_diff_side_by_side: cara a cara
414 label_disabled: deshabilitado
414 label_disabled: deshabilitado
415 label_display_per_page: "Por página: {{value}}"
415 label_display_per_page: "Por página: {{value}}"
416 label_document: Documento
416 label_document: Documento
417 label_document_added: Documento añadido
417 label_document_added: Documento añadido
418 label_document_new: Nuevo documento
418 label_document_new: Nuevo documento
419 label_document_plural: Documentos
419 label_document_plural: Documentos
420 label_download: "{{count}} Descarga"
420 label_download: "{{count}} Descarga"
421 label_download_plural: "{{count}} Descargas"
421 label_download_plural: "{{count}} Descargas"
422 label_downloads_abbr: D/L
422 label_downloads_abbr: D/L
423 label_duplicated_by: duplicada por
423 label_duplicated_by: duplicada por
424 label_duplicates: duplicada de
424 label_duplicates: duplicada de
425 label_end_to_end: fin a fin
425 label_end_to_end: fin a fin
426 label_end_to_start: fin a principio
426 label_end_to_start: fin a principio
427 label_enumeration_new: Nuevo valor
427 label_enumeration_new: Nuevo valor
428 label_enumerations: Listas de valores
428 label_enumerations: Listas de valores
429 label_environment: Entorno
429 label_environment: Entorno
430 label_equals: igual
430 label_equals: igual
431 label_example: Ejemplo
431 label_example: Ejemplo
432 label_export_to: 'Exportar a:'
432 label_export_to: 'Exportar a:'
433 label_f_hour: "{{value}} hora"
433 label_f_hour: "{{value}} hora"
434 label_f_hour_plural: "{{value}} horas"
434 label_f_hour_plural: "{{value}} horas"
435 label_feed_plural: Feeds
435 label_feed_plural: Feeds
436 label_feeds_access_key_created_on: "Clave de acceso por RSS creada hace {{value}}"
436 label_feeds_access_key_created_on: "Clave de acceso por RSS creada hace {{value}}"
437 label_file_added: Fichero añadido
437 label_file_added: Fichero añadido
438 label_file_plural: Archivos
438 label_file_plural: Archivos
439 label_filter_add: Añadir el filtro
439 label_filter_add: Añadir el filtro
440 label_filter_plural: Filtros
440 label_filter_plural: Filtros
441 label_float: Flotante
441 label_float: Flotante
442 label_follows: posterior a
442 label_follows: posterior a
443 label_gantt: Gantt
443 label_gantt: Gantt
444 label_general: General
444 label_general: General
445 label_generate_key: Generar clave
445 label_generate_key: Generar clave
446 label_help: Ayuda
446 label_help: Ayuda
447 label_history: Histórico
447 label_history: Histórico
448 label_home: Inicio
448 label_home: Inicio
449 label_in: en
449 label_in: en
450 label_in_less_than: en menos que
450 label_in_less_than: en menos que
451 label_in_more_than: en más que
451 label_in_more_than: en más que
452 label_incoming_emails: Correos entrantes
452 label_incoming_emails: Correos entrantes
453 label_index_by_date: Índice por fecha
453 label_index_by_date: Índice por fecha
454 label_index_by_title: Índice por título
454 label_index_by_title: Índice por título
455 label_information: Información
455 label_information: Información
456 label_information_plural: Información
456 label_information_plural: Información
457 label_integer: Número
457 label_integer: Número
458 label_internal: Interno
458 label_internal: Interno
459 label_issue: Petición
459 label_issue: Petición
460 label_issue_added: Petición añadida
460 label_issue_added: Petición añadida
461 label_issue_category: Categoría de las peticiones
461 label_issue_category: Categoría de las peticiones
462 label_issue_category_new: Nueva categoría
462 label_issue_category_new: Nueva categoría
463 label_issue_category_plural: Categorías de las peticiones
463 label_issue_category_plural: Categorías de las peticiones
464 label_issue_new: Nueva petición
464 label_issue_new: Nueva petición
465 label_issue_plural: Peticiones
465 label_issue_plural: Peticiones
466 label_issue_status: Estado de la petición
466 label_issue_status: Estado de la petición
467 label_issue_status_new: Nuevo estado
467 label_issue_status_new: Nuevo estado
468 label_issue_status_plural: Estados de las peticiones
468 label_issue_status_plural: Estados de las peticiones
469 label_issue_tracking: Peticiones
469 label_issue_tracking: Peticiones
470 label_issue_updated: Petición actualizada
470 label_issue_updated: Petición actualizada
471 label_issue_view_all: Ver todas las peticiones
471 label_issue_view_all: Ver todas las peticiones
472 label_issue_watchers: Seguidores
472 label_issue_watchers: Seguidores
473 label_issues_by: "Peticiones por {{value}}"
473 label_issues_by: "Peticiones por {{value}}"
474 label_jump_to_a_project: Ir al proyecto...
474 label_jump_to_a_project: Ir al proyecto...
475 label_language_based: Basado en el idioma
475 label_language_based: Basado en el idioma
476 label_last_changes: "últimos {{count}} cambios"
476 label_last_changes: "últimos {{count}} cambios"
477 label_last_login: Última conexión
477 label_last_login: Última conexión
478 label_last_month: último mes
478 label_last_month: último mes
479 label_last_n_days: "últimos {{count}} días"
479 label_last_n_days: "últimos {{count}} días"
480 label_last_week: última semana
480 label_last_week: última semana
481 label_latest_revision: Última revisión
481 label_latest_revision: Última revisión
482 label_latest_revision_plural: Últimas revisiones
482 label_latest_revision_plural: Últimas revisiones
483 label_ldap_authentication: Autenticación LDAP
483 label_ldap_authentication: Autenticación LDAP
484 label_less_than_ago: hace menos de
484 label_less_than_ago: hace menos de
485 label_list: Lista
485 label_list: Lista
486 label_loading: Cargando...
486 label_loading: Cargando...
487 label_logged_as: Conectado como
487 label_logged_as: Conectado como
488 label_login: Conexión
488 label_login: Conexión
489 label_logout: Desconexión
489 label_logout: Desconexión
490 label_max_size: Tamaño máximo
490 label_max_size: Tamaño máximo
491 label_me: yo mismo
491 label_me: yo mismo
492 label_member: Miembro
492 label_member: Miembro
493 label_member_new: Nuevo miembro
493 label_member_new: Nuevo miembro
494 label_member_plural: Miembros
494 label_member_plural: Miembros
495 label_message_last: Último mensaje
495 label_message_last: Último mensaje
496 label_message_new: Nuevo mensaje
496 label_message_new: Nuevo mensaje
497 label_message_plural: Mensajes
497 label_message_plural: Mensajes
498 label_message_posted: Mensaje añadido
498 label_message_posted: Mensaje añadido
499 label_min_max_length: Longitud mín - máx
499 label_min_max_length: Longitud mín - máx
500 label_modification: "{{count}} modificación"
500 label_modification: "{{count}} modificación"
501 label_modification_plural: "{{count}} modificaciones"
501 label_modification_plural: "{{count}} modificaciones"
502 label_modified: modificado
502 label_modified: modificado
503 label_module_plural: Módulos
503 label_module_plural: Módulos
504 label_month: Mes
504 label_month: Mes
505 label_months_from: meses de
505 label_months_from: meses de
506 label_more: Más
506 label_more: Más
507 label_more_than_ago: hace más de
507 label_more_than_ago: hace más de
508 label_my_account: Mi cuenta
508 label_my_account: Mi cuenta
509 label_my_page: Mi página
509 label_my_page: Mi página
510 label_my_projects: Mis proyectos
510 label_my_projects: Mis proyectos
511 label_new: Nuevo
511 label_new: Nuevo
512 label_new_statuses_allowed: Nuevos estados autorizados
512 label_new_statuses_allowed: Nuevos estados autorizados
513 label_news: Noticia
513 label_news: Noticia
514 label_news_added: Noticia añadida
514 label_news_added: Noticia añadida
515 label_news_latest: Últimas noticias
515 label_news_latest: Últimas noticias
516 label_news_new: Nueva noticia
516 label_news_new: Nueva noticia
517 label_news_plural: Noticias
517 label_news_plural: Noticias
518 label_news_view_all: Ver todas las noticias
518 label_news_view_all: Ver todas las noticias
519 label_next: Siguiente
519 label_next: Siguiente
520 label_no_change_option: (Sin cambios)
520 label_no_change_option: (Sin cambios)
521 label_no_data: Ningún dato a mostrar
521 label_no_data: Ningún dato a mostrar
522 label_nobody: nadie
522 label_nobody: nadie
523 label_none: ninguno
523 label_none: ninguno
524 label_not_contains: no contiene
524 label_not_contains: no contiene
525 label_not_equals: no igual
525 label_not_equals: no igual
526 label_open_issues: abierta
526 label_open_issues: abierta
527 label_open_issues_plural: abiertas
527 label_open_issues_plural: abiertas
528 label_optional_description: Descripción opcional
528 label_optional_description: Descripción opcional
529 label_options: Opciones
529 label_options: Opciones
530 label_overall_activity: Actividad global
530 label_overall_activity: Actividad global
531 label_overview: Vistazo
531 label_overview: Vistazo
532 label_password_lost: ¿Olvidaste la contraseña?
532 label_password_lost: ¿Olvidaste la contraseña?
533 label_per_page: Por página
533 label_per_page: Por página
534 label_permissions: Permisos
534 label_permissions: Permisos
535 label_permissions_report: Informe de permisos
535 label_permissions_report: Informe de permisos
536 label_personalize_page: Personalizar esta página
536 label_personalize_page: Personalizar esta página
537 label_planning: Planificación
537 label_planning: Planificación
538 label_please_login: Conexión
538 label_please_login: Conexión
539 label_plugins: Extensiones
539 label_plugins: Extensiones
540 label_precedes: anterior a
540 label_precedes: anterior a
541 label_preferences: Preferencias
541 label_preferences: Preferencias
542 label_preview: Previsualizar
542 label_preview: Previsualizar
543 label_previous: Anterior
543 label_previous: Anterior
544 label_project: Proyecto
544 label_project: Proyecto
545 label_project_all: Todos los proyectos
545 label_project_all: Todos los proyectos
546 label_project_latest: Últimos proyectos
546 label_project_latest: Últimos proyectos
547 label_project_new: Nuevo proyecto
547 label_project_new: Nuevo proyecto
548 label_project_plural: Proyectos
548 label_project_plural: Proyectos
549 label_x_projects:
549 label_x_projects:
550 zero: no projects
550 zero: no projects
551 one: 1 project
551 one: 1 project
552 other: "{{count}} projects"
552 other: "{{count}} projects"
553 label_public_projects: Proyectos públicos
553 label_public_projects: Proyectos públicos
554 label_query: Consulta personalizada
554 label_query: Consulta personalizada
555 label_query_new: Nueva consulta
555 label_query_new: Nueva consulta
556 label_query_plural: Consultas personalizadas
556 label_query_plural: Consultas personalizadas
557 label_read: Leer...
557 label_read: Leer...
558 label_register: Registrar
558 label_register: Registrar
559 label_registered_on: Inscrito el
559 label_registered_on: Inscrito el
560 label_registration_activation_by_email: activación de cuenta por correo
560 label_registration_activation_by_email: activación de cuenta por correo
561 label_registration_automatic_activation: activación automática de cuenta
561 label_registration_automatic_activation: activación automática de cuenta
562 label_registration_manual_activation: activación manual de cuenta
562 label_registration_manual_activation: activación manual de cuenta
563 label_related_issues: Peticiones relacionadas
563 label_related_issues: Peticiones relacionadas
564 label_relates_to: relacionada con
564 label_relates_to: relacionada con
565 label_relation_delete: Eliminar relación
565 label_relation_delete: Eliminar relación
566 label_relation_new: Nueva relación
566 label_relation_new: Nueva relación
567 label_renamed: renombrado
567 label_renamed: renombrado
568 label_reply_plural: Respuestas
568 label_reply_plural: Respuestas
569 label_report: Informe
569 label_report: Informe
570 label_report_plural: Informes
570 label_report_plural: Informes
571 label_reported_issues: Peticiones registradas por mí
571 label_reported_issues: Peticiones registradas por mí
572 label_repository: Repositorio
572 label_repository: Repositorio
573 label_repository_plural: Repositorios
573 label_repository_plural: Repositorios
574 label_result_plural: Resultados
574 label_result_plural: Resultados
575 label_reverse_chronological_order: En orden cronológico inverso
575 label_reverse_chronological_order: En orden cronológico inverso
576 label_revision: Revisión
576 label_revision: Revisión
577 label_revision_plural: Revisiones
577 label_revision_plural: Revisiones
578 label_roadmap: Planificación
578 label_roadmap: Planificación
579 label_roadmap_due_in: "Finaliza en {{value}}"
579 label_roadmap_due_in: "Finaliza en {{value}}"
580 label_roadmap_no_issues: No hay peticiones para esta versión
580 label_roadmap_no_issues: No hay peticiones para esta versión
581 label_roadmap_overdue: "{{value}} tarde"
581 label_roadmap_overdue: "{{value}} tarde"
582 label_role: Perfil
582 label_role: Perfil
583 label_role_and_permissions: Perfiles y permisos
583 label_role_and_permissions: Perfiles y permisos
584 label_role_new: Nuevo perfil
584 label_role_new: Nuevo perfil
585 label_role_plural: Perfiles
585 label_role_plural: Perfiles
586 label_scm: SCM
586 label_scm: SCM
587 label_search: Búsqueda
587 label_search: Búsqueda
588 label_search_titles_only: Buscar sólo en títulos
588 label_search_titles_only: Buscar sólo en títulos
589 label_send_information: Enviar información de la cuenta al usuario
589 label_send_information: Enviar información de la cuenta al usuario
590 label_send_test_email: Enviar un correo de prueba
590 label_send_test_email: Enviar un correo de prueba
591 label_settings: Configuración
591 label_settings: Configuración
592 label_show_completed_versions: Muestra las versiones terminadas
592 label_show_completed_versions: Muestra las versiones terminadas
593 label_sort_by: "Ordenar por {{value}}"
593 label_sort_by: "Ordenar por {{value}}"
594 label_sort_higher: Subir
594 label_sort_higher: Subir
595 label_sort_highest: Primero
595 label_sort_highest: Primero
596 label_sort_lower: Bajar
596 label_sort_lower: Bajar
597 label_sort_lowest: Último
597 label_sort_lowest: Último
598 label_spent_time: Tiempo dedicado
598 label_spent_time: Tiempo dedicado
599 label_start_to_end: principio a fin
599 label_start_to_end: principio a fin
600 label_start_to_start: principio a principio
600 label_start_to_start: principio a principio
601 label_statistics: Estadísticas
601 label_statistics: Estadísticas
602 label_stay_logged_in: Recordar conexión
602 label_stay_logged_in: Recordar conexión
603 label_string: Texto
603 label_string: Texto
604 label_subproject_plural: Proyectos secundarios
604 label_subproject_plural: Proyectos secundarios
605 label_text: Texto largo
605 label_text: Texto largo
606 label_theme: Tema
606 label_theme: Tema
607 label_this_month: este mes
607 label_this_month: este mes
608 label_this_week: esta semana
608 label_this_week: esta semana
609 label_this_year: este año
609 label_this_year: este año
610 label_time_tracking: Control de tiempo
610 label_time_tracking: Control de tiempo
611 label_today: hoy
611 label_today: hoy
612 label_topic_plural: Temas
612 label_topic_plural: Temas
613 label_total: Total
613 label_total: Total
614 label_tracker: Tipo
614 label_tracker: Tipo
615 label_tracker_new: Nuevo tipo
615 label_tracker_new: Nuevo tipo
616 label_tracker_plural: Tipos de peticiones
616 label_tracker_plural: Tipos de peticiones
617 label_updated_time: "Actualizado hace {{value}}"
617 label_updated_time: "Actualizado hace {{value}}"
618 label_updated_time_by: "Actualizado por {{author}} hace {{age}}"
618 label_updated_time_by: "Actualizado por {{author}} hace {{age}}"
619 label_used_by: Utilizado por
619 label_used_by: Utilizado por
620 label_user: Usuario
620 label_user: Usuario
621 label_user_activity: "Actividad de {{value}}"
621 label_user_activity: "Actividad de {{value}}"
622 label_user_mail_no_self_notified: "No quiero ser avisado de cambios hechos por mí"
622 label_user_mail_no_self_notified: "No quiero ser avisado de cambios hechos por mí"
623 label_user_mail_option_all: "Para cualquier evento en todos mis proyectos"
623 label_user_mail_option_all: "Para cualquier evento en todos mis proyectos"
624 label_user_mail_option_none: "Sólo para elementos monitorizados o relacionados conmigo"
624 label_user_mail_option_none: "Sólo para elementos monitorizados o relacionados conmigo"
625 label_user_mail_option_selected: "Para cualquier evento de los proyectos seleccionados..."
625 label_user_mail_option_selected: "Para cualquier evento de los proyectos seleccionados..."
626 label_user_new: Nuevo usuario
626 label_user_new: Nuevo usuario
627 label_user_plural: Usuarios
627 label_user_plural: Usuarios
628 label_version: Versión
628 label_version: Versión
629 label_version_new: Nueva versión
629 label_version_new: Nueva versión
630 label_version_plural: Versiones
630 label_version_plural: Versiones
631 label_view_diff: Ver diferencias
631 label_view_diff: Ver diferencias
632 label_view_revisions: Ver las revisiones
632 label_view_revisions: Ver las revisiones
633 label_watched_issues: Peticiones monitorizadas
633 label_watched_issues: Peticiones monitorizadas
634 label_week: Semana
634 label_week: Semana
635 label_wiki: Wiki
635 label_wiki: Wiki
636 label_wiki_edit: Wiki edicción
636 label_wiki_edit: Wiki edicción
637 label_wiki_edit_plural: Wiki edicciones
637 label_wiki_edit_plural: Wiki edicciones
638 label_wiki_page: Wiki página
638 label_wiki_page: Wiki página
639 label_wiki_page_plural: Wiki páginas
639 label_wiki_page_plural: Wiki páginas
640 label_workflow: Flujo de trabajo
640 label_workflow: Flujo de trabajo
641 label_year: Año
641 label_year: Año
642 label_yesterday: ayer
642 label_yesterday: ayer
643 mail_body_account_activation_request: "Se ha inscrito un nuevo usuario ({{value}}). La cuenta está pendiende de aprobación:"
643 mail_body_account_activation_request: "Se ha inscrito un nuevo usuario ({{value}}). La cuenta está pendiende de aprobación:"
644 mail_body_account_information: Información sobre su cuenta
644 mail_body_account_information: Información sobre su cuenta
645 mail_body_account_information_external: "Puede usar su cuenta {{value}} para conectarse."
645 mail_body_account_information_external: "Puede usar su cuenta {{value}} para conectarse."
646 mail_body_lost_password: 'Para cambiar su contraseña, haga clic en el siguiente enlace:'
646 mail_body_lost_password: 'Para cambiar su contraseña, haga clic en el siguiente enlace:'
647 mail_body_register: 'Para activar su cuenta, haga clic en el siguiente enlace:'
647 mail_body_register: 'Para activar su cuenta, haga clic en el siguiente enlace:'
648 mail_body_reminder: "{{count}} peticion(es) asignadas a finalizan en los próximos {{days}} días:"
648 mail_body_reminder: "{{count}} peticion(es) asignadas a finalizan en los próximos {{days}} días:"
649 mail_subject_account_activation_request: "Petición de activación de cuenta {{value}}"
649 mail_subject_account_activation_request: "Petición de activación de cuenta {{value}}"
650 mail_subject_lost_password: "Tu contraseña del {{value}}"
650 mail_subject_lost_password: "Tu contraseña del {{value}}"
651 mail_subject_register: "Activación de la cuenta del {{value}}"
651 mail_subject_register: "Activación de la cuenta del {{value}}"
652 mail_subject_reminder: "{{count}} peticion(es) finalizan en los próximos días"
652 mail_subject_reminder: "{{count}} peticion(es) finalizan en los próximos días"
653 notice_account_activated: Su cuenta ha sido activada. Ya puede conectarse.
653 notice_account_activated: Su cuenta ha sido activada. Ya puede conectarse.
654 notice_account_invalid_creditentials: Usuario o contraseña inválido.
654 notice_account_invalid_creditentials: Usuario o contraseña inválido.
655 notice_account_lost_email_sent: Se le ha enviado un correo con instrucciones para elegir una nueva contraseña.
655 notice_account_lost_email_sent: Se le ha enviado un correo con instrucciones para elegir una nueva contraseña.
656 notice_account_password_updated: Contraseña modificada correctamente.
656 notice_account_password_updated: Contraseña modificada correctamente.
657 notice_account_pending: "Su cuenta ha sido creada y está pendiende de la aprobación por parte del administrador."
657 notice_account_pending: "Su cuenta ha sido creada y está pendiende de la aprobación por parte del administrador."
658 notice_account_register_done: Cuenta creada correctamente. Para activarla, haga clic sobre el enlace que le ha sido enviado por correo.
658 notice_account_register_done: Cuenta creada correctamente. Para activarla, haga clic sobre el enlace que le ha sido enviado por correo.
659 notice_account_unknown_email: Usuario desconocido.
659 notice_account_unknown_email: Usuario desconocido.
660 notice_account_updated: Cuenta actualizada correctamente.
660 notice_account_updated: Cuenta actualizada correctamente.
661 notice_account_wrong_password: Contraseña incorrecta.
661 notice_account_wrong_password: Contraseña incorrecta.
662 notice_can_t_change_password: Esta cuenta utiliza una fuente de autenticación externa. No es posible cambiar la contraseña.
662 notice_can_t_change_password: Esta cuenta utiliza una fuente de autenticación externa. No es posible cambiar la contraseña.
663 notice_default_data_loaded: Configuración por defecto cargada correctamente.
663 notice_default_data_loaded: Configuración por defecto cargada correctamente.
664 notice_email_error: "Ha ocurrido un error mientras enviando el correo ({{value}})"
664 notice_email_error: "Ha ocurrido un error mientras enviando el correo ({{value}})"
665 notice_email_sent: "Se ha enviado un correo a {{value}}"
665 notice_email_sent: "Se ha enviado un correo a {{value}}"
666 notice_failed_to_save_issues: "Imposible grabar %s peticion(es) en {{count}} seleccionado: {{value}}."
666 notice_failed_to_save_issues: "Imposible grabar %s peticion(es) en {{count}} seleccionado: {{value}}."
667 notice_feeds_access_key_reseted: Su clave de acceso para RSS ha sido reiniciada.
667 notice_feeds_access_key_reseted: Su clave de acceso para RSS ha sido reiniciada.
668 notice_file_not_found: La página a la que intenta acceder no existe.
668 notice_file_not_found: La página a la que intenta acceder no existe.
669 notice_locking_conflict: Los datos han sido modificados por otro usuario.
669 notice_locking_conflict: Los datos han sido modificados por otro usuario.
670 notice_no_issue_selected: "Ninguna petición seleccionada. Por favor, compruebe la petición que quiere modificar"
670 notice_no_issue_selected: "Ninguna petición seleccionada. Por favor, compruebe la petición que quiere modificar"
671 notice_not_authorized: No tiene autorización para acceder a esta página.
671 notice_not_authorized: No tiene autorización para acceder a esta página.
672 notice_successful_connection: Conexión correcta.
672 notice_successful_connection: Conexión correcta.
673 notice_successful_create: Creación correcta.
673 notice_successful_create: Creación correcta.
674 notice_successful_delete: Borrado correcto.
674 notice_successful_delete: Borrado correcto.
675 notice_successful_update: Modificación correcta.
675 notice_successful_update: Modificación correcta.
676 notice_unable_delete_version: No se puede borrar la versión
676 notice_unable_delete_version: No se puede borrar la versión
677 permission_add_issue_notes: Añadir notas
677 permission_add_issue_notes: Añadir notas
678 permission_add_issue_watchers: Añadir seguidores
678 permission_add_issue_watchers: Añadir seguidores
679 permission_add_issues: Añadir peticiones
679 permission_add_issues: Añadir peticiones
680 permission_add_messages: Enviar mensajes
680 permission_add_messages: Enviar mensajes
681 permission_browse_repository: Hojear repositiorio
681 permission_browse_repository: Hojear repositiorio
682 permission_comment_news: Comentar noticias
682 permission_comment_news: Comentar noticias
683 permission_commit_access: Acceso de escritura
683 permission_commit_access: Acceso de escritura
684 permission_delete_issues: Borrar peticiones
684 permission_delete_issues: Borrar peticiones
685 permission_delete_messages: Borrar mensajes
685 permission_delete_messages: Borrar mensajes
686 permission_delete_own_messages: Borrar mensajes propios
686 permission_delete_own_messages: Borrar mensajes propios
687 permission_delete_wiki_pages: Borrar páginas wiki
687 permission_delete_wiki_pages: Borrar páginas wiki
688 permission_delete_wiki_pages_attachments: Borrar ficheros
688 permission_delete_wiki_pages_attachments: Borrar ficheros
689 permission_edit_issue_notes: Modificar notas
689 permission_edit_issue_notes: Modificar notas
690 permission_edit_issues: Modificar peticiones
690 permission_edit_issues: Modificar peticiones
691 permission_edit_messages: Modificar mensajes
691 permission_edit_messages: Modificar mensajes
692 permission_edit_own_issue_notes: Modificar notas propias
692 permission_edit_own_issue_notes: Modificar notas propias
693 permission_edit_own_messages: Editar mensajes propios
693 permission_edit_own_messages: Editar mensajes propios
694 permission_edit_own_time_entries: Modificar tiempos dedicados propios
694 permission_edit_own_time_entries: Modificar tiempos dedicados propios
695 permission_edit_project: Modificar proyecto
695 permission_edit_project: Modificar proyecto
696 permission_edit_time_entries: Modificar tiempos dedicados
696 permission_edit_time_entries: Modificar tiempos dedicados
697 permission_edit_wiki_pages: Modificar páginas wiki
697 permission_edit_wiki_pages: Modificar páginas wiki
698 permission_log_time: Anotar tiempo dedicado
698 permission_log_time: Anotar tiempo dedicado
699 permission_manage_boards: Administrar foros
699 permission_manage_boards: Administrar foros
700 permission_manage_categories: Administrar categorías de peticiones
700 permission_manage_categories: Administrar categorías de peticiones
701 permission_manage_documents: Administrar documentos
701 permission_manage_documents: Administrar documentos
702 permission_manage_files: Administrar ficheros
702 permission_manage_files: Administrar ficheros
703 permission_manage_issue_relations: Administrar relación con otras peticiones
703 permission_manage_issue_relations: Administrar relación con otras peticiones
704 permission_manage_members: Administrar miembros
704 permission_manage_members: Administrar miembros
705 permission_manage_news: Administrar noticias
705 permission_manage_news: Administrar noticias
706 permission_manage_public_queries: Administrar consultas públicas
706 permission_manage_public_queries: Administrar consultas públicas
707 permission_manage_repository: Administrar repositorio
707 permission_manage_repository: Administrar repositorio
708 permission_manage_versions: Administrar versiones
708 permission_manage_versions: Administrar versiones
709 permission_manage_wiki: Administrar wiki
709 permission_manage_wiki: Administrar wiki
710 permission_move_issues: Mover peticiones
710 permission_move_issues: Mover peticiones
711 permission_protect_wiki_pages: Proteger páginas wiki
711 permission_protect_wiki_pages: Proteger páginas wiki
712 permission_rename_wiki_pages: Renombrar páginas wiki
712 permission_rename_wiki_pages: Renombrar páginas wiki
713 permission_save_queries: Grabar consultas
713 permission_save_queries: Grabar consultas
714 permission_select_project_modules: Seleccionar módulos del proyecto
714 permission_select_project_modules: Seleccionar módulos del proyecto
715 permission_view_calendar: Ver calendario
715 permission_view_calendar: Ver calendario
716 permission_view_changesets: Ver cambios
716 permission_view_changesets: Ver cambios
717 permission_view_documents: Ver documentos
717 permission_view_documents: Ver documentos
718 permission_view_files: Ver ficheros
718 permission_view_files: Ver ficheros
719 permission_view_gantt: Ver diagrama de Gantt
719 permission_view_gantt: Ver diagrama de Gantt
720 permission_view_issue_watchers: Ver lista de seguidores
720 permission_view_issue_watchers: Ver lista de seguidores
721 permission_view_messages: Ver mensajes
721 permission_view_messages: Ver mensajes
722 permission_view_time_entries: Ver tiempo dedicado
722 permission_view_time_entries: Ver tiempo dedicado
723 permission_view_wiki_edits: Ver histórico del wiki
723 permission_view_wiki_edits: Ver histórico del wiki
724 permission_view_wiki_pages: Ver wiki
724 permission_view_wiki_pages: Ver wiki
725 project_module_boards: Foros
725 project_module_boards: Foros
726 project_module_documents: Documentos
726 project_module_documents: Documentos
727 project_module_files: Ficheros
727 project_module_files: Ficheros
728 project_module_issue_tracking: Peticiones
728 project_module_issue_tracking: Peticiones
729 project_module_news: Noticias
729 project_module_news: Noticias
730 project_module_repository: Repositorio
730 project_module_repository: Repositorio
731 project_module_time_tracking: Control de tiempo
731 project_module_time_tracking: Control de tiempo
732 project_module_wiki: Wiki
732 project_module_wiki: Wiki
733 setting_activity_days_default: Días a mostrar en la actividad de proyecto
733 setting_activity_days_default: Días a mostrar en la actividad de proyecto
734 setting_app_subtitle: Subtítulo de la aplicación
734 setting_app_subtitle: Subtítulo de la aplicación
735 setting_app_title: Título de la aplicación
735 setting_app_title: Título de la aplicación
736 setting_attachment_max_size: Tamaño máximo del fichero
736 setting_attachment_max_size: Tamaño máximo del fichero
737 setting_autofetch_changesets: Autorellenar los commits del repositorio
737 setting_autofetch_changesets: Autorellenar los commits del repositorio
738 setting_autologin: Conexión automática
738 setting_autologin: Conexión automática
739 setting_bcc_recipients: Ocultar las copias de carbón (bcc)
739 setting_bcc_recipients: Ocultar las copias de carbón (bcc)
740 setting_commit_fix_keywords: Palabras clave para la corrección
740 setting_commit_fix_keywords: Palabras clave para la corrección
741 setting_commit_logs_encoding: Codificación de los mensajes de commit
741 setting_commit_logs_encoding: Codificación de los mensajes de commit
742 setting_commit_ref_keywords: Palabras clave para la referencia
742 setting_commit_ref_keywords: Palabras clave para la referencia
743 setting_cross_project_issue_relations: Permitir relacionar peticiones de distintos proyectos
743 setting_cross_project_issue_relations: Permitir relacionar peticiones de distintos proyectos
744 setting_date_format: Formato de fecha
744 setting_date_format: Formato de fecha
745 setting_default_language: Idioma por defecto
745 setting_default_language: Idioma por defecto
746 setting_default_projects_public: Los proyectos nuevos son públicos por defecto
746 setting_default_projects_public: Los proyectos nuevos son públicos por defecto
747 setting_diff_max_lines_displayed: Número máximo de diferencias mostradas
747 setting_diff_max_lines_displayed: Número máximo de diferencias mostradas
748 setting_display_subprojects_issues: Mostrar por defecto peticiones de proy. secundarios en el principal
748 setting_display_subprojects_issues: Mostrar por defecto peticiones de proy. secundarios en el principal
749 setting_emails_footer: Pie de mensajes
749 setting_emails_footer: Pie de mensajes
750 setting_enabled_scm: Activar SCM
750 setting_enabled_scm: Activar SCM
751 setting_feeds_limit: Límite de contenido para sindicación
751 setting_feeds_limit: Límite de contenido para sindicación
752 setting_gravatar_enabled: Usar iconos de usuario (Gravatar)
752 setting_gravatar_enabled: Usar iconos de usuario (Gravatar)
753 setting_host_name: Nombre y ruta del servidor
753 setting_host_name: Nombre y ruta del servidor
754 setting_issue_list_default_columns: Columnas por defecto para la lista de peticiones
754 setting_issue_list_default_columns: Columnas por defecto para la lista de peticiones
755 setting_issues_export_limit: Límite de exportación de peticiones
755 setting_issues_export_limit: Límite de exportación de peticiones
756 setting_login_required: Se requiere identificación
756 setting_login_required: Se requiere identificación
757 setting_mail_from: Correo desde el que enviar mensajes
757 setting_mail_from: Correo desde el que enviar mensajes
758 setting_mail_handler_api_enabled: Activar SW para mensajes entrantes
758 setting_mail_handler_api_enabled: Activar SW para mensajes entrantes
759 setting_mail_handler_api_key: Clave de la API
759 setting_mail_handler_api_key: Clave de la API
760 setting_per_page_options: Objetos por página
760 setting_per_page_options: Objetos por página
761 setting_plain_text_mail: sólo texto plano (no HTML)
761 setting_plain_text_mail: sólo texto plano (no HTML)
762 setting_protocol: Protocolo
762 setting_protocol: Protocolo
763 setting_repositories_encodings: Codificaciones del repositorio
763 setting_repositories_encodings: Codificaciones del repositorio
764 setting_self_registration: Registro permitido
764 setting_self_registration: Registro permitido
765 setting_sequential_project_identifiers: Generar identificadores de proyecto
765 setting_sequential_project_identifiers: Generar identificadores de proyecto
766 setting_sys_api_enabled: Habilitar SW para la gestión del repositorio
766 setting_sys_api_enabled: Habilitar SW para la gestión del repositorio
767 setting_text_formatting: Formato de texto
767 setting_text_formatting: Formato de texto
768 setting_time_format: Formato de hora
768 setting_time_format: Formato de hora
769 setting_user_format: Formato de nombre de usuario
769 setting_user_format: Formato de nombre de usuario
770 setting_welcome_text: Texto de bienvenida
770 setting_welcome_text: Texto de bienvenida
771 setting_wiki_compression: Compresión del historial del Wiki
771 setting_wiki_compression: Compresión del historial del Wiki
772 status_active: activo
772 status_active: activo
773 status_locked: bloqueado
773 status_locked: bloqueado
774 status_registered: registrado
774 status_registered: registrado
775 text_are_you_sure: ¿Está seguro?
775 text_are_you_sure: ¿Está seguro?
776 text_assign_time_entries_to_project: Asignar las horas al proyecto
776 text_assign_time_entries_to_project: Asignar las horas al proyecto
777 text_caracters_maximum: "{{count}} caracteres como máximo."
777 text_caracters_maximum: "{{count}} caracteres como máximo."
778 text_caracters_minimum: "{{count}} caracteres como mínimo"
778 text_caracters_minimum: "{{count}} caracteres como mínimo"
779 text_comma_separated: Múltiples valores permitidos (separados por coma).
779 text_comma_separated: Múltiples valores permitidos (separados por coma).
780 text_default_administrator_account_changed: Cuenta de administrador por defecto modificada
780 text_default_administrator_account_changed: Cuenta de administrador por defecto modificada
781 text_destroy_time_entries: Borrar las horas
781 text_destroy_time_entries: Borrar las horas
782 text_destroy_time_entries_question: Existen {{hours}} horas asignadas a la petición que quiere borrar. ¿Qué quiere hacer ?
782 text_destroy_time_entries_question: Existen {{hours}} horas asignadas a la petición que quiere borrar. ¿Qué quiere hacer ?
783 text_diff_truncated: '... Diferencia truncada por exceder el máximo tamaño visualizable.'
783 text_diff_truncated: '... Diferencia truncada por exceder el máximo tamaño visualizable.'
784 text_email_delivery_not_configured: "El envío de correos no está configurado, y las notificaciones se han desactivado. \n Configure el servidor de SMTP en config/email.yml y reinicie la aplicación para activar los cambios."
784 text_email_delivery_not_configured: "El envío de correos no está configurado, y las notificaciones se han desactivado. \n Configure el servidor de SMTP en config/email.yml y reinicie la aplicación para activar los cambios."
785 text_enumeration_category_reassign_to: 'Reasignar al siguiente valor:'
785 text_enumeration_category_reassign_to: 'Reasignar al siguiente valor:'
786 text_enumeration_destroy_question: "{{count}} objetos con este valor asignado."
786 text_enumeration_destroy_question: "{{count}} objetos con este valor asignado."
787 text_file_repository_writable: Se puede escribir en el repositorio
787 text_file_repository_writable: Se puede escribir en el repositorio
788 text_issue_added: "Petición {{id}} añadida por {{author}}."
788 text_issue_added: "Petición {{id}} añadida por {{author}}."
789 text_issue_category_destroy_assignments: Dejar las peticiones sin categoría
789 text_issue_category_destroy_assignments: Dejar las peticiones sin categoría
790 text_issue_category_destroy_question: "Algunas peticiones ({{count}}) están asignadas a esta categoría. ¿Qué desea hacer?"
790 text_issue_category_destroy_question: "Algunas peticiones ({{count}}) están asignadas a esta categoría. ¿Qué desea hacer?"
791 text_issue_category_reassign_to: Reasignar las peticiones a la categoría
791 text_issue_category_reassign_to: Reasignar las peticiones a la categoría
792 text_issue_updated: "La petición {{id}} ha sido actualizada por {{author}}."
792 text_issue_updated: "La petición {{id}} ha sido actualizada por {{author}}."
793 text_issues_destroy_confirmation: '¿Seguro que quiere borrar las peticiones seleccionadas?'
793 text_issues_destroy_confirmation: '¿Seguro que quiere borrar las peticiones seleccionadas?'
794 text_issues_ref_in_commit_messages: Referencia y petición de corrección en los mensajes
794 text_issues_ref_in_commit_messages: Referencia y petición de corrección en los mensajes
795 text_journal_changed: "cambiado de {{old}} a {{new}}"
795 text_journal_changed: "cambiado de {{old}} a {{new}}"
796 text_journal_deleted: suprimido
796 text_journal_deleted: suprimido
797 text_journal_set_to: "fijado a {{value}}"
797 text_journal_set_to: "fijado a {{value}}"
798 text_length_between: "Longitud entre {{min}} y {{max}} caracteres."
798 text_length_between: "Longitud entre {{min}} y {{max}} caracteres."
799 text_load_default_configuration: Cargar la configuración por defecto
799 text_load_default_configuration: Cargar la configuración por defecto
800 text_min_max_length_info: 0 para ninguna restricción
800 text_min_max_length_info: 0 para ninguna restricción
801 text_no_configuration_data: "Todavía no se han configurado perfiles, ni tipos, estados y flujo de trabajo asociado a peticiones. Se recomiendo encarecidamente cargar la configuración por defecto. Una vez cargada, podrá modificarla."
801 text_no_configuration_data: "Todavía no se han configurado perfiles, ni tipos, estados y flujo de trabajo asociado a peticiones. Se recomiendo encarecidamente cargar la configuración por defecto. Una vez cargada, podrá modificarla."
802 text_project_destroy_confirmation: ¿Estás seguro de querer eliminar el proyecto?
802 text_project_destroy_confirmation: ¿Estás seguro de querer eliminar el proyecto?
803 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.'
803 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.'
804 text_reassign_time_entries: 'Reasignar las horas a esta petición:'
804 text_reassign_time_entries: 'Reasignar las horas a esta petición:'
805 text_regexp_info: ej. ^[A-Z0-9]+$
805 text_regexp_info: ej. ^[A-Z0-9]+$
806 text_repository_usernames_mapping: "Establezca la correspondencia entre los usuarios de Redmine y los presentes en el log del repositorio.\nLos usuarios con el mismo nombre o correo en Redmine y en el repositorio serán asociados automáticamente."
806 text_repository_usernames_mapping: "Establezca la correspondencia entre los usuarios de Redmine y los presentes en el log del repositorio.\nLos usuarios con el mismo nombre o correo en Redmine y en el repositorio serán asociados automáticamente."
807 text_rmagick_available: RMagick disponible (opcional)
807 text_rmagick_available: RMagick disponible (opcional)
808 text_select_mail_notifications: Seleccionar los eventos a notificar
808 text_select_mail_notifications: Seleccionar los eventos a notificar
809 text_select_project_modules: 'Seleccione los módulos a activar para este proyecto:'
809 text_select_project_modules: 'Seleccione los módulos a activar para este proyecto:'
810 text_status_changed_by_changeset: "Aplicado en los cambios {{value}}"
810 text_status_changed_by_changeset: "Aplicado en los cambios {{value}}"
811 text_subprojects_destroy_warning: "Los proyectos secundarios: {{value}} también se eliminarán"
811 text_subprojects_destroy_warning: "Los proyectos secundarios: {{value}} también se eliminarán"
812 text_tip_task_begin_day: tarea que comienza este día
812 text_tip_task_begin_day: tarea que comienza este día
813 text_tip_task_begin_end_day: tarea que comienza y termina este día
813 text_tip_task_begin_end_day: tarea que comienza y termina este día
814 text_tip_task_end_day: tarea que termina este día
814 text_tip_task_end_day: tarea que termina este día
815 text_tracker_no_workflow: No hay ningún flujo de trabajo definido para este tipo de petición
815 text_tracker_no_workflow: No hay ningún flujo de trabajo definido para este tipo de petición
816 text_unallowed_characters: Caracteres no permitidos
816 text_unallowed_characters: Caracteres no permitidos
817 text_user_mail_option: "De 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)."
817 text_user_mail_option: "De 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)."
818 text_user_wrote: "{{value}} escribió:"
818 text_user_wrote: "{{value}} escribió:"
819 text_wiki_destroy_confirmation: ¿Seguro que quiere borrar el wiki y todo su contenido?
819 text_wiki_destroy_confirmation: ¿Seguro que quiere borrar el wiki y todo su contenido?
820 text_workflow_edit: Seleccionar un flujo de trabajo para actualizar
820 text_workflow_edit: Seleccionar un flujo de trabajo para actualizar
821 text_plugin_assets_writable: Plugin assets directory writable
821 text_plugin_assets_writable: Plugin assets directory writable
822 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
822 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
823 button_create_and_continue: Create and continue
823 button_create_and_continue: Create and continue
824 text_custom_field_possible_values_info: 'One line for each value'
824 text_custom_field_possible_values_info: 'One line for each value'
825 label_display: Display
825 label_display: Display
826 field_editable: Editable
826 field_editable: Editable
827 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
827 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
828 setting_file_max_size_displayed: Max size of text files displayed inline
828 setting_file_max_size_displayed: Max size of text files displayed inline
829 field_watcher: Watcher
829 field_watcher: Watcher
830 setting_openid: Allow OpenID login and registration
830 setting_openid: Allow OpenID login and registration
831 field_identity_url: OpenID URL
831 field_identity_url: OpenID URL
832 label_login_with_open_id_option: or login with OpenID
832 label_login_with_open_id_option: or login with OpenID
833 field_content: Content
833 field_content: Content
834 label_descending: Descending
834 label_descending: Descending
835 label_sort: Sort
835 label_sort: Sort
836 label_ascending: Ascending
836 label_ascending: Ascending
837 label_date_from_to: From {{start}} to {{end}}
837 label_date_from_to: From {{start}} to {{end}}
838 label_greater_or_equal: ">="
838 label_greater_or_equal: ">="
839 label_less_or_equal: <=
839 label_less_or_equal: <=
840 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
840 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
841 text_wiki_page_reassign_children: Reassign child pages to this parent page
841 text_wiki_page_reassign_children: Reassign child pages to this parent page
842 text_wiki_page_nullify_children: Keep child pages as root pages
842 text_wiki_page_nullify_children: Keep child pages as root pages
843 text_wiki_page_destroy_children: Delete child pages and all their descendants
843 text_wiki_page_destroy_children: Delete child pages and all their descendants
844 setting_password_min_length: Minimum password length
844 setting_password_min_length: Minimum password length
845 field_group_by: Group results by
@@ -1,834 +1,835
1 # Finnish translations for Ruby on Rails
1 # Finnish translations for Ruby on Rails
2 # by Marko Seppä (marko.seppa@gmail.com)
2 # by Marko Seppä (marko.seppa@gmail.com)
3
3
4 fi:
4 fi:
5 date:
5 date:
6 formats:
6 formats:
7 default: "%e. %Bta %Y"
7 default: "%e. %Bta %Y"
8 long: "%A%e. %Bta %Y"
8 long: "%A%e. %Bta %Y"
9 short: "%e.%m.%Y"
9 short: "%e.%m.%Y"
10
10
11 day_names: [Sunnuntai, Maanantai, Tiistai, Keskiviikko, Torstai, Perjantai, Lauantai]
11 day_names: [Sunnuntai, Maanantai, Tiistai, Keskiviikko, Torstai, Perjantai, Lauantai]
12 abbr_day_names: [Su, Ma, Ti, Ke, To, Pe, La]
12 abbr_day_names: [Su, Ma, Ti, Ke, To, Pe, La]
13 month_names: [~, Tammikuu, Helmikuu, Maaliskuu, Huhtikuu, Toukokuu, Kesäkuu, Heinäkuu, Elokuu, Syyskuu, Lokakuu, Marraskuu, Joulukuu]
13 month_names: [~, Tammikuu, Helmikuu, Maaliskuu, Huhtikuu, Toukokuu, Kesäkuu, Heinäkuu, Elokuu, Syyskuu, Lokakuu, Marraskuu, Joulukuu]
14 abbr_month_names: [~, Tammi, Helmi, Maalis, Huhti, Touko, Kesä, Heinä, Elo, Syys, Loka, Marras, Joulu]
14 abbr_month_names: [~, Tammi, Helmi, Maalis, Huhti, Touko, Kesä, Heinä, Elo, Syys, Loka, Marras, Joulu]
15 order: [:day, :month, :year]
15 order: [:day, :month, :year]
16
16
17 time:
17 time:
18 formats:
18 formats:
19 default: "%a, %e. %b %Y %H:%M:%S %z"
19 default: "%a, %e. %b %Y %H:%M:%S %z"
20 time: "%H:%M"
20 time: "%H:%M"
21 short: "%e. %b %H:%M"
21 short: "%e. %b %H:%M"
22 long: "%B %d, %Y %H:%M"
22 long: "%B %d, %Y %H:%M"
23 am: "aamupäivä"
23 am: "aamupäivä"
24 pm: "iltapäivä"
24 pm: "iltapäivä"
25
25
26 support:
26 support:
27 array:
27 array:
28 words_connector: ", "
28 words_connector: ", "
29 two_words_connector: " ja "
29 two_words_connector: " ja "
30 last_word_connector: " ja "
30 last_word_connector: " ja "
31
31
32
32
33
33
34 number:
34 number:
35 format:
35 format:
36 separator: ","
36 separator: ","
37 delimiter: "."
37 delimiter: "."
38 precision: 3
38 precision: 3
39
39
40 currency:
40 currency:
41 format:
41 format:
42 format: "%n %u"
42 format: "%n %u"
43 unit: "€"
43 unit: "€"
44 separator: ","
44 separator: ","
45 delimiter: "."
45 delimiter: "."
46 precision: 2
46 precision: 2
47
47
48 percentage:
48 percentage:
49 format:
49 format:
50 # separator:
50 # separator:
51 delimiter: ""
51 delimiter: ""
52 # precision:
52 # precision:
53
53
54 precision:
54 precision:
55 format:
55 format:
56 # separator:
56 # separator:
57 delimiter: ""
57 delimiter: ""
58 # precision:
58 # precision:
59
59
60 human:
60 human:
61 format:
61 format:
62 delimiter: ""
62 delimiter: ""
63 precision: 1
63 precision: 1
64 storage_units: [Tavua, KB, MB, GB, TB]
64 storage_units: [Tavua, KB, MB, GB, TB]
65
65
66 datetime:
66 datetime:
67 distance_in_words:
67 distance_in_words:
68 half_a_minute: "puoli minuuttia"
68 half_a_minute: "puoli minuuttia"
69 less_than_x_seconds:
69 less_than_x_seconds:
70 one: "aiemmin kuin sekunti"
70 one: "aiemmin kuin sekunti"
71 other: "aiemmin kuin {{count}} sekuntia"
71 other: "aiemmin kuin {{count}} sekuntia"
72 x_seconds:
72 x_seconds:
73 one: "sekunti"
73 one: "sekunti"
74 other: "{{count}} sekuntia"
74 other: "{{count}} sekuntia"
75 less_than_x_minutes:
75 less_than_x_minutes:
76 one: "aiemmin kuin minuutti"
76 one: "aiemmin kuin minuutti"
77 other: "aiemmin kuin {{count}} minuuttia"
77 other: "aiemmin kuin {{count}} minuuttia"
78 x_minutes:
78 x_minutes:
79 one: "minuutti"
79 one: "minuutti"
80 other: "{{count}} minuuttia"
80 other: "{{count}} minuuttia"
81 about_x_hours:
81 about_x_hours:
82 one: "noin tunti"
82 one: "noin tunti"
83 other: "noin {{count}} tuntia"
83 other: "noin {{count}} tuntia"
84 x_days:
84 x_days:
85 one: "päivä"
85 one: "päivä"
86 other: "{{count}} päivää"
86 other: "{{count}} päivää"
87 about_x_months:
87 about_x_months:
88 one: "noin kuukausi"
88 one: "noin kuukausi"
89 other: "noin {{count}} kuukautta"
89 other: "noin {{count}} kuukautta"
90 x_months:
90 x_months:
91 one: "kuukausi"
91 one: "kuukausi"
92 other: "{{count}} kuukautta"
92 other: "{{count}} kuukautta"
93 about_x_years:
93 about_x_years:
94 one: "vuosi"
94 one: "vuosi"
95 other: "noin {{count}} vuotta"
95 other: "noin {{count}} vuotta"
96 over_x_years:
96 over_x_years:
97 one: "yli vuosi"
97 one: "yli vuosi"
98 other: "yli {{count}} vuotta"
98 other: "yli {{count}} vuotta"
99 prompts:
99 prompts:
100 year: "Vuosi"
100 year: "Vuosi"
101 month: "Kuukausi"
101 month: "Kuukausi"
102 day: "Päivä"
102 day: "Päivä"
103 hour: "Tunti"
103 hour: "Tunti"
104 minute: "Minuutti"
104 minute: "Minuutti"
105 second: "Sekuntia"
105 second: "Sekuntia"
106
106
107 activerecord:
107 activerecord:
108 errors:
108 errors:
109 template:
109 template:
110 header:
110 header:
111 one: "1 virhe esti tämän {{model}} mallinteen tallentamisen"
111 one: "1 virhe esti tämän {{model}} mallinteen tallentamisen"
112 other: "{{count}} virhettä esti tämän {{model}} mallinteen tallentamisen"
112 other: "{{count}} virhettä esti tämän {{model}} mallinteen tallentamisen"
113 body: "Seuraavat kentät aiheuttivat ongelmia:"
113 body: "Seuraavat kentät aiheuttivat ongelmia:"
114 messages:
114 messages:
115 inclusion: "ei löydy listauksesta"
115 inclusion: "ei löydy listauksesta"
116 exclusion: "on jo varattu"
116 exclusion: "on jo varattu"
117 invalid: "on kelvoton"
117 invalid: "on kelvoton"
118 confirmation: "ei vastaa varmennusta"
118 confirmation: "ei vastaa varmennusta"
119 accepted: "täytyy olla hyväksytty"
119 accepted: "täytyy olla hyväksytty"
120 empty: "ei voi olla tyhjä"
120 empty: "ei voi olla tyhjä"
121 blank: "ei voi olla sisällötön"
121 blank: "ei voi olla sisällötön"
122 too_long: "on liian pitkä (maksimi on {{count}} merkkiä)"
122 too_long: "on liian pitkä (maksimi on {{count}} merkkiä)"
123 too_short: "on liian lyhyt (minimi on {{count}} merkkiä)"
123 too_short: "on liian lyhyt (minimi on {{count}} merkkiä)"
124 wrong_length: "on väärän pituinen (täytyy olla täsmälleen {{count}} merkkiä)"
124 wrong_length: "on väärän pituinen (täytyy olla täsmälleen {{count}} merkkiä)"
125 taken: "on jo käytössä"
125 taken: "on jo käytössä"
126 not_a_number: "ei ole numero"
126 not_a_number: "ei ole numero"
127 greater_than: "täytyy olla suurempi kuin {{count}}"
127 greater_than: "täytyy olla suurempi kuin {{count}}"
128 greater_than_or_equal_to: "täytyy olla suurempi tai yhtä suuri kuin{{count}}"
128 greater_than_or_equal_to: "täytyy olla suurempi tai yhtä suuri kuin{{count}}"
129 equal_to: "täytyy olla yhtä suuri kuin {{count}}"
129 equal_to: "täytyy olla yhtä suuri kuin {{count}}"
130 less_than: "täytyy olla pienempi kuin {{count}}"
130 less_than: "täytyy olla pienempi kuin {{count}}"
131 less_than_or_equal_to: "täytyy olla pienempi tai yhtä suuri kuin {{count}}"
131 less_than_or_equal_to: "täytyy olla pienempi tai yhtä suuri kuin {{count}}"
132 odd: "täytyy olla pariton"
132 odd: "täytyy olla pariton"
133 even: "täytyy olla parillinen"
133 even: "täytyy olla parillinen"
134 greater_than_start_date: "tulee olla aloituspäivän jälkeinen"
134 greater_than_start_date: "tulee olla aloituspäivän jälkeinen"
135 not_same_project: "ei kuulu samaan projektiin"
135 not_same_project: "ei kuulu samaan projektiin"
136 circular_dependency: "Tämä suhde loisi kehän."
136 circular_dependency: "Tämä suhde loisi kehän."
137
137
138
138
139 actionview_instancetag_blank_option: Valitse, ole hyvä
139 actionview_instancetag_blank_option: Valitse, ole hyvä
140
140
141 general_text_No: 'Ei'
141 general_text_No: 'Ei'
142 general_text_Yes: 'Kyllä'
142 general_text_Yes: 'Kyllä'
143 general_text_no: 'ei'
143 general_text_no: 'ei'
144 general_text_yes: 'kyllä'
144 general_text_yes: 'kyllä'
145 general_lang_name: 'Finnish (Suomi)'
145 general_lang_name: 'Finnish (Suomi)'
146 general_csv_separator: ','
146 general_csv_separator: ','
147 general_csv_decimal_separator: '.'
147 general_csv_decimal_separator: '.'
148 general_csv_encoding: ISO-8859-15
148 general_csv_encoding: ISO-8859-15
149 general_pdf_encoding: ISO-8859-15
149 general_pdf_encoding: ISO-8859-15
150 general_first_day_of_week: '1'
150 general_first_day_of_week: '1'
151
151
152 notice_account_updated: Tilin päivitys onnistui.
152 notice_account_updated: Tilin päivitys onnistui.
153 notice_account_invalid_creditentials: Virheellinen käyttäjätunnus tai salasana
153 notice_account_invalid_creditentials: Virheellinen käyttäjätunnus tai salasana
154 notice_account_password_updated: Salasanan päivitys onnistui.
154 notice_account_password_updated: Salasanan päivitys onnistui.
155 notice_account_wrong_password: Väärä salasana
155 notice_account_wrong_password: Väärä salasana
156 notice_account_register_done: Tilin luonti onnistui. Aktivoidaksesi tilin seuraa linkkiä joka välitettiin sähköpostiisi.
156 notice_account_register_done: Tilin luonti onnistui. Aktivoidaksesi tilin seuraa linkkiä joka välitettiin sähköpostiisi.
157 notice_account_unknown_email: Tuntematon käyttäjä.
157 notice_account_unknown_email: Tuntematon käyttäjä.
158 notice_can_t_change_password: Tämä tili käyttää ulkoista tunnistautumisjärjestelmää. Salasanaa ei voi muuttaa.
158 notice_can_t_change_password: Tämä tili käyttää ulkoista tunnistautumisjärjestelmää. Salasanaa ei voi muuttaa.
159 notice_account_lost_email_sent: Sinulle on lähetetty sähköposti jossa on ohje kuinka vaihdat salasanasi.
159 notice_account_lost_email_sent: Sinulle on lähetetty sähköposti jossa on ohje kuinka vaihdat salasanasi.
160 notice_account_activated: Tilisi on nyt aktivoitu, voit kirjautua sisälle.
160 notice_account_activated: Tilisi on nyt aktivoitu, voit kirjautua sisälle.
161 notice_successful_create: Luonti onnistui.
161 notice_successful_create: Luonti onnistui.
162 notice_successful_update: Päivitys onnistui.
162 notice_successful_update: Päivitys onnistui.
163 notice_successful_delete: Poisto onnistui.
163 notice_successful_delete: Poisto onnistui.
164 notice_successful_connection: Yhteyden muodostus onnistui.
164 notice_successful_connection: Yhteyden muodostus onnistui.
165 notice_file_not_found: Hakemaasi sivua ei löytynyt tai se on poistettu.
165 notice_file_not_found: Hakemaasi sivua ei löytynyt tai se on poistettu.
166 notice_locking_conflict: Toinen käyttäjä on päivittänyt tiedot.
166 notice_locking_conflict: Toinen käyttäjä on päivittänyt tiedot.
167 notice_not_authorized: Sinulla ei ole oikeutta näyttää tätä sivua.
167 notice_not_authorized: Sinulla ei ole oikeutta näyttää tätä sivua.
168 notice_email_sent: "Sähköposti on lähetty osoitteeseen {{value}}"
168 notice_email_sent: "Sähköposti on lähetty osoitteeseen {{value}}"
169 notice_email_error: "Sähköpostilähetyksessä tapahtui virhe ({{value}})"
169 notice_email_error: "Sähköpostilähetyksessä tapahtui virhe ({{value}})"
170 notice_feeds_access_key_reseted: RSS salasana on nollaantunut.
170 notice_feeds_access_key_reseted: RSS salasana on nollaantunut.
171 notice_failed_to_save_issues: "{{count}} Tapahtum(an/ien) tallennus epäonnistui {{total}} valitut: {{ids}}."
171 notice_failed_to_save_issues: "{{count}} Tapahtum(an/ien) tallennus epäonnistui {{total}} valitut: {{ids}}."
172 notice_no_issue_selected: "Tapahtumia ei ole valittu! Valitse tapahtumat joita haluat muokata."
172 notice_no_issue_selected: "Tapahtumia ei ole valittu! Valitse tapahtumat joita haluat muokata."
173 notice_account_pending: "Tilisi on luotu ja odottaa ylläpitäjän hyväksyntää."
173 notice_account_pending: "Tilisi on luotu ja odottaa ylläpitäjän hyväksyntää."
174 notice_default_data_loaded: Vakioasetusten palautus onnistui.
174 notice_default_data_loaded: Vakioasetusten palautus onnistui.
175
175
176 error_can_t_load_default_data: "Vakioasetuksia ei voitu ladata: {{value}}"
176 error_can_t_load_default_data: "Vakioasetuksia ei voitu ladata: {{value}}"
177 error_scm_not_found: "Syötettä ja/tai versiota ei löydy tietovarastosta."
177 error_scm_not_found: "Syötettä ja/tai versiota ei löydy tietovarastosta."
178 error_scm_command_failed: "Tietovarastoon pääsyssä tapahtui virhe: {{value}}"
178 error_scm_command_failed: "Tietovarastoon pääsyssä tapahtui virhe: {{value}}"
179
179
180 mail_subject_lost_password: "Sinun {{value}} salasanasi"
180 mail_subject_lost_password: "Sinun {{value}} salasanasi"
181 mail_body_lost_password: 'Vaihtaaksesi salasanasi, napsauta seuraavaa linkkiä:'
181 mail_body_lost_password: 'Vaihtaaksesi salasanasi, napsauta seuraavaa linkkiä:'
182 mail_subject_register: "{{value}} tilin aktivointi"
182 mail_subject_register: "{{value}} tilin aktivointi"
183 mail_body_register: 'Aktivoidaksesi tilisi, napsauta seuraavaa linkkiä:'
183 mail_body_register: 'Aktivoidaksesi tilisi, napsauta seuraavaa linkkiä:'
184 mail_body_account_information_external: "Voit nyt käyttää {{value}} tiliäsi kirjautuaksesi järjestelmään."
184 mail_body_account_information_external: "Voit nyt käyttää {{value}} tiliäsi kirjautuaksesi järjestelmään."
185 mail_body_account_information: Sinun tilin tiedot
185 mail_body_account_information: Sinun tilin tiedot
186 mail_subject_account_activation_request: "{{value}} tilin aktivointi pyyntö"
186 mail_subject_account_activation_request: "{{value}} tilin aktivointi pyyntö"
187 mail_body_account_activation_request: "Uusi käyttäjä ({{value}}) on rekisteröitynyt. Hänen tili odottaa hyväksyntääsi:"
187 mail_body_account_activation_request: "Uusi käyttäjä ({{value}}) on rekisteröitynyt. Hänen tili odottaa hyväksyntääsi:"
188
188
189 gui_validation_error: 1 virhe
189 gui_validation_error: 1 virhe
190 gui_validation_error_plural: "{{count}} virhettä"
190 gui_validation_error_plural: "{{count}} virhettä"
191
191
192 field_name: Nimi
192 field_name: Nimi
193 field_description: Kuvaus
193 field_description: Kuvaus
194 field_summary: Yhteenveto
194 field_summary: Yhteenveto
195 field_is_required: Vaaditaan
195 field_is_required: Vaaditaan
196 field_firstname: Etunimi
196 field_firstname: Etunimi
197 field_lastname: Sukunimi
197 field_lastname: Sukunimi
198 field_mail: Sähköposti
198 field_mail: Sähköposti
199 field_filename: Tiedosto
199 field_filename: Tiedosto
200 field_filesize: Koko
200 field_filesize: Koko
201 field_downloads: Latausta
201 field_downloads: Latausta
202 field_author: Tekijä
202 field_author: Tekijä
203 field_created_on: Luotu
203 field_created_on: Luotu
204 field_updated_on: Päivitetty
204 field_updated_on: Päivitetty
205 field_field_format: Muoto
205 field_field_format: Muoto
206 field_is_for_all: Kaikille projekteille
206 field_is_for_all: Kaikille projekteille
207 field_possible_values: Mahdolliset arvot
207 field_possible_values: Mahdolliset arvot
208 field_regexp: Säännöllinen lauseke (reg exp)
208 field_regexp: Säännöllinen lauseke (reg exp)
209 field_min_length: Minimipituus
209 field_min_length: Minimipituus
210 field_max_length: Maksimipituus
210 field_max_length: Maksimipituus
211 field_value: Arvo
211 field_value: Arvo
212 field_category: Luokka
212 field_category: Luokka
213 field_title: Otsikko
213 field_title: Otsikko
214 field_project: Projekti
214 field_project: Projekti
215 field_issue: Tapahtuma
215 field_issue: Tapahtuma
216 field_status: Tila
216 field_status: Tila
217 field_notes: Muistiinpanot
217 field_notes: Muistiinpanot
218 field_is_closed: Tapahtuma suljettu
218 field_is_closed: Tapahtuma suljettu
219 field_is_default: Vakioarvo
219 field_is_default: Vakioarvo
220 field_tracker: Tapahtuma
220 field_tracker: Tapahtuma
221 field_subject: Aihe
221 field_subject: Aihe
222 field_due_date: Määräaika
222 field_due_date: Määräaika
223 field_assigned_to: Nimetty
223 field_assigned_to: Nimetty
224 field_priority: Prioriteetti
224 field_priority: Prioriteetti
225 field_fixed_version: Kohdeversio
225 field_fixed_version: Kohdeversio
226 field_user: Käyttäjä
226 field_user: Käyttäjä
227 field_role: Rooli
227 field_role: Rooli
228 field_homepage: Kotisivu
228 field_homepage: Kotisivu
229 field_is_public: Julkinen
229 field_is_public: Julkinen
230 field_parent: Aliprojekti
230 field_parent: Aliprojekti
231 field_is_in_chlog: Tapahtumat näytetään muutoslokissa
231 field_is_in_chlog: Tapahtumat näytetään muutoslokissa
232 field_is_in_roadmap: Tapahtumat näytetään roadmap näkymässä
232 field_is_in_roadmap: Tapahtumat näytetään roadmap näkymässä
233 field_login: Kirjautuminen
233 field_login: Kirjautuminen
234 field_mail_notification: Sähköposti muistutukset
234 field_mail_notification: Sähköposti muistutukset
235 field_admin: Ylläpitäjä
235 field_admin: Ylläpitäjä
236 field_last_login_on: Viimeinen yhteys
236 field_last_login_on: Viimeinen yhteys
237 field_language: Kieli
237 field_language: Kieli
238 field_effective_date: Päivä
238 field_effective_date: Päivä
239 field_password: Salasana
239 field_password: Salasana
240 field_new_password: Uusi salasana
240 field_new_password: Uusi salasana
241 field_password_confirmation: Vahvistus
241 field_password_confirmation: Vahvistus
242 field_version: Versio
242 field_version: Versio
243 field_type: Tyyppi
243 field_type: Tyyppi
244 field_host: Verkko-osoite
244 field_host: Verkko-osoite
245 field_port: Portti
245 field_port: Portti
246 field_account: Tili
246 field_account: Tili
247 field_base_dn: Base DN
247 field_base_dn: Base DN
248 field_attr_login: Kirjautumismääre
248 field_attr_login: Kirjautumismääre
249 field_attr_firstname: Etuminenmääre
249 field_attr_firstname: Etuminenmääre
250 field_attr_lastname: Sukunimenmääre
250 field_attr_lastname: Sukunimenmääre
251 field_attr_mail: Sähköpostinmääre
251 field_attr_mail: Sähköpostinmääre
252 field_onthefly: Automaattinen käyttäjien luonti
252 field_onthefly: Automaattinen käyttäjien luonti
253 field_start_date: Alku
253 field_start_date: Alku
254 field_done_ratio: % Tehty
254 field_done_ratio: % Tehty
255 field_auth_source: Varmennusmuoto
255 field_auth_source: Varmennusmuoto
256 field_hide_mail: Piiloita sähköpostiosoitteeni
256 field_hide_mail: Piiloita sähköpostiosoitteeni
257 field_comments: Kommentti
257 field_comments: Kommentti
258 field_url: URL
258 field_url: URL
259 field_start_page: Aloitussivu
259 field_start_page: Aloitussivu
260 field_subproject: Aliprojekti
260 field_subproject: Aliprojekti
261 field_hours: Tuntia
261 field_hours: Tuntia
262 field_activity: Historia
262 field_activity: Historia
263 field_spent_on: Päivä
263 field_spent_on: Päivä
264 field_identifier: Tunniste
264 field_identifier: Tunniste
265 field_is_filter: Käytetään suodattimena
265 field_is_filter: Käytetään suodattimena
266 field_issue_to_id: Liittyvä tapahtuma
266 field_issue_to_id: Liittyvä tapahtuma
267 field_delay: Viive
267 field_delay: Viive
268 field_assignable: Tapahtumia voidaan nimetä tälle roolille
268 field_assignable: Tapahtumia voidaan nimetä tälle roolille
269 field_redirect_existing_links: Uudelleenohjaa olemassa olevat linkit
269 field_redirect_existing_links: Uudelleenohjaa olemassa olevat linkit
270 field_estimated_hours: Arvioitu aika
270 field_estimated_hours: Arvioitu aika
271 field_column_names: Saraketta
271 field_column_names: Saraketta
272 field_time_zone: Aikavyöhyke
272 field_time_zone: Aikavyöhyke
273 field_searchable: Haettava
273 field_searchable: Haettava
274 field_default_value: Vakioarvo
274 field_default_value: Vakioarvo
275
275
276 setting_app_title: Ohjelman otsikko
276 setting_app_title: Ohjelman otsikko
277 setting_app_subtitle: Ohjelman alaotsikko
277 setting_app_subtitle: Ohjelman alaotsikko
278 setting_welcome_text: Tervehdysteksti
278 setting_welcome_text: Tervehdysteksti
279 setting_default_language: Vakiokieli
279 setting_default_language: Vakiokieli
280 setting_login_required: Pakollinen kirjautuminen
280 setting_login_required: Pakollinen kirjautuminen
281 setting_self_registration: Itserekisteröinti
281 setting_self_registration: Itserekisteröinti
282 setting_attachment_max_size: Liitteen maksimikoko
282 setting_attachment_max_size: Liitteen maksimikoko
283 setting_issues_export_limit: Tapahtumien vientirajoite
283 setting_issues_export_limit: Tapahtumien vientirajoite
284 setting_mail_from: Lähettäjän sähköpostiosoite
284 setting_mail_from: Lähettäjän sähköpostiosoite
285 setting_bcc_recipients: Vastaanottajat piilokopiona (bcc)
285 setting_bcc_recipients: Vastaanottajat piilokopiona (bcc)
286 setting_host_name: Verkko-osoite
286 setting_host_name: Verkko-osoite
287 setting_text_formatting: Tekstin muotoilu
287 setting_text_formatting: Tekstin muotoilu
288 setting_wiki_compression: Wiki historian pakkaus
288 setting_wiki_compression: Wiki historian pakkaus
289 setting_feeds_limit: Syötteen sisällön raja
289 setting_feeds_limit: Syötteen sisällön raja
290 setting_autofetch_changesets: Automaattisten muutosjoukkojen haku
290 setting_autofetch_changesets: Automaattisten muutosjoukkojen haku
291 setting_sys_api_enabled: Salli WS tietovaraston hallintaan
291 setting_sys_api_enabled: Salli WS tietovaraston hallintaan
292 setting_commit_ref_keywords: Viittaavat hakusanat
292 setting_commit_ref_keywords: Viittaavat hakusanat
293 setting_commit_fix_keywords: Korjaavat hakusanat
293 setting_commit_fix_keywords: Korjaavat hakusanat
294 setting_autologin: Automaatinen kirjautuminen
294 setting_autologin: Automaatinen kirjautuminen
295 setting_date_format: Päivän muoto
295 setting_date_format: Päivän muoto
296 setting_time_format: Ajan muoto
296 setting_time_format: Ajan muoto
297 setting_cross_project_issue_relations: Salli projektien väliset tapahtuminen suhteet
297 setting_cross_project_issue_relations: Salli projektien väliset tapahtuminen suhteet
298 setting_issue_list_default_columns: Vakiosarakkeiden näyttö tapahtumalistauksessa
298 setting_issue_list_default_columns: Vakiosarakkeiden näyttö tapahtumalistauksessa
299 setting_repositories_encodings: Tietovaraston koodaus
299 setting_repositories_encodings: Tietovaraston koodaus
300 setting_emails_footer: Sähköpostin alatunniste
300 setting_emails_footer: Sähköpostin alatunniste
301 setting_protocol: Protokolla
301 setting_protocol: Protokolla
302 setting_per_page_options: Sivun objektien määrän asetukset
302 setting_per_page_options: Sivun objektien määrän asetukset
303
303
304 label_user: Käyttäjä
304 label_user: Käyttäjä
305 label_user_plural: Käyttäjät
305 label_user_plural: Käyttäjät
306 label_user_new: Uusi käyttäjä
306 label_user_new: Uusi käyttäjä
307 label_project: Projekti
307 label_project: Projekti
308 label_project_new: Uusi projekti
308 label_project_new: Uusi projekti
309 label_project_plural: Projektit
309 label_project_plural: Projektit
310 label_x_projects:
310 label_x_projects:
311 zero: no projects
311 zero: no projects
312 one: 1 project
312 one: 1 project
313 other: "{{count}} projects"
313 other: "{{count}} projects"
314 label_project_all: Kaikki projektit
314 label_project_all: Kaikki projektit
315 label_project_latest: Uusimmat projektit
315 label_project_latest: Uusimmat projektit
316 label_issue: Tapahtuma
316 label_issue: Tapahtuma
317 label_issue_new: Uusi tapahtuma
317 label_issue_new: Uusi tapahtuma
318 label_issue_plural: Tapahtumat
318 label_issue_plural: Tapahtumat
319 label_issue_view_all: Näytä kaikki tapahtumat
319 label_issue_view_all: Näytä kaikki tapahtumat
320 label_issues_by: "Tapahtumat {{value}}"
320 label_issues_by: "Tapahtumat {{value}}"
321 label_document: Dokumentti
321 label_document: Dokumentti
322 label_document_new: Uusi dokumentti
322 label_document_new: Uusi dokumentti
323 label_document_plural: Dokumentit
323 label_document_plural: Dokumentit
324 label_role: Rooli
324 label_role: Rooli
325 label_role_plural: Roolit
325 label_role_plural: Roolit
326 label_role_new: Uusi rooli
326 label_role_new: Uusi rooli
327 label_role_and_permissions: Roolit ja oikeudet
327 label_role_and_permissions: Roolit ja oikeudet
328 label_member: Jäsen
328 label_member: Jäsen
329 label_member_new: Uusi jäsen
329 label_member_new: Uusi jäsen
330 label_member_plural: Jäsenet
330 label_member_plural: Jäsenet
331 label_tracker: Tapahtuma
331 label_tracker: Tapahtuma
332 label_tracker_plural: Tapahtumat
332 label_tracker_plural: Tapahtumat
333 label_tracker_new: Uusi tapahtuma
333 label_tracker_new: Uusi tapahtuma
334 label_workflow: Työnkulku
334 label_workflow: Työnkulku
335 label_issue_status: Tapahtuman tila
335 label_issue_status: Tapahtuman tila
336 label_issue_status_plural: Tapahtumien tilat
336 label_issue_status_plural: Tapahtumien tilat
337 label_issue_status_new: Uusi tila
337 label_issue_status_new: Uusi tila
338 label_issue_category: Tapahtumaluokka
338 label_issue_category: Tapahtumaluokka
339 label_issue_category_plural: Tapahtumaluokat
339 label_issue_category_plural: Tapahtumaluokat
340 label_issue_category_new: Uusi luokka
340 label_issue_category_new: Uusi luokka
341 label_custom_field: Räätälöity kenttä
341 label_custom_field: Räätälöity kenttä
342 label_custom_field_plural: Räätälöidyt kentät
342 label_custom_field_plural: Räätälöidyt kentät
343 label_custom_field_new: Uusi räätälöity kenttä
343 label_custom_field_new: Uusi räätälöity kenttä
344 label_enumerations: Lista
344 label_enumerations: Lista
345 label_enumeration_new: Uusi arvo
345 label_enumeration_new: Uusi arvo
346 label_information: Tieto
346 label_information: Tieto
347 label_information_plural: Tiedot
347 label_information_plural: Tiedot
348 label_please_login: Kirjaudu ole hyvä
348 label_please_login: Kirjaudu ole hyvä
349 label_register: Rekisteröidy
349 label_register: Rekisteröidy
350 label_password_lost: Hukattu salasana
350 label_password_lost: Hukattu salasana
351 label_home: Koti
351 label_home: Koti
352 label_my_page: Omasivu
352 label_my_page: Omasivu
353 label_my_account: Oma tili
353 label_my_account: Oma tili
354 label_my_projects: Omat projektit
354 label_my_projects: Omat projektit
355 label_administration: Ylläpito
355 label_administration: Ylläpito
356 label_login: Kirjaudu sisään
356 label_login: Kirjaudu sisään
357 label_logout: Kirjaudu ulos
357 label_logout: Kirjaudu ulos
358 label_help: Ohjeet
358 label_help: Ohjeet
359 label_reported_issues: Raportoidut tapahtumat
359 label_reported_issues: Raportoidut tapahtumat
360 label_assigned_to_me_issues: Minulle nimetyt tapahtumat
360 label_assigned_to_me_issues: Minulle nimetyt tapahtumat
361 label_last_login: Viimeinen yhteys
361 label_last_login: Viimeinen yhteys
362 label_registered_on: Rekisteröity
362 label_registered_on: Rekisteröity
363 label_activity: Historia
363 label_activity: Historia
364 label_new: Uusi
364 label_new: Uusi
365 label_logged_as: Kirjauduttu nimellä
365 label_logged_as: Kirjauduttu nimellä
366 label_environment: Ympäristö
366 label_environment: Ympäristö
367 label_authentication: Varmennus
367 label_authentication: Varmennus
368 label_auth_source: Varmennustapa
368 label_auth_source: Varmennustapa
369 label_auth_source_new: Uusi varmennustapa
369 label_auth_source_new: Uusi varmennustapa
370 label_auth_source_plural: Varmennustavat
370 label_auth_source_plural: Varmennustavat
371 label_subproject_plural: Aliprojektit
371 label_subproject_plural: Aliprojektit
372 label_min_max_length: Min - Max pituudet
372 label_min_max_length: Min - Max pituudet
373 label_list: Lista
373 label_list: Lista
374 label_date: Päivä
374 label_date: Päivä
375 label_integer: Kokonaisluku
375 label_integer: Kokonaisluku
376 label_float: Liukuluku
376 label_float: Liukuluku
377 label_boolean: Totuusarvomuuttuja
377 label_boolean: Totuusarvomuuttuja
378 label_string: Merkkijono
378 label_string: Merkkijono
379 label_text: Pitkä merkkijono
379 label_text: Pitkä merkkijono
380 label_attribute: Määre
380 label_attribute: Määre
381 label_attribute_plural: Määreet
381 label_attribute_plural: Määreet
382 label_download: "{{count}} Lataus"
382 label_download: "{{count}} Lataus"
383 label_download_plural: "{{count}} Lataukset"
383 label_download_plural: "{{count}} Lataukset"
384 label_no_data: Ei tietoa näytettäväksi
384 label_no_data: Ei tietoa näytettäväksi
385 label_change_status: Muutos tila
385 label_change_status: Muutos tila
386 label_history: Historia
386 label_history: Historia
387 label_attachment: Tiedosto
387 label_attachment: Tiedosto
388 label_attachment_new: Uusi tiedosto
388 label_attachment_new: Uusi tiedosto
389 label_attachment_delete: Poista tiedosto
389 label_attachment_delete: Poista tiedosto
390 label_attachment_plural: Tiedostot
390 label_attachment_plural: Tiedostot
391 label_report: Raportti
391 label_report: Raportti
392 label_report_plural: Raportit
392 label_report_plural: Raportit
393 label_news: Uutinen
393 label_news: Uutinen
394 label_news_new: Lisää uutinen
394 label_news_new: Lisää uutinen
395 label_news_plural: Uutiset
395 label_news_plural: Uutiset
396 label_news_latest: Viimeisimmät uutiset
396 label_news_latest: Viimeisimmät uutiset
397 label_news_view_all: Näytä kaikki uutiset
397 label_news_view_all: Näytä kaikki uutiset
398 label_change_log: Muutosloki
398 label_change_log: Muutosloki
399 label_settings: Asetukset
399 label_settings: Asetukset
400 label_overview: Yleiskatsaus
400 label_overview: Yleiskatsaus
401 label_version: Versio
401 label_version: Versio
402 label_version_new: Uusi versio
402 label_version_new: Uusi versio
403 label_version_plural: Versiot
403 label_version_plural: Versiot
404 label_confirmation: Vahvistus
404 label_confirmation: Vahvistus
405 label_export_to: Vie
405 label_export_to: Vie
406 label_read: Lukee...
406 label_read: Lukee...
407 label_public_projects: Julkiset projektit
407 label_public_projects: Julkiset projektit
408 label_open_issues: avoin, yhteensä
408 label_open_issues: avoin, yhteensä
409 label_open_issues_plural: avointa, yhteensä
409 label_open_issues_plural: avointa, yhteensä
410 label_closed_issues: suljettu
410 label_closed_issues: suljettu
411 label_closed_issues_plural: suljettua
411 label_closed_issues_plural: suljettua
412 label_x_open_issues_abbr_on_total:
412 label_x_open_issues_abbr_on_total:
413 zero: 0 open / {{total}}
413 zero: 0 open / {{total}}
414 one: 1 open / {{total}}
414 one: 1 open / {{total}}
415 other: "{{count}} open / {{total}}"
415 other: "{{count}} open / {{total}}"
416 label_x_open_issues_abbr:
416 label_x_open_issues_abbr:
417 zero: 0 open
417 zero: 0 open
418 one: 1 open
418 one: 1 open
419 other: "{{count}} open"
419 other: "{{count}} open"
420 label_x_closed_issues_abbr:
420 label_x_closed_issues_abbr:
421 zero: 0 closed
421 zero: 0 closed
422 one: 1 closed
422 one: 1 closed
423 other: "{{count}} closed"
423 other: "{{count}} closed"
424 label_total: Yhteensä
424 label_total: Yhteensä
425 label_permissions: Oikeudet
425 label_permissions: Oikeudet
426 label_current_status: Nykyinen tila
426 label_current_status: Nykyinen tila
427 label_new_statuses_allowed: Uudet tilat sallittu
427 label_new_statuses_allowed: Uudet tilat sallittu
428 label_all: kaikki
428 label_all: kaikki
429 label_none: ei mitään
429 label_none: ei mitään
430 label_nobody: ei kukaan
430 label_nobody: ei kukaan
431 label_next: Seuraava
431 label_next: Seuraava
432 label_previous: Edellinen
432 label_previous: Edellinen
433 label_used_by: Käytetty
433 label_used_by: Käytetty
434 label_details: Yksityiskohdat
434 label_details: Yksityiskohdat
435 label_add_note: Lisää muistiinpano
435 label_add_note: Lisää muistiinpano
436 label_per_page: Per sivu
436 label_per_page: Per sivu
437 label_calendar: Kalenteri
437 label_calendar: Kalenteri
438 label_months_from: kuukauden päässä
438 label_months_from: kuukauden päässä
439 label_gantt: Gantt
439 label_gantt: Gantt
440 label_internal: Sisäinen
440 label_internal: Sisäinen
441 label_last_changes: "viimeiset {{count}} muutokset"
441 label_last_changes: "viimeiset {{count}} muutokset"
442 label_change_view_all: Näytä kaikki muutokset
442 label_change_view_all: Näytä kaikki muutokset
443 label_personalize_page: Personoi tämä sivu
443 label_personalize_page: Personoi tämä sivu
444 label_comment: Kommentti
444 label_comment: Kommentti
445 label_comment_plural: Kommentit
445 label_comment_plural: Kommentit
446 label_x_comments:
446 label_x_comments:
447 zero: no comments
447 zero: no comments
448 one: 1 comment
448 one: 1 comment
449 other: "{{count}} comments"
449 other: "{{count}} comments"
450 label_comment_add: Lisää kommentti
450 label_comment_add: Lisää kommentti
451 label_comment_added: Kommentti lisätty
451 label_comment_added: Kommentti lisätty
452 label_comment_delete: Poista kommentti
452 label_comment_delete: Poista kommentti
453 label_query: Räätälöity haku
453 label_query: Räätälöity haku
454 label_query_plural: Räätälöidyt haut
454 label_query_plural: Räätälöidyt haut
455 label_query_new: Uusi haku
455 label_query_new: Uusi haku
456 label_filter_add: Lisää suodatin
456 label_filter_add: Lisää suodatin
457 label_filter_plural: Suodattimet
457 label_filter_plural: Suodattimet
458 label_equals: sama kuin
458 label_equals: sama kuin
459 label_not_equals: eri kuin
459 label_not_equals: eri kuin
460 label_in_less_than: pienempi kuin
460 label_in_less_than: pienempi kuin
461 label_in_more_than: suurempi kuin
461 label_in_more_than: suurempi kuin
462 label_today: tänään
462 label_today: tänään
463 label_this_week: tällä viikolla
463 label_this_week: tällä viikolla
464 label_less_than_ago: vähemmän kuin päivää sitten
464 label_less_than_ago: vähemmän kuin päivää sitten
465 label_more_than_ago: enemän kuin päivää sitten
465 label_more_than_ago: enemän kuin päivää sitten
466 label_ago: päiviä sitten
466 label_ago: päiviä sitten
467 label_contains: sisältää
467 label_contains: sisältää
468 label_not_contains: ei sisällä
468 label_not_contains: ei sisällä
469 label_day_plural: päivää
469 label_day_plural: päivää
470 label_repository: Tietovarasto
470 label_repository: Tietovarasto
471 label_repository_plural: Tietovarastot
471 label_repository_plural: Tietovarastot
472 label_browse: Selaus
472 label_browse: Selaus
473 label_modification: "{{count}} muutos"
473 label_modification: "{{count}} muutos"
474 label_modification_plural: "{{count}} muutettu"
474 label_modification_plural: "{{count}} muutettu"
475 label_revision: Versio
475 label_revision: Versio
476 label_revision_plural: Versiot
476 label_revision_plural: Versiot
477 label_added: lisätty
477 label_added: lisätty
478 label_modified: muokattu
478 label_modified: muokattu
479 label_deleted: poistettu
479 label_deleted: poistettu
480 label_latest_revision: Viimeisin versio
480 label_latest_revision: Viimeisin versio
481 label_latest_revision_plural: Viimeisimmät versiot
481 label_latest_revision_plural: Viimeisimmät versiot
482 label_view_revisions: Näytä versiot
482 label_view_revisions: Näytä versiot
483 label_max_size: Suurin koko
483 label_max_size: Suurin koko
484 label_sort_highest: Siirrä ylimmäiseksi
484 label_sort_highest: Siirrä ylimmäiseksi
485 label_sort_higher: Siirrä ylös
485 label_sort_higher: Siirrä ylös
486 label_sort_lower: Siirrä alas
486 label_sort_lower: Siirrä alas
487 label_sort_lowest: Siirrä alimmaiseksi
487 label_sort_lowest: Siirrä alimmaiseksi
488 label_roadmap: Roadmap
488 label_roadmap: Roadmap
489 label_roadmap_due_in: "Määräaika {{value}}"
489 label_roadmap_due_in: "Määräaika {{value}}"
490 label_roadmap_overdue: "{{value}} myöhässä"
490 label_roadmap_overdue: "{{value}} myöhässä"
491 label_roadmap_no_issues: Ei tapahtumia tälle versiolle
491 label_roadmap_no_issues: Ei tapahtumia tälle versiolle
492 label_search: Haku
492 label_search: Haku
493 label_result_plural: Tulokset
493 label_result_plural: Tulokset
494 label_all_words: kaikki sanat
494 label_all_words: kaikki sanat
495 label_wiki: Wiki
495 label_wiki: Wiki
496 label_wiki_edit: Wiki muokkaus
496 label_wiki_edit: Wiki muokkaus
497 label_wiki_edit_plural: Wiki muokkaukset
497 label_wiki_edit_plural: Wiki muokkaukset
498 label_wiki_page: Wiki sivu
498 label_wiki_page: Wiki sivu
499 label_wiki_page_plural: Wiki sivut
499 label_wiki_page_plural: Wiki sivut
500 label_index_by_title: Hakemisto otsikoittain
500 label_index_by_title: Hakemisto otsikoittain
501 label_index_by_date: Hakemisto päivittäin
501 label_index_by_date: Hakemisto päivittäin
502 label_current_version: Nykyinen versio
502 label_current_version: Nykyinen versio
503 label_preview: Esikatselu
503 label_preview: Esikatselu
504 label_feed_plural: Syötteet
504 label_feed_plural: Syötteet
505 label_changes_details: Kaikkien muutosten yksityiskohdat
505 label_changes_details: Kaikkien muutosten yksityiskohdat
506 label_issue_tracking: Tapahtumien seuranta
506 label_issue_tracking: Tapahtumien seuranta
507 label_spent_time: Käytetty aika
507 label_spent_time: Käytetty aika
508 label_f_hour: "{{value}} tunti"
508 label_f_hour: "{{value}} tunti"
509 label_f_hour_plural: "{{value}} tuntia"
509 label_f_hour_plural: "{{value}} tuntia"
510 label_time_tracking: Ajan seuranta
510 label_time_tracking: Ajan seuranta
511 label_change_plural: Muutokset
511 label_change_plural: Muutokset
512 label_statistics: Tilastot
512 label_statistics: Tilastot
513 label_commits_per_month: Tapahtumaa per kuukausi
513 label_commits_per_month: Tapahtumaa per kuukausi
514 label_commits_per_author: Tapahtumaa per tekijä
514 label_commits_per_author: Tapahtumaa per tekijä
515 label_view_diff: Näytä erot
515 label_view_diff: Näytä erot
516 label_diff_inline: sisällössä
516 label_diff_inline: sisällössä
517 label_diff_side_by_side: vierekkäin
517 label_diff_side_by_side: vierekkäin
518 label_options: Valinnat
518 label_options: Valinnat
519 label_copy_workflow_from: Kopioi työnkulku
519 label_copy_workflow_from: Kopioi työnkulku
520 label_permissions_report: Oikeuksien raportti
520 label_permissions_report: Oikeuksien raportti
521 label_watched_issues: Seurattavat tapahtumat
521 label_watched_issues: Seurattavat tapahtumat
522 label_related_issues: Liittyvät tapahtumat
522 label_related_issues: Liittyvät tapahtumat
523 label_applied_status: Lisätty tila
523 label_applied_status: Lisätty tila
524 label_loading: Lataa...
524 label_loading: Lataa...
525 label_relation_new: Uusi suhde
525 label_relation_new: Uusi suhde
526 label_relation_delete: Poista suhde
526 label_relation_delete: Poista suhde
527 label_relates_to: liittyy
527 label_relates_to: liittyy
528 label_duplicates: kopio
528 label_duplicates: kopio
529 label_blocks: estää
529 label_blocks: estää
530 label_blocked_by: estetty
530 label_blocked_by: estetty
531 label_precedes: edeltää
531 label_precedes: edeltää
532 label_follows: seuraa
532 label_follows: seuraa
533 label_end_to_start: lopusta alkuun
533 label_end_to_start: lopusta alkuun
534 label_end_to_end: lopusta loppuun
534 label_end_to_end: lopusta loppuun
535 label_start_to_start: alusta alkuun
535 label_start_to_start: alusta alkuun
536 label_start_to_end: alusta loppuun
536 label_start_to_end: alusta loppuun
537 label_stay_logged_in: Pysy kirjautuneena
537 label_stay_logged_in: Pysy kirjautuneena
538 label_disabled: poistettu käytöstä
538 label_disabled: poistettu käytöstä
539 label_show_completed_versions: Näytä valmiit versiot
539 label_show_completed_versions: Näytä valmiit versiot
540 label_me: minä
540 label_me: minä
541 label_board: Keskustelupalsta
541 label_board: Keskustelupalsta
542 label_board_new: Uusi keskustelupalsta
542 label_board_new: Uusi keskustelupalsta
543 label_board_plural: Keskustelupalstat
543 label_board_plural: Keskustelupalstat
544 label_topic_plural: Aiheet
544 label_topic_plural: Aiheet
545 label_message_plural: Viestit
545 label_message_plural: Viestit
546 label_message_last: Viimeisin viesti
546 label_message_last: Viimeisin viesti
547 label_message_new: Uusi viesti
547 label_message_new: Uusi viesti
548 label_reply_plural: Vastaukset
548 label_reply_plural: Vastaukset
549 label_send_information: Lähetä tilin tiedot käyttäjälle
549 label_send_information: Lähetä tilin tiedot käyttäjälle
550 label_year: Vuosi
550 label_year: Vuosi
551 label_month: Kuukausi
551 label_month: Kuukausi
552 label_week: Viikko
552 label_week: Viikko
553 label_language_based: Pohjautuen käyttäjän kieleen
553 label_language_based: Pohjautuen käyttäjän kieleen
554 label_sort_by: "Lajittele {{value}}"
554 label_sort_by: "Lajittele {{value}}"
555 label_send_test_email: Lähetä testi sähköposti
555 label_send_test_email: Lähetä testi sähköposti
556 label_feeds_access_key_created_on: "RSS salasana luotiin {{value}} sitten"
556 label_feeds_access_key_created_on: "RSS salasana luotiin {{value}} sitten"
557 label_module_plural: Moduulit
557 label_module_plural: Moduulit
558 label_added_time_by: "Lisännyt {{author}} {{age}} sitten"
558 label_added_time_by: "Lisännyt {{author}} {{age}} sitten"
559 label_updated_time: "Päivitetty {{value}} sitten"
559 label_updated_time: "Päivitetty {{value}} sitten"
560 label_jump_to_a_project: Siirry projektiin...
560 label_jump_to_a_project: Siirry projektiin...
561 label_file_plural: Tiedostot
561 label_file_plural: Tiedostot
562 label_changeset_plural: Muutosryhmät
562 label_changeset_plural: Muutosryhmät
563 label_default_columns: Vakiosarakkeet
563 label_default_columns: Vakiosarakkeet
564 label_no_change_option: (Ei muutosta)
564 label_no_change_option: (Ei muutosta)
565 label_bulk_edit_selected_issues: Perusmuotoile valitut tapahtumat
565 label_bulk_edit_selected_issues: Perusmuotoile valitut tapahtumat
566 label_theme: Teema
566 label_theme: Teema
567 label_default: Vakio
567 label_default: Vakio
568 label_search_titles_only: Hae vain otsikot
568 label_search_titles_only: Hae vain otsikot
569 label_user_mail_option_all: "Kaikista tapahtumista kaikissa projekteistani"
569 label_user_mail_option_all: "Kaikista tapahtumista kaikissa projekteistani"
570 label_user_mail_option_selected: "Kaikista tapahtumista vain valitsemistani projekteista..."
570 label_user_mail_option_selected: "Kaikista tapahtumista vain valitsemistani projekteista..."
571 label_user_mail_option_none: "Vain tapahtumista joita valvon tai olen mukana"
571 label_user_mail_option_none: "Vain tapahtumista joita valvon tai olen mukana"
572 label_user_mail_no_self_notified: "En halua muistutusta muutoksista joita itse teen"
572 label_user_mail_no_self_notified: "En halua muistutusta muutoksista joita itse teen"
573 label_registration_activation_by_email: tilin aktivointi sähköpostitse
573 label_registration_activation_by_email: tilin aktivointi sähköpostitse
574 label_registration_manual_activation: tilin aktivointi käsin
574 label_registration_manual_activation: tilin aktivointi käsin
575 label_registration_automatic_activation: tilin aktivointi automaattisesti
575 label_registration_automatic_activation: tilin aktivointi automaattisesti
576 label_display_per_page: "Per sivu: {{value}}"
576 label_display_per_page: "Per sivu: {{value}}"
577 label_age: Ikä
577 label_age: Ikä
578 label_change_properties: Vaihda asetuksia
578 label_change_properties: Vaihda asetuksia
579 label_general: Yleinen
579 label_general: Yleinen
580
580
581 button_login: Kirjaudu
581 button_login: Kirjaudu
582 button_submit: Lähetä
582 button_submit: Lähetä
583 button_save: Tallenna
583 button_save: Tallenna
584 button_check_all: Valitse kaikki
584 button_check_all: Valitse kaikki
585 button_uncheck_all: Poista valinnat
585 button_uncheck_all: Poista valinnat
586 button_delete: Poista
586 button_delete: Poista
587 button_create: Luo
587 button_create: Luo
588 button_test: Testaa
588 button_test: Testaa
589 button_edit: Muokkaa
589 button_edit: Muokkaa
590 button_add: Lisää
590 button_add: Lisää
591 button_change: Muuta
591 button_change: Muuta
592 button_apply: Ota käyttöön
592 button_apply: Ota käyttöön
593 button_clear: Tyhjää
593 button_clear: Tyhjää
594 button_lock: Lukitse
594 button_lock: Lukitse
595 button_unlock: Vapauta
595 button_unlock: Vapauta
596 button_download: Lataa
596 button_download: Lataa
597 button_list: Lista
597 button_list: Lista
598 button_view: Näytä
598 button_view: Näytä
599 button_move: Siirrä
599 button_move: Siirrä
600 button_back: Takaisin
600 button_back: Takaisin
601 button_cancel: Peruuta
601 button_cancel: Peruuta
602 button_activate: Aktivoi
602 button_activate: Aktivoi
603 button_sort: Järjestä
603 button_sort: Järjestä
604 button_log_time: Seuraa aikaa
604 button_log_time: Seuraa aikaa
605 button_rollback: Siirry takaisin tähän versioon
605 button_rollback: Siirry takaisin tähän versioon
606 button_watch: Seuraa
606 button_watch: Seuraa
607 button_unwatch: Älä seuraa
607 button_unwatch: Älä seuraa
608 button_reply: Vastaa
608 button_reply: Vastaa
609 button_archive: Arkistoi
609 button_archive: Arkistoi
610 button_unarchive: Palauta
610 button_unarchive: Palauta
611 button_reset: Nollaus
611 button_reset: Nollaus
612 button_rename: Uudelleen nimeä
612 button_rename: Uudelleen nimeä
613 button_change_password: Vaihda salasana
613 button_change_password: Vaihda salasana
614 button_copy: Kopioi
614 button_copy: Kopioi
615 button_annotate: Lisää selitys
615 button_annotate: Lisää selitys
616 button_update: Päivitä
616 button_update: Päivitä
617
617
618 status_active: aktiivinen
618 status_active: aktiivinen
619 status_registered: rekisteröity
619 status_registered: rekisteröity
620 status_locked: lukittu
620 status_locked: lukittu
621
621
622 text_select_mail_notifications: Valitse tapahtumat joista tulisi lähettää sähköpostimuistutus.
622 text_select_mail_notifications: Valitse tapahtumat joista tulisi lähettää sähköpostimuistutus.
623 text_regexp_info: esim. ^[A-Z0-9]+$
623 text_regexp_info: esim. ^[A-Z0-9]+$
624 text_min_max_length_info: 0 tarkoittaa, ei rajoitusta
624 text_min_max_length_info: 0 tarkoittaa, ei rajoitusta
625 text_project_destroy_confirmation: Oletko varma että haluat poistaa tämän projektin ja kaikki siihen kuuluvat tiedot?
625 text_project_destroy_confirmation: Oletko varma että haluat poistaa tämän projektin ja kaikki siihen kuuluvat tiedot?
626 text_workflow_edit: Valitse rooli ja tapahtuma muokataksesi työnkulkua
626 text_workflow_edit: Valitse rooli ja tapahtuma muokataksesi työnkulkua
627 text_are_you_sure: Oletko varma?
627 text_are_you_sure: Oletko varma?
628 text_journal_changed: "{{old}} muutettu arvoksi {{new}}"
628 text_journal_changed: "{{old}} muutettu arvoksi {{new}}"
629 text_journal_set_to: "muutettu {{value}}"
629 text_journal_set_to: "muutettu {{value}}"
630 text_journal_deleted: poistettu
630 text_journal_deleted: poistettu
631 text_tip_task_begin_day: tehtävä joka alkaa tänä päivänä
631 text_tip_task_begin_day: tehtävä joka alkaa tänä päivänä
632 text_tip_task_end_day: tehtävä joka loppuu tänä päivänä
632 text_tip_task_end_day: tehtävä joka loppuu tänä päivänä
633 text_tip_task_begin_end_day: tehtävä joka alkaa ja loppuu tänä päivänä
633 text_tip_task_begin_end_day: tehtävä joka alkaa ja loppuu tänä päivänä
634 text_project_identifier_info: 'Pienet kirjaimet (a-z), numerot ja viivat ovat sallittu.<br />Tallentamisen jälkeen tunnistetta ei voi muuttaa.'
634 text_project_identifier_info: 'Pienet kirjaimet (a-z), numerot ja viivat ovat sallittu.<br />Tallentamisen jälkeen tunnistetta ei voi muuttaa.'
635 text_caracters_maximum: "{{count}} merkkiä enintään."
635 text_caracters_maximum: "{{count}} merkkiä enintään."
636 text_caracters_minimum: "Täytyy olla vähintään {{count}} merkkiä pitkä."
636 text_caracters_minimum: "Täytyy olla vähintään {{count}} merkkiä pitkä."
637 text_length_between: "Pituus välillä {{min}} ja {{max}} merkkiä."
637 text_length_between: "Pituus välillä {{min}} ja {{max}} merkkiä."
638 text_tracker_no_workflow: Työnkulkua ei määritelty tälle tapahtumalle
638 text_tracker_no_workflow: Työnkulkua ei määritelty tälle tapahtumalle
639 text_unallowed_characters: Kiellettyjä merkkejä
639 text_unallowed_characters: Kiellettyjä merkkejä
640 text_comma_separated: Useat arvot sallittu (pilkku eroteltuna).
640 text_comma_separated: Useat arvot sallittu (pilkku eroteltuna).
641 text_issues_ref_in_commit_messages: Liitän ja korjaan ongelmia syötetyssä viestissä
641 text_issues_ref_in_commit_messages: Liitän ja korjaan ongelmia syötetyssä viestissä
642 text_issue_added: "Issue {{id}} has been reported by {{author}}."
642 text_issue_added: "Issue {{id}} has been reported by {{author}}."
643 text_issue_updated: "Issue {{id}} has been updated by {{author}}."
643 text_issue_updated: "Issue {{id}} has been updated by {{author}}."
644 text_wiki_destroy_confirmation: Oletko varma että haluat poistaa tämän wiki:n ja kaikki sen sisältämän tiedon?
644 text_wiki_destroy_confirmation: Oletko varma että haluat poistaa tämän wiki:n ja kaikki sen sisältämän tiedon?
645 text_issue_category_destroy_question: "Jotkut tapahtumat ({{count}}) ovat nimetty tälle luokalle. Mitä haluat tehdä?"
645 text_issue_category_destroy_question: "Jotkut tapahtumat ({{count}}) ovat nimetty tälle luokalle. Mitä haluat tehdä?"
646 text_issue_category_destroy_assignments: Poista luokan tehtävät
646 text_issue_category_destroy_assignments: Poista luokan tehtävät
647 text_issue_category_reassign_to: Vaihda tapahtuma tähän luokkaan
647 text_issue_category_reassign_to: Vaihda tapahtuma tähän luokkaan
648 text_user_mail_option: "Valitsemattomille projekteille, saat vain muistutuksen asioista joita seuraat tai olet mukana (esim. tapahtumat joissa olet tekijä tai nimettynä)."
648 text_user_mail_option: "Valitsemattomille projekteille, saat vain muistutuksen asioista joita seuraat tai olet mukana (esim. tapahtumat joissa olet tekijä tai nimettynä)."
649 text_no_configuration_data: "Rooleja, tapahtumien tiloja ja työnkulkua ei vielä olla määritelty.\nOn erittäin suotavaa ladata vakioasetukset. Voit muuttaa sitä latauksen jälkeen."
649 text_no_configuration_data: "Rooleja, tapahtumien tiloja ja työnkulkua ei vielä olla määritelty.\nOn erittäin suotavaa ladata vakioasetukset. Voit muuttaa sitä latauksen jälkeen."
650 text_load_default_configuration: Lataa vakioasetukset
650 text_load_default_configuration: Lataa vakioasetukset
651
651
652 default_role_manager: Päälikkö
652 default_role_manager: Päälikkö
653 default_role_developper: Kehittäjä
653 default_role_developper: Kehittäjä
654 default_role_reporter: Tarkastelija
654 default_role_reporter: Tarkastelija
655 default_tracker_bug: Ohjelmointivirhe
655 default_tracker_bug: Ohjelmointivirhe
656 default_tracker_feature: Ominaisuus
656 default_tracker_feature: Ominaisuus
657 default_tracker_support: Tuki
657 default_tracker_support: Tuki
658 default_issue_status_new: Uusi
658 default_issue_status_new: Uusi
659 default_issue_status_assigned: Nimetty
659 default_issue_status_assigned: Nimetty
660 default_issue_status_resolved: Hyväksytty
660 default_issue_status_resolved: Hyväksytty
661 default_issue_status_feedback: Palaute
661 default_issue_status_feedback: Palaute
662 default_issue_status_closed: Suljettu
662 default_issue_status_closed: Suljettu
663 default_issue_status_rejected: Hylätty
663 default_issue_status_rejected: Hylätty
664 default_doc_category_user: Käyttäjä dokumentaatio
664 default_doc_category_user: Käyttäjä dokumentaatio
665 default_doc_category_tech: Tekninen dokumentaatio
665 default_doc_category_tech: Tekninen dokumentaatio
666 default_priority_low: Matala
666 default_priority_low: Matala
667 default_priority_normal: Normaali
667 default_priority_normal: Normaali
668 default_priority_high: Korkea
668 default_priority_high: Korkea
669 default_priority_urgent: Kiireellinen
669 default_priority_urgent: Kiireellinen
670 default_priority_immediate: Valitön
670 default_priority_immediate: Valitön
671 default_activity_design: Suunnittelu
671 default_activity_design: Suunnittelu
672 default_activity_development: Kehitys
672 default_activity_development: Kehitys
673
673
674 enumeration_issue_priorities: Tapahtuman tärkeysjärjestys
674 enumeration_issue_priorities: Tapahtuman tärkeysjärjestys
675 enumeration_doc_categories: Dokumentin luokat
675 enumeration_doc_categories: Dokumentin luokat
676 enumeration_activities: Historia (ajan seuranta)
676 enumeration_activities: Historia (ajan seuranta)
677 label_associated_revisions: Liittyvät versiot
677 label_associated_revisions: Liittyvät versiot
678 setting_user_format: Käyttäjien esitysmuoto
678 setting_user_format: Käyttäjien esitysmuoto
679 text_status_changed_by_changeset: "Päivitetty muutosversioon {{value}}."
679 text_status_changed_by_changeset: "Päivitetty muutosversioon {{value}}."
680 text_issues_destroy_confirmation: 'Oletko varma että haluat poistaa valitut tapahtumat ?'
680 text_issues_destroy_confirmation: 'Oletko varma että haluat poistaa valitut tapahtumat ?'
681 label_more: Lisää
681 label_more: Lisää
682 label_issue_added: Tapahtuma lisätty
682 label_issue_added: Tapahtuma lisätty
683 label_issue_updated: Tapahtuma päivitetty
683 label_issue_updated: Tapahtuma päivitetty
684 label_document_added: Dokumentti lisätty
684 label_document_added: Dokumentti lisätty
685 label_message_posted: Viesti lisätty
685 label_message_posted: Viesti lisätty
686 label_file_added: Tiedosto lisätty
686 label_file_added: Tiedosto lisätty
687 label_scm: SCM
687 label_scm: SCM
688 text_select_project_modules: 'Valitse modulit jotka haluat käyttöön tähän projektiin:'
688 text_select_project_modules: 'Valitse modulit jotka haluat käyttöön tähän projektiin:'
689 label_news_added: Uutinen lisätty
689 label_news_added: Uutinen lisätty
690 project_module_boards: Keskustelupalsta
690 project_module_boards: Keskustelupalsta
691 project_module_issue_tracking: Tapahtuman seuranta
691 project_module_issue_tracking: Tapahtuman seuranta
692 project_module_wiki: Wiki
692 project_module_wiki: Wiki
693 project_module_files: Tiedostot
693 project_module_files: Tiedostot
694 project_module_documents: Dokumentit
694 project_module_documents: Dokumentit
695 project_module_repository: Tietovarasto
695 project_module_repository: Tietovarasto
696 project_module_news: Uutiset
696 project_module_news: Uutiset
697 project_module_time_tracking: Ajan seuranta
697 project_module_time_tracking: Ajan seuranta
698 text_file_repository_writable: Kirjoitettava tiedostovarasto
698 text_file_repository_writable: Kirjoitettava tiedostovarasto
699 text_default_administrator_account_changed: Vakio hallinoijan tunnus muutettu
699 text_default_administrator_account_changed: Vakio hallinoijan tunnus muutettu
700 text_rmagick_available: RMagick saatavilla (valinnainen)
700 text_rmagick_available: RMagick saatavilla (valinnainen)
701 button_configure: Asetukset
701 button_configure: Asetukset
702 label_plugins: Lisäosat
702 label_plugins: Lisäosat
703 label_ldap_authentication: LDAP tunnistautuminen
703 label_ldap_authentication: LDAP tunnistautuminen
704 label_downloads_abbr: D/L
704 label_downloads_abbr: D/L
705 label_add_another_file: Lisää uusi tiedosto
705 label_add_another_file: Lisää uusi tiedosto
706 label_this_month: tässä kuussa
706 label_this_month: tässä kuussa
707 text_destroy_time_entries_question: "{{hours}} tuntia on raportoitu tapahtumasta jonka aiot poistaa. Mitä haluat tehdä ?"
707 text_destroy_time_entries_question: "{{hours}} tuntia on raportoitu tapahtumasta jonka aiot poistaa. Mitä haluat tehdä ?"
708 label_last_n_days: "viimeiset {{count}} päivää"
708 label_last_n_days: "viimeiset {{count}} päivää"
709 label_all_time: koko ajalta
709 label_all_time: koko ajalta
710 error_issue_not_found_in_project: 'Tapahtumaa ei löytynyt tai se ei kuulu tähän projektiin'
710 error_issue_not_found_in_project: 'Tapahtumaa ei löytynyt tai se ei kuulu tähän projektiin'
711 label_this_year: tänä vuonna
711 label_this_year: tänä vuonna
712 text_assign_time_entries_to_project: Määritä tunnit projektille
712 text_assign_time_entries_to_project: Määritä tunnit projektille
713 label_date_range: Aikaväli
713 label_date_range: Aikaväli
714 label_last_week: viime viikolla
714 label_last_week: viime viikolla
715 label_yesterday: eilen
715 label_yesterday: eilen
716 label_optional_description: Lisäkuvaus
716 label_optional_description: Lisäkuvaus
717 label_last_month: viime kuussa
717 label_last_month: viime kuussa
718 text_destroy_time_entries: Poista raportoidut tunnit
718 text_destroy_time_entries: Poista raportoidut tunnit
719 text_reassign_time_entries: 'Siirrä raportoidut tunnit tälle tapahtumalle:'
719 text_reassign_time_entries: 'Siirrä raportoidut tunnit tälle tapahtumalle:'
720 label_chronological_order: Aikajärjestyksessä
720 label_chronological_order: Aikajärjestyksessä
721 label_date_to: ''
721 label_date_to: ''
722 setting_activity_days_default: Päivien esittäminen projektien historiassa
722 setting_activity_days_default: Päivien esittäminen projektien historiassa
723 label_date_from: ''
723 label_date_from: ''
724 label_in: ''
724 label_in: ''
725 setting_display_subprojects_issues: Näytä aliprojektien tapahtumat pääprojektissa oletusarvoisesti
725 setting_display_subprojects_issues: Näytä aliprojektien tapahtumat pääprojektissa oletusarvoisesti
726 field_comments_sorting: Näytä kommentit
726 field_comments_sorting: Näytä kommentit
727 label_reverse_chronological_order: Käänteisessä aikajärjestyksessä
727 label_reverse_chronological_order: Käänteisessä aikajärjestyksessä
728 label_preferences: Asetukset
728 label_preferences: Asetukset
729 setting_default_projects_public: Uudet projektit ovat oletuksena julkisia
729 setting_default_projects_public: Uudet projektit ovat oletuksena julkisia
730 label_overall_activity: Kokonaishistoria
730 label_overall_activity: Kokonaishistoria
731 error_scm_annotate: "Merkintää ei ole tai siihen ei voi lisätä selityksiä."
731 error_scm_annotate: "Merkintää ei ole tai siihen ei voi lisätä selityksiä."
732 label_planning: Suunnittelu
732 label_planning: Suunnittelu
733 text_subprojects_destroy_warning: "Tämän aliprojekti(t): {{value}} tullaan myös poistamaan."
733 text_subprojects_destroy_warning: "Tämän aliprojekti(t): {{value}} tullaan myös poistamaan."
734 label_and_its_subprojects: "{{value}} ja aliprojektit"
734 label_and_its_subprojects: "{{value}} ja aliprojektit"
735 mail_body_reminder: "{{count}} sinulle nimettyä tapahtuma(a) erääntyy {{days}} päivä sisään:"
735 mail_body_reminder: "{{count}} sinulle nimettyä tapahtuma(a) erääntyy {{days}} päivä sisään:"
736 mail_subject_reminder: "{{count}} tapahtuma(a) erääntyy lähipäivinä"
736 mail_subject_reminder: "{{count}} tapahtuma(a) erääntyy lähipäivinä"
737 text_user_wrote: "{{value}} kirjoitti:"
737 text_user_wrote: "{{value}} kirjoitti:"
738 label_duplicated_by: kopioinut
738 label_duplicated_by: kopioinut
739 setting_enabled_scm: Versionhallinta käytettävissä
739 setting_enabled_scm: Versionhallinta käytettävissä
740 text_enumeration_category_reassign_to: 'Siirrä täksi arvoksi:'
740 text_enumeration_category_reassign_to: 'Siirrä täksi arvoksi:'
741 text_enumeration_destroy_question: "{{count}} kohdetta on sijoitettu tälle arvolle."
741 text_enumeration_destroy_question: "{{count}} kohdetta on sijoitettu tälle arvolle."
742 label_incoming_emails: Saapuvat sähköpostiviestit
742 label_incoming_emails: Saapuvat sähköpostiviestit
743 label_generate_key: Luo avain
743 label_generate_key: Luo avain
744 setting_mail_handler_api_enabled: Ota käyttöön WS saapuville sähköposteille
744 setting_mail_handler_api_enabled: Ota käyttöön WS saapuville sähköposteille
745 setting_mail_handler_api_key: API avain
745 setting_mail_handler_api_key: API avain
746 text_email_delivery_not_configured: "Sähköpostin jakelu ei ole määritelty ja sähköpostimuistutukset eivät ole käytössä.\nKonfiguroi sähköpostipalvelinasetukset (SMTP) config/email.yml tiedostosta ja uudelleenkäynnistä sovellus jotta asetukset astuvat voimaan."
746 text_email_delivery_not_configured: "Sähköpostin jakelu ei ole määritelty ja sähköpostimuistutukset eivät ole käytössä.\nKonfiguroi sähköpostipalvelinasetukset (SMTP) config/email.yml tiedostosta ja uudelleenkäynnistä sovellus jotta asetukset astuvat voimaan."
747 field_parent_title: Aloitussivu
747 field_parent_title: Aloitussivu
748 label_issue_watchers: Tapahtuman seuraajat
748 label_issue_watchers: Tapahtuman seuraajat
749 button_quote: Vastaa
749 button_quote: Vastaa
750 setting_sequential_project_identifiers: Luo peräkkäiset projektien tunnisteet
750 setting_sequential_project_identifiers: Luo peräkkäiset projektien tunnisteet
751 setting_commit_logs_encoding: Tee viestien koodaus
751 setting_commit_logs_encoding: Tee viestien koodaus
752 notice_unable_delete_version: Version poisto epäonnistui
752 notice_unable_delete_version: Version poisto epäonnistui
753 label_renamed: uudelleennimetty
753 label_renamed: uudelleennimetty
754 label_copied: kopioitu
754 label_copied: kopioitu
755 setting_plain_text_mail: vain muotoilematonta tekstiä (ei HTML)
755 setting_plain_text_mail: vain muotoilematonta tekstiä (ei HTML)
756 permission_view_files: Näytä tiedostot
756 permission_view_files: Näytä tiedostot
757 permission_edit_issues: Muokkaa tapahtumia
757 permission_edit_issues: Muokkaa tapahtumia
758 permission_edit_own_time_entries: Muokka omia aikamerkintöjä
758 permission_edit_own_time_entries: Muokka omia aikamerkintöjä
759 permission_manage_public_queries: Hallinnoi julkisia hakuja
759 permission_manage_public_queries: Hallinnoi julkisia hakuja
760 permission_add_issues: Lisää tapahtumia
760 permission_add_issues: Lisää tapahtumia
761 permission_log_time: Lokita käytettyä aikaa
761 permission_log_time: Lokita käytettyä aikaa
762 permission_view_changesets: Näytä muutosryhmät
762 permission_view_changesets: Näytä muutosryhmät
763 permission_view_time_entries: Näytä käytetty aika
763 permission_view_time_entries: Näytä käytetty aika
764 permission_manage_versions: Hallinnoi versioita
764 permission_manage_versions: Hallinnoi versioita
765 permission_manage_wiki: Hallinnoi wikiä
765 permission_manage_wiki: Hallinnoi wikiä
766 permission_manage_categories: Hallinnoi tapahtumien luokkia
766 permission_manage_categories: Hallinnoi tapahtumien luokkia
767 permission_protect_wiki_pages: Suojaa wiki sivut
767 permission_protect_wiki_pages: Suojaa wiki sivut
768 permission_comment_news: Kommentoi uutisia
768 permission_comment_news: Kommentoi uutisia
769 permission_delete_messages: Poista viestit
769 permission_delete_messages: Poista viestit
770 permission_select_project_modules: Valitse projektin modulit
770 permission_select_project_modules: Valitse projektin modulit
771 permission_manage_documents: Hallinnoi dokumentteja
771 permission_manage_documents: Hallinnoi dokumentteja
772 permission_edit_wiki_pages: Muokkaa wiki sivuja
772 permission_edit_wiki_pages: Muokkaa wiki sivuja
773 permission_add_issue_watchers: Lisää seuraajia
773 permission_add_issue_watchers: Lisää seuraajia
774 permission_view_gantt: Näytä gantt kaavio
774 permission_view_gantt: Näytä gantt kaavio
775 permission_move_issues: Siirrä tapahtuma
775 permission_move_issues: Siirrä tapahtuma
776 permission_manage_issue_relations: Hallinoi tapahtuman suhteita
776 permission_manage_issue_relations: Hallinoi tapahtuman suhteita
777 permission_delete_wiki_pages: Poista wiki sivuja
777 permission_delete_wiki_pages: Poista wiki sivuja
778 permission_manage_boards: Hallinnoi keskustelupalstaa
778 permission_manage_boards: Hallinnoi keskustelupalstaa
779 permission_delete_wiki_pages_attachments: Poista liitteitä
779 permission_delete_wiki_pages_attachments: Poista liitteitä
780 permission_view_wiki_edits: Näytä wiki historia
780 permission_view_wiki_edits: Näytä wiki historia
781 permission_add_messages: Jätä viesti
781 permission_add_messages: Jätä viesti
782 permission_view_messages: Näytä viestejä
782 permission_view_messages: Näytä viestejä
783 permission_manage_files: Hallinnoi tiedostoja
783 permission_manage_files: Hallinnoi tiedostoja
784 permission_edit_issue_notes: Muokkaa muistiinpanoja
784 permission_edit_issue_notes: Muokkaa muistiinpanoja
785 permission_manage_news: Hallinnoi uutisia
785 permission_manage_news: Hallinnoi uutisia
786 permission_view_calendar: Näytä kalenteri
786 permission_view_calendar: Näytä kalenteri
787 permission_manage_members: Hallinnoi jäseniä
787 permission_manage_members: Hallinnoi jäseniä
788 permission_edit_messages: Muokkaa viestejä
788 permission_edit_messages: Muokkaa viestejä
789 permission_delete_issues: Poista tapahtumia
789 permission_delete_issues: Poista tapahtumia
790 permission_view_issue_watchers: Näytä seuraaja lista
790 permission_view_issue_watchers: Näytä seuraaja lista
791 permission_manage_repository: Hallinnoi tietovarastoa
791 permission_manage_repository: Hallinnoi tietovarastoa
792 permission_commit_access: Tee pääsyoikeus
792 permission_commit_access: Tee pääsyoikeus
793 permission_browse_repository: Selaa tietovarastoa
793 permission_browse_repository: Selaa tietovarastoa
794 permission_view_documents: Näytä dokumentit
794 permission_view_documents: Näytä dokumentit
795 permission_edit_project: Muokkaa projektia
795 permission_edit_project: Muokkaa projektia
796 permission_add_issue_notes: Lisää muistiinpanoja
796 permission_add_issue_notes: Lisää muistiinpanoja
797 permission_save_queries: Tallenna hakuja
797 permission_save_queries: Tallenna hakuja
798 permission_view_wiki_pages: Näytä wiki
798 permission_view_wiki_pages: Näytä wiki
799 permission_rename_wiki_pages: Uudelleennimeä wiki sivuja
799 permission_rename_wiki_pages: Uudelleennimeä wiki sivuja
800 permission_edit_time_entries: Muokkaa aika lokeja
800 permission_edit_time_entries: Muokkaa aika lokeja
801 permission_edit_own_issue_notes: Muokkaa omia muistiinpanoja
801 permission_edit_own_issue_notes: Muokkaa omia muistiinpanoja
802 setting_gravatar_enabled: Käytä Gravatar käyttäjä ikoneita
802 setting_gravatar_enabled: Käytä Gravatar käyttäjä ikoneita
803 label_example: Esimerkki
803 label_example: Esimerkki
804 text_repository_usernames_mapping: "Valitse päivittääksesi Redmine käyttäjä jokaiseen käyttäjään joka löytyy tietovaraston lokista.\nKäyttäjät joilla on sama Redmine ja tietovaraston käyttäjänimi tai sähköpostiosoite, yhdistetään automaattisesti."
804 text_repository_usernames_mapping: "Valitse päivittääksesi Redmine käyttäjä jokaiseen käyttäjään joka löytyy tietovaraston lokista.\nKäyttäjät joilla on sama Redmine ja tietovaraston käyttäjänimi tai sähköpostiosoite, yhdistetään automaattisesti."
805 permission_edit_own_messages: Muokkaa omia viestejä
805 permission_edit_own_messages: Muokkaa omia viestejä
806 permission_delete_own_messages: Poista omia viestejä
806 permission_delete_own_messages: Poista omia viestejä
807 label_user_activity: "Käyttäjän {{value}} historia"
807 label_user_activity: "Käyttäjän {{value}} historia"
808 label_updated_time_by: "Updated by {{author}} {{age}} ago"
808 label_updated_time_by: "Updated by {{author}} {{age}} ago"
809 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
809 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
810 setting_diff_max_lines_displayed: Max number of diff lines displayed
810 setting_diff_max_lines_displayed: Max number of diff lines displayed
811 text_plugin_assets_writable: Plugin assets directory writable
811 text_plugin_assets_writable: Plugin assets directory writable
812 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
812 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
813 button_create_and_continue: Create and continue
813 button_create_and_continue: Create and continue
814 text_custom_field_possible_values_info: 'One line for each value'
814 text_custom_field_possible_values_info: 'One line for each value'
815 label_display: Display
815 label_display: Display
816 field_editable: Editable
816 field_editable: Editable
817 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
817 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
818 setting_file_max_size_displayed: Max size of text files displayed inline
818 setting_file_max_size_displayed: Max size of text files displayed inline
819 field_watcher: Watcher
819 field_watcher: Watcher
820 setting_openid: Allow OpenID login and registration
820 setting_openid: Allow OpenID login and registration
821 field_identity_url: OpenID URL
821 field_identity_url: OpenID URL
822 label_login_with_open_id_option: or login with OpenID
822 label_login_with_open_id_option: or login with OpenID
823 field_content: Content
823 field_content: Content
824 label_descending: Descending
824 label_descending: Descending
825 label_sort: Sort
825 label_sort: Sort
826 label_ascending: Ascending
826 label_ascending: Ascending
827 label_date_from_to: From {{start}} to {{end}}
827 label_date_from_to: From {{start}} to {{end}}
828 label_greater_or_equal: ">="
828 label_greater_or_equal: ">="
829 label_less_or_equal: <=
829 label_less_or_equal: <=
830 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
830 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
831 text_wiki_page_reassign_children: Reassign child pages to this parent page
831 text_wiki_page_reassign_children: Reassign child pages to this parent page
832 text_wiki_page_nullify_children: Keep child pages as root pages
832 text_wiki_page_nullify_children: Keep child pages as root pages
833 text_wiki_page_destroy_children: Delete child pages and all their descendants
833 text_wiki_page_destroy_children: Delete child pages and all their descendants
834 setting_password_min_length: Minimum password length
834 setting_password_min_length: Minimum password length
835 field_group_by: Group results by
@@ -1,826 +1,827
1 # French translations for Ruby on Rails
1 # French translations for Ruby on Rails
2 # by Christian Lescuyer (christian@flyingcoders.com)
2 # by Christian Lescuyer (christian@flyingcoders.com)
3 # contributor: Sebastien Grosjean - ZenCocoon.com
3 # contributor: Sebastien Grosjean - ZenCocoon.com
4
4
5 fr:
5 fr:
6 date:
6 date:
7 formats:
7 formats:
8 default: "%d/%m/%Y"
8 default: "%d/%m/%Y"
9 short: "%e %b"
9 short: "%e %b"
10 long: "%e %B %Y"
10 long: "%e %B %Y"
11 long_ordinal: "%e %B %Y"
11 long_ordinal: "%e %B %Y"
12 only_day: "%e"
12 only_day: "%e"
13
13
14 day_names: [dimanche, lundi, mardi, mercredi, jeudi, vendredi, samedi]
14 day_names: [dimanche, lundi, mardi, mercredi, jeudi, vendredi, samedi]
15 abbr_day_names: [dim, lun, mar, mer, jeu, ven, sam]
15 abbr_day_names: [dim, lun, mar, mer, jeu, ven, sam]
16 month_names: [~, janvier, février, mars, avril, mai, juin, juillet, août, septembre, octobre, novembre, décembre]
16 month_names: [~, janvier, février, mars, avril, mai, juin, juillet, août, septembre, octobre, novembre, décembre]
17 abbr_month_names: [~, jan., fév., mar., avr., mai, juin, juil., août, sept., oct., nov., déc.]
17 abbr_month_names: [~, jan., fév., mar., avr., mai, juin, juil., août, sept., oct., nov., déc.]
18 order: [ :day, :month, :year ]
18 order: [ :day, :month, :year ]
19
19
20 time:
20 time:
21 formats:
21 formats:
22 default: "%d/%m/%Y %H:%M"
22 default: "%d/%m/%Y %H:%M"
23 time: "%H:%M"
23 time: "%H:%M"
24 short: "%d %b %H:%M"
24 short: "%d %b %H:%M"
25 long: "%A %d %B %Y %H:%M:%S %Z"
25 long: "%A %d %B %Y %H:%M:%S %Z"
26 long_ordinal: "%A %d %B %Y %H:%M:%S %Z"
26 long_ordinal: "%A %d %B %Y %H:%M:%S %Z"
27 only_second: "%S"
27 only_second: "%S"
28 am: 'am'
28 am: 'am'
29 pm: 'pm'
29 pm: 'pm'
30
30
31 datetime:
31 datetime:
32 distance_in_words:
32 distance_in_words:
33 half_a_minute: "30 secondes"
33 half_a_minute: "30 secondes"
34 less_than_x_seconds:
34 less_than_x_seconds:
35 zero: "moins d'une seconde"
35 zero: "moins d'une seconde"
36 one: "moins de 1 seconde"
36 one: "moins de 1 seconde"
37 other: "moins de {{count}} secondes"
37 other: "moins de {{count}} secondes"
38 x_seconds:
38 x_seconds:
39 one: "1 seconde"
39 one: "1 seconde"
40 other: "{{count}} secondes"
40 other: "{{count}} secondes"
41 less_than_x_minutes:
41 less_than_x_minutes:
42 zero: "moins d'une minute"
42 zero: "moins d'une minute"
43 one: "moins de 1 minute"
43 one: "moins de 1 minute"
44 other: "moins de {{count}} minutes"
44 other: "moins de {{count}} minutes"
45 x_minutes:
45 x_minutes:
46 one: "1 minute"
46 one: "1 minute"
47 other: "{{count}} minutes"
47 other: "{{count}} minutes"
48 about_x_hours:
48 about_x_hours:
49 one: "environ une heure"
49 one: "environ une heure"
50 other: "environ {{count}} heures"
50 other: "environ {{count}} heures"
51 x_days:
51 x_days:
52 one: "1 jour"
52 one: "1 jour"
53 other: "{{count}} jours"
53 other: "{{count}} jours"
54 about_x_months:
54 about_x_months:
55 one: "environ un mois"
55 one: "environ un mois"
56 other: "environ {{count}} mois"
56 other: "environ {{count}} mois"
57 x_months:
57 x_months:
58 one: "1 mois"
58 one: "1 mois"
59 other: "{{count}} mois"
59 other: "{{count}} mois"
60 about_x_years:
60 about_x_years:
61 one: "environ un an"
61 one: "environ un an"
62 other: "environ {{count}} ans"
62 other: "environ {{count}} ans"
63 over_x_years:
63 over_x_years:
64 one: "plus d'un an"
64 one: "plus d'un an"
65 other: "plus de {{count}} ans"
65 other: "plus de {{count}} ans"
66 prompts:
66 prompts:
67 year: "Année"
67 year: "Année"
68 month: "Mois"
68 month: "Mois"
69 day: "Jour"
69 day: "Jour"
70 hour: "Heure"
70 hour: "Heure"
71 minute: "Minute"
71 minute: "Minute"
72 second: "Seconde"
72 second: "Seconde"
73
73
74 number:
74 number:
75 format:
75 format:
76 precision: 3
76 precision: 3
77 separator: ','
77 separator: ','
78 delimiter: ' '
78 delimiter: ' '
79 currency:
79 currency:
80 format:
80 format:
81 unit: '€'
81 unit: '€'
82 precision: 2
82 precision: 2
83 format: '%n %u'
83 format: '%n %u'
84 human:
84 human:
85 format:
85 format:
86 precision: 2
86 precision: 2
87 storage_units: [ Octet, ko, Mo, Go, To ]
87 storage_units: [ Octet, ko, Mo, Go, To ]
88
88
89 support:
89 support:
90 array:
90 array:
91 sentence_connector: 'et'
91 sentence_connector: 'et'
92 skip_last_comma: true
92 skip_last_comma: true
93 word_connector: ", "
93 word_connector: ", "
94 two_words_connector: " et "
94 two_words_connector: " et "
95 last_word_connector: " et "
95 last_word_connector: " et "
96
96
97 activerecord:
97 activerecord:
98 errors:
98 errors:
99 template:
99 template:
100 header:
100 header:
101 one: "Impossible d'enregistrer {{model}}: 1 erreur"
101 one: "Impossible d'enregistrer {{model}}: 1 erreur"
102 other: "Impossible d'enregistrer {{model}}: {{count}} erreurs."
102 other: "Impossible d'enregistrer {{model}}: {{count}} erreurs."
103 body: "Veuillez vérifier les champs suivants :"
103 body: "Veuillez vérifier les champs suivants :"
104 messages:
104 messages:
105 inclusion: "n'est pas inclus(e) dans la liste"
105 inclusion: "n'est pas inclus(e) dans la liste"
106 exclusion: "n'est pas disponible"
106 exclusion: "n'est pas disponible"
107 invalid: "n'est pas valide"
107 invalid: "n'est pas valide"
108 confirmation: "ne concorde pas avec la confirmation"
108 confirmation: "ne concorde pas avec la confirmation"
109 accepted: "doit être accepté(e)"
109 accepted: "doit être accepté(e)"
110 empty: "doit être renseigné(e)"
110 empty: "doit être renseigné(e)"
111 blank: "doit être renseigné(e)"
111 blank: "doit être renseigné(e)"
112 too_long: "est trop long (pas plus de {{count}} caractères)"
112 too_long: "est trop long (pas plus de {{count}} caractères)"
113 too_short: "est trop court (au moins {{count}} caractères)"
113 too_short: "est trop court (au moins {{count}} caractères)"
114 wrong_length: "ne fait pas la bonne longueur (doit comporter {{count}} caractères)"
114 wrong_length: "ne fait pas la bonne longueur (doit comporter {{count}} caractères)"
115 taken: "est déjà utilisé"
115 taken: "est déjà utilisé"
116 not_a_number: "n'est pas un nombre"
116 not_a_number: "n'est pas un nombre"
117 greater_than: "doit être supérieur à {{count}}"
117 greater_than: "doit être supérieur à {{count}}"
118 greater_than_or_equal_to: "doit être supérieur ou égal à {{count}}"
118 greater_than_or_equal_to: "doit être supérieur ou égal à {{count}}"
119 equal_to: "doit être égal à {{count}}"
119 equal_to: "doit être égal à {{count}}"
120 less_than: "doit être inférieur à {{count}}"
120 less_than: "doit être inférieur à {{count}}"
121 less_than_or_equal_to: "doit être inférieur ou égal à {{count}}"
121 less_than_or_equal_to: "doit être inférieur ou égal à {{count}}"
122 odd: "doit être impair"
122 odd: "doit être impair"
123 even: "doit être pair"
123 even: "doit être pair"
124 greater_than_start_date: "doit être postérieure à la date de début"
124 greater_than_start_date: "doit être postérieure à la date de début"
125 not_same_project: "n'appartient pas au même projet"
125 not_same_project: "n'appartient pas au même projet"
126 circular_dependency: "Cette relation créerait une dépendance circulaire"
126 circular_dependency: "Cette relation créerait une dépendance circulaire"
127
127
128 actionview_instancetag_blank_option: Choisir
128 actionview_instancetag_blank_option: Choisir
129
129
130 general_text_No: 'Non'
130 general_text_No: 'Non'
131 general_text_Yes: 'Oui'
131 general_text_Yes: 'Oui'
132 general_text_no: 'non'
132 general_text_no: 'non'
133 general_text_yes: 'oui'
133 general_text_yes: 'oui'
134 general_lang_name: 'Français'
134 general_lang_name: 'Français'
135 general_csv_separator: ';'
135 general_csv_separator: ';'
136 general_csv_decimal_separator: ','
136 general_csv_decimal_separator: ','
137 general_csv_encoding: ISO-8859-1
137 general_csv_encoding: ISO-8859-1
138 general_pdf_encoding: ISO-8859-1
138 general_pdf_encoding: ISO-8859-1
139 general_first_day_of_week: '1'
139 general_first_day_of_week: '1'
140
140
141 notice_account_updated: Le compte a été mis à jour avec succès.
141 notice_account_updated: Le compte a été mis à jour avec succès.
142 notice_account_invalid_creditentials: Identifiant ou mot de passe invalide.
142 notice_account_invalid_creditentials: Identifiant ou mot de passe invalide.
143 notice_account_password_updated: Mot de passe mis à jour avec succès.
143 notice_account_password_updated: Mot de passe mis à jour avec succès.
144 notice_account_wrong_password: Mot de passe incorrect
144 notice_account_wrong_password: Mot de passe incorrect
145 notice_account_register_done: Un message contenant les instructions pour activer votre compte vous a été envoyé.
145 notice_account_register_done: Un message contenant les instructions pour activer votre compte vous a été envoyé.
146 notice_account_unknown_email: Aucun compte ne correspond à cette adresse.
146 notice_account_unknown_email: Aucun compte ne correspond à cette adresse.
147 notice_can_t_change_password: Ce compte utilise une authentification externe. Impossible de changer le mot de passe.
147 notice_can_t_change_password: Ce compte utilise une authentification externe. Impossible de changer le mot de passe.
148 notice_account_lost_email_sent: Un message contenant les instructions pour choisir un nouveau mot de passe vous a été envoyé.
148 notice_account_lost_email_sent: Un message contenant les instructions pour choisir un nouveau mot de passe vous a été envoyé.
149 notice_account_activated: Votre compte a été activé. Vous pouvez à présent vous connecter.
149 notice_account_activated: Votre compte a été activé. Vous pouvez à présent vous connecter.
150 notice_successful_create: Création effectuée avec succès.
150 notice_successful_create: Création effectuée avec succès.
151 notice_successful_update: Mise à jour effectuée avec succès.
151 notice_successful_update: Mise à jour effectuée avec succès.
152 notice_successful_delete: Suppression effectuée avec succès.
152 notice_successful_delete: Suppression effectuée avec succès.
153 notice_successful_connection: Connection réussie.
153 notice_successful_connection: Connection réussie.
154 notice_file_not_found: "La page à laquelle vous souhaitez accéder n'existe pas ou a été supprimée."
154 notice_file_not_found: "La page à laquelle vous souhaitez accéder n'existe pas ou a été supprimée."
155 notice_locking_conflict: Les données ont été mises à jour par un autre utilisateur. Mise à jour impossible.
155 notice_locking_conflict: Les données ont été mises à jour par un autre utilisateur. Mise à jour impossible.
156 notice_not_authorized: "Vous n'êtes pas autorisés à accéder à cette page."
156 notice_not_authorized: "Vous n'êtes pas autorisés à accéder à cette page."
157 notice_email_sent: "Un email a été envoyé à {{value}}"
157 notice_email_sent: "Un email a été envoyé à {{value}}"
158 notice_email_error: "Erreur lors de l'envoi de l'email ({{value}})"
158 notice_email_error: "Erreur lors de l'envoi de l'email ({{value}})"
159 notice_feeds_access_key_reseted: "Votre clé d'accès aux flux RSS a été réinitialisée."
159 notice_feeds_access_key_reseted: "Votre clé d'accès aux flux RSS a été réinitialisée."
160 notice_failed_to_save_issues: "{{count}} demande(s) sur les {{total}} sélectionnées n'ont pas pu être mise(s) à jour: {{ids}}."
160 notice_failed_to_save_issues: "{{count}} demande(s) sur les {{total}} sélectionnées n'ont pas pu être mise(s) à jour: {{ids}}."
161 notice_no_issue_selected: "Aucune demande sélectionnée ! Cochez les demandes que vous voulez mettre à jour."
161 notice_no_issue_selected: "Aucune demande sélectionnée ! Cochez les demandes que vous voulez mettre à jour."
162 notice_account_pending: "Votre compte a été créé et attend l'approbation de l'administrateur."
162 notice_account_pending: "Votre compte a été créé et attend l'approbation de l'administrateur."
163 notice_default_data_loaded: Paramétrage par défaut chargé avec succès.
163 notice_default_data_loaded: Paramétrage par défaut chargé avec succès.
164 notice_unable_delete_version: Impossible de supprimer cette version.
164 notice_unable_delete_version: Impossible de supprimer cette version.
165
165
166 error_can_t_load_default_data: "Une erreur s'est produite lors du chargement du paramétrage: {{value}}"
166 error_can_t_load_default_data: "Une erreur s'est produite lors du chargement du paramétrage: {{value}}"
167 error_scm_not_found: "L'entrée et/ou la révision demandée n'existe pas dans le dépôt."
167 error_scm_not_found: "L'entrée et/ou la révision demandée n'existe pas dans le dépôt."
168 error_scm_command_failed: "Une erreur s'est produite lors de l'accès au dépôt: {{value}}"
168 error_scm_command_failed: "Une erreur s'est produite lors de l'accès au dépôt: {{value}}"
169 error_scm_annotate: "L'entrée n'existe pas ou ne peut pas être annotée."
169 error_scm_annotate: "L'entrée n'existe pas ou ne peut pas être annotée."
170 error_issue_not_found_in_project: "La demande n'existe pas ou n'appartient pas à ce projet"
170 error_issue_not_found_in_project: "La demande n'existe pas ou n'appartient pas à ce projet"
171
171
172 warning_attachments_not_saved: "{{count}} fichier(s) n'ont pas pu être sauvegardés."
172 warning_attachments_not_saved: "{{count}} fichier(s) n'ont pas pu être sauvegardés."
173
173
174 mail_subject_lost_password: "Votre mot de passe {{value}}"
174 mail_subject_lost_password: "Votre mot de passe {{value}}"
175 mail_body_lost_password: 'Pour changer votre mot de passe, cliquez sur le lien suivant:'
175 mail_body_lost_password: 'Pour changer votre mot de passe, cliquez sur le lien suivant:'
176 mail_subject_register: "Activation de votre compte {{value}}"
176 mail_subject_register: "Activation de votre compte {{value}}"
177 mail_body_register: 'Pour activer votre compte, cliquez sur le lien suivant:'
177 mail_body_register: 'Pour activer votre compte, cliquez sur le lien suivant:'
178 mail_body_account_information_external: "Vous pouvez utiliser votre compte {{value}} pour vous connecter."
178 mail_body_account_information_external: "Vous pouvez utiliser votre compte {{value}} pour vous connecter."
179 mail_body_account_information: Paramètres de connexion de votre compte
179 mail_body_account_information: Paramètres de connexion de votre compte
180 mail_subject_account_activation_request: "Demande d'activation d'un compte {{value}}"
180 mail_subject_account_activation_request: "Demande d'activation d'un compte {{value}}"
181 mail_body_account_activation_request: "Un nouvel utilisateur ({{value}}) s'est inscrit. Son compte nécessite votre approbation:"
181 mail_body_account_activation_request: "Un nouvel utilisateur ({{value}}) s'est inscrit. Son compte nécessite votre approbation:"
182 mail_subject_reminder: "{{count}} demande(s) arrivent à échéance"
182 mail_subject_reminder: "{{count}} demande(s) arrivent à échéance"
183 mail_body_reminder: "{{count}} demande(s) qui vous sont assignées arrivent à échéance dans les {{days}} prochains jours:"
183 mail_body_reminder: "{{count}} demande(s) qui vous sont assignées arrivent à échéance dans les {{days}} prochains jours:"
184
184
185 gui_validation_error: 1 erreur
185 gui_validation_error: 1 erreur
186 gui_validation_error_plural: "{{count}} erreurs"
186 gui_validation_error_plural: "{{count}} erreurs"
187
187
188 field_name: Nom
188 field_name: Nom
189 field_description: Description
189 field_description: Description
190 field_summary: Résumé
190 field_summary: Résumé
191 field_is_required: Obligatoire
191 field_is_required: Obligatoire
192 field_firstname: Prénom
192 field_firstname: Prénom
193 field_lastname: Nom
193 field_lastname: Nom
194 field_mail: Email
194 field_mail: Email
195 field_filename: Fichier
195 field_filename: Fichier
196 field_filesize: Taille
196 field_filesize: Taille
197 field_downloads: Téléchargements
197 field_downloads: Téléchargements
198 field_author: Auteur
198 field_author: Auteur
199 field_created_on: Créé
199 field_created_on: Créé
200 field_updated_on: Mis à jour
200 field_updated_on: Mis à jour
201 field_field_format: Format
201 field_field_format: Format
202 field_is_for_all: Pour tous les projets
202 field_is_for_all: Pour tous les projets
203 field_possible_values: Valeurs possibles
203 field_possible_values: Valeurs possibles
204 field_regexp: Expression régulière
204 field_regexp: Expression régulière
205 field_min_length: Longueur minimum
205 field_min_length: Longueur minimum
206 field_max_length: Longueur maximum
206 field_max_length: Longueur maximum
207 field_value: Valeur
207 field_value: Valeur
208 field_category: Catégorie
208 field_category: Catégorie
209 field_title: Titre
209 field_title: Titre
210 field_project: Projet
210 field_project: Projet
211 field_issue: Demande
211 field_issue: Demande
212 field_status: Statut
212 field_status: Statut
213 field_notes: Notes
213 field_notes: Notes
214 field_is_closed: Demande fermée
214 field_is_closed: Demande fermée
215 field_is_default: Valeur par défaut
215 field_is_default: Valeur par défaut
216 field_tracker: Tracker
216 field_tracker: Tracker
217 field_subject: Sujet
217 field_subject: Sujet
218 field_due_date: Echéance
218 field_due_date: Echéance
219 field_assigned_to: Assigné à
219 field_assigned_to: Assigné à
220 field_priority: Priorité
220 field_priority: Priorité
221 field_fixed_version: Version cible
221 field_fixed_version: Version cible
222 field_user: Utilisateur
222 field_user: Utilisateur
223 field_role: Rôle
223 field_role: Rôle
224 field_homepage: Site web
224 field_homepage: Site web
225 field_is_public: Public
225 field_is_public: Public
226 field_parent: Sous-projet de
226 field_parent: Sous-projet de
227 field_is_in_chlog: Demandes affichées dans l'historique
227 field_is_in_chlog: Demandes affichées dans l'historique
228 field_is_in_roadmap: Demandes affichées dans la roadmap
228 field_is_in_roadmap: Demandes affichées dans la roadmap
229 field_login: Identifiant
229 field_login: Identifiant
230 field_mail_notification: Notifications par mail
230 field_mail_notification: Notifications par mail
231 field_admin: Administrateur
231 field_admin: Administrateur
232 field_last_login_on: Dernière connexion
232 field_last_login_on: Dernière connexion
233 field_language: Langue
233 field_language: Langue
234 field_effective_date: Date
234 field_effective_date: Date
235 field_password: Mot de passe
235 field_password: Mot de passe
236 field_new_password: Nouveau mot de passe
236 field_new_password: Nouveau mot de passe
237 field_password_confirmation: Confirmation
237 field_password_confirmation: Confirmation
238 field_version: Version
238 field_version: Version
239 field_type: Type
239 field_type: Type
240 field_host: Hôte
240 field_host: Hôte
241 field_port: Port
241 field_port: Port
242 field_account: Compte
242 field_account: Compte
243 field_base_dn: Base DN
243 field_base_dn: Base DN
244 field_attr_login: Attribut Identifiant
244 field_attr_login: Attribut Identifiant
245 field_attr_firstname: Attribut Prénom
245 field_attr_firstname: Attribut Prénom
246 field_attr_lastname: Attribut Nom
246 field_attr_lastname: Attribut Nom
247 field_attr_mail: Attribut Email
247 field_attr_mail: Attribut Email
248 field_onthefly: Création des utilisateurs à la volée
248 field_onthefly: Création des utilisateurs à la volée
249 field_start_date: Début
249 field_start_date: Début
250 field_done_ratio: % Réalisé
250 field_done_ratio: % Réalisé
251 field_auth_source: Mode d'authentification
251 field_auth_source: Mode d'authentification
252 field_hide_mail: Cacher mon adresse mail
252 field_hide_mail: Cacher mon adresse mail
253 field_comments: Commentaire
253 field_comments: Commentaire
254 field_url: URL
254 field_url: URL
255 field_start_page: Page de démarrage
255 field_start_page: Page de démarrage
256 field_subproject: Sous-projet
256 field_subproject: Sous-projet
257 field_hours: Heures
257 field_hours: Heures
258 field_activity: Activité
258 field_activity: Activité
259 field_spent_on: Date
259 field_spent_on: Date
260 field_identifier: Identifiant
260 field_identifier: Identifiant
261 field_is_filter: Utilisé comme filtre
261 field_is_filter: Utilisé comme filtre
262 field_issue_to_id: Demande liée
262 field_issue_to_id: Demande liée
263 field_delay: Retard
263 field_delay: Retard
264 field_assignable: Demandes assignables à ce rôle
264 field_assignable: Demandes assignables à ce rôle
265 field_redirect_existing_links: Rediriger les liens existants
265 field_redirect_existing_links: Rediriger les liens existants
266 field_estimated_hours: Temps estimé
266 field_estimated_hours: Temps estimé
267 field_column_names: Colonnes
267 field_column_names: Colonnes
268 field_time_zone: Fuseau horaire
268 field_time_zone: Fuseau horaire
269 field_searchable: Utilisé pour les recherches
269 field_searchable: Utilisé pour les recherches
270 field_default_value: Valeur par défaut
270 field_default_value: Valeur par défaut
271 field_comments_sorting: Afficher les commentaires
271 field_comments_sorting: Afficher les commentaires
272 field_parent_title: Page parent
272 field_parent_title: Page parent
273 field_editable: Modifiable
273 field_editable: Modifiable
274 field_watcher: Observateur
274 field_watcher: Observateur
275 field_identity_url: URL OpenID
275 field_identity_url: URL OpenID
276 field_content: Contenu
276 field_content: Contenu
277 field_group_by: Grouper par
277
278
278 setting_app_title: Titre de l'application
279 setting_app_title: Titre de l'application
279 setting_app_subtitle: Sous-titre de l'application
280 setting_app_subtitle: Sous-titre de l'application
280 setting_welcome_text: Texte d'accueil
281 setting_welcome_text: Texte d'accueil
281 setting_default_language: Langue par défaut
282 setting_default_language: Langue par défaut
282 setting_login_required: Authentification obligatoire
283 setting_login_required: Authentification obligatoire
283 setting_self_registration: Inscription des nouveaux utilisateurs
284 setting_self_registration: Inscription des nouveaux utilisateurs
284 setting_attachment_max_size: Taille max des fichiers
285 setting_attachment_max_size: Taille max des fichiers
285 setting_issues_export_limit: Limite export demandes
286 setting_issues_export_limit: Limite export demandes
286 setting_mail_from: Adresse d'émission
287 setting_mail_from: Adresse d'émission
287 setting_bcc_recipients: Destinataires en copie cachée (cci)
288 setting_bcc_recipients: Destinataires en copie cachée (cci)
288 setting_plain_text_mail: Mail texte brut (non HTML)
289 setting_plain_text_mail: Mail texte brut (non HTML)
289 setting_host_name: Nom d'hôte et chemin
290 setting_host_name: Nom d'hôte et chemin
290 setting_text_formatting: Formatage du texte
291 setting_text_formatting: Formatage du texte
291 setting_wiki_compression: Compression historique wiki
292 setting_wiki_compression: Compression historique wiki
292 setting_feeds_limit: Limite du contenu des flux RSS
293 setting_feeds_limit: Limite du contenu des flux RSS
293 setting_default_projects_public: Définir les nouveaux projects comme publics par défaut
294 setting_default_projects_public: Définir les nouveaux projects comme publics par défaut
294 setting_autofetch_changesets: Récupération auto. des commits
295 setting_autofetch_changesets: Récupération auto. des commits
295 setting_sys_api_enabled: Activer les WS pour la gestion des dépôts
296 setting_sys_api_enabled: Activer les WS pour la gestion des dépôts
296 setting_commit_ref_keywords: Mot-clés de référencement
297 setting_commit_ref_keywords: Mot-clés de référencement
297 setting_commit_fix_keywords: Mot-clés de résolution
298 setting_commit_fix_keywords: Mot-clés de résolution
298 setting_autologin: Autologin
299 setting_autologin: Autologin
299 setting_date_format: Format de date
300 setting_date_format: Format de date
300 setting_time_format: Format d'heure
301 setting_time_format: Format d'heure
301 setting_cross_project_issue_relations: Autoriser les relations entre demandes de différents projets
302 setting_cross_project_issue_relations: Autoriser les relations entre demandes de différents projets
302 setting_issue_list_default_columns: Colonnes affichées par défaut sur la liste des demandes
303 setting_issue_list_default_columns: Colonnes affichées par défaut sur la liste des demandes
303 setting_repositories_encodings: Encodages des dépôts
304 setting_repositories_encodings: Encodages des dépôts
304 setting_commit_logs_encoding: Encodage des messages de commit
305 setting_commit_logs_encoding: Encodage des messages de commit
305 setting_emails_footer: Pied-de-page des emails
306 setting_emails_footer: Pied-de-page des emails
306 setting_protocol: Protocole
307 setting_protocol: Protocole
307 setting_per_page_options: Options d'objets affichés par page
308 setting_per_page_options: Options d'objets affichés par page
308 setting_user_format: Format d'affichage des utilisateurs
309 setting_user_format: Format d'affichage des utilisateurs
309 setting_activity_days_default: Nombre de jours affichés sur l'activité des projets
310 setting_activity_days_default: Nombre de jours affichés sur l'activité des projets
310 setting_display_subprojects_issues: Afficher par défaut les demandes des sous-projets sur les projets principaux
311 setting_display_subprojects_issues: Afficher par défaut les demandes des sous-projets sur les projets principaux
311 setting_enabled_scm: SCM activés
312 setting_enabled_scm: SCM activés
312 setting_mail_handler_api_enabled: "Activer le WS pour la réception d'emails"
313 setting_mail_handler_api_enabled: "Activer le WS pour la réception d'emails"
313 setting_mail_handler_api_key: Clé de protection de l'API
314 setting_mail_handler_api_key: Clé de protection de l'API
314 setting_sequential_project_identifiers: Générer des identifiants de projet séquentiels
315 setting_sequential_project_identifiers: Générer des identifiants de projet séquentiels
315 setting_gravatar_enabled: Afficher les Gravatar des utilisateurs
316 setting_gravatar_enabled: Afficher les Gravatar des utilisateurs
316 setting_diff_max_lines_displayed: Nombre maximum de lignes de diff affichées
317 setting_diff_max_lines_displayed: Nombre maximum de lignes de diff affichées
317 setting_file_max_size_displayed: Taille maximum des fichiers texte affichés en ligne
318 setting_file_max_size_displayed: Taille maximum des fichiers texte affichés en ligne
318 setting_repository_log_display_limit: "Nombre maximum de revisions affichées sur l'historique d'un fichier"
319 setting_repository_log_display_limit: "Nombre maximum de revisions affichées sur l'historique d'un fichier"
319 setting_openid: "Autoriser l'authentification et l'enregistrement OpenID"
320 setting_openid: "Autoriser l'authentification et l'enregistrement OpenID"
320 setting_password_min_length: Longueur minimum des mots de passe
321 setting_password_min_length: Longueur minimum des mots de passe
321
322
322 permission_edit_project: Modifier le projet
323 permission_edit_project: Modifier le projet
323 permission_select_project_modules: Choisir les modules
324 permission_select_project_modules: Choisir les modules
324 permission_manage_members: Gérer les members
325 permission_manage_members: Gérer les members
325 permission_manage_versions: Gérer les versions
326 permission_manage_versions: Gérer les versions
326 permission_manage_categories: Gérer les catégories de demandes
327 permission_manage_categories: Gérer les catégories de demandes
327 permission_add_issues: Créer des demandes
328 permission_add_issues: Créer des demandes
328 permission_edit_issues: Modifier les demandes
329 permission_edit_issues: Modifier les demandes
329 permission_manage_issue_relations: Gérer les relations
330 permission_manage_issue_relations: Gérer les relations
330 permission_add_issue_notes: Ajouter des notes
331 permission_add_issue_notes: Ajouter des notes
331 permission_edit_issue_notes: Modifier les notes
332 permission_edit_issue_notes: Modifier les notes
332 permission_edit_own_issue_notes: Modifier ses propres notes
333 permission_edit_own_issue_notes: Modifier ses propres notes
333 permission_move_issues: Déplacer les demandes
334 permission_move_issues: Déplacer les demandes
334 permission_delete_issues: Supprimer les demandes
335 permission_delete_issues: Supprimer les demandes
335 permission_manage_public_queries: Gérer les requêtes publiques
336 permission_manage_public_queries: Gérer les requêtes publiques
336 permission_save_queries: Sauvegarder les requêtes
337 permission_save_queries: Sauvegarder les requêtes
337 permission_view_gantt: Voir le gantt
338 permission_view_gantt: Voir le gantt
338 permission_view_calendar: Voir le calendrier
339 permission_view_calendar: Voir le calendrier
339 permission_view_issue_watchers: Voir la liste des observateurs
340 permission_view_issue_watchers: Voir la liste des observateurs
340 permission_add_issue_watchers: Ajouter des observateurs
341 permission_add_issue_watchers: Ajouter des observateurs
341 permission_log_time: Saisir le temps passé
342 permission_log_time: Saisir le temps passé
342 permission_view_time_entries: Voir le temps passé
343 permission_view_time_entries: Voir le temps passé
343 permission_edit_time_entries: Modifier les temps passés
344 permission_edit_time_entries: Modifier les temps passés
344 permission_edit_own_time_entries: Modifier son propre temps passé
345 permission_edit_own_time_entries: Modifier son propre temps passé
345 permission_manage_news: Gérer les annonces
346 permission_manage_news: Gérer les annonces
346 permission_comment_news: Commenter les annonces
347 permission_comment_news: Commenter les annonces
347 permission_manage_documents: Gérer les documents
348 permission_manage_documents: Gérer les documents
348 permission_view_documents: Voir les documents
349 permission_view_documents: Voir les documents
349 permission_manage_files: Gérer les fichiers
350 permission_manage_files: Gérer les fichiers
350 permission_view_files: Voir les fichiers
351 permission_view_files: Voir les fichiers
351 permission_manage_wiki: Gérer le wiki
352 permission_manage_wiki: Gérer le wiki
352 permission_rename_wiki_pages: Renommer les pages
353 permission_rename_wiki_pages: Renommer les pages
353 permission_delete_wiki_pages: Supprimer les pages
354 permission_delete_wiki_pages: Supprimer les pages
354 permission_view_wiki_pages: Voir le wiki
355 permission_view_wiki_pages: Voir le wiki
355 permission_view_wiki_edits: "Voir l'historique des modifications"
356 permission_view_wiki_edits: "Voir l'historique des modifications"
356 permission_edit_wiki_pages: Modifier les pages
357 permission_edit_wiki_pages: Modifier les pages
357 permission_delete_wiki_pages_attachments: Supprimer les fichiers joints
358 permission_delete_wiki_pages_attachments: Supprimer les fichiers joints
358 permission_protect_wiki_pages: Protéger les pages
359 permission_protect_wiki_pages: Protéger les pages
359 permission_manage_repository: Gérer le dépôt de sources
360 permission_manage_repository: Gérer le dépôt de sources
360 permission_browse_repository: Parcourir les sources
361 permission_browse_repository: Parcourir les sources
361 permission_view_changesets: Voir les révisions
362 permission_view_changesets: Voir les révisions
362 permission_commit_access: Droit de commit
363 permission_commit_access: Droit de commit
363 permission_manage_boards: Gérer les forums
364 permission_manage_boards: Gérer les forums
364 permission_view_messages: Voir les messages
365 permission_view_messages: Voir les messages
365 permission_add_messages: Poster un message
366 permission_add_messages: Poster un message
366 permission_edit_messages: Modifier les messages
367 permission_edit_messages: Modifier les messages
367 permission_edit_own_messages: Modifier ses propres messages
368 permission_edit_own_messages: Modifier ses propres messages
368 permission_delete_messages: Supprimer les messages
369 permission_delete_messages: Supprimer les messages
369 permission_delete_own_messages: Supprimer ses propres messages
370 permission_delete_own_messages: Supprimer ses propres messages
370
371
371 project_module_issue_tracking: Suivi des demandes
372 project_module_issue_tracking: Suivi des demandes
372 project_module_time_tracking: Suivi du temps passé
373 project_module_time_tracking: Suivi du temps passé
373 project_module_news: Publication d'annonces
374 project_module_news: Publication d'annonces
374 project_module_documents: Publication de documents
375 project_module_documents: Publication de documents
375 project_module_files: Publication de fichiers
376 project_module_files: Publication de fichiers
376 project_module_wiki: Wiki
377 project_module_wiki: Wiki
377 project_module_repository: Dépôt de sources
378 project_module_repository: Dépôt de sources
378 project_module_boards: Forums de discussion
379 project_module_boards: Forums de discussion
379
380
380 label_user: Utilisateur
381 label_user: Utilisateur
381 label_user_plural: Utilisateurs
382 label_user_plural: Utilisateurs
382 label_user_new: Nouvel utilisateur
383 label_user_new: Nouvel utilisateur
383 label_project: Projet
384 label_project: Projet
384 label_project_new: Nouveau projet
385 label_project_new: Nouveau projet
385 label_project_plural: Projets
386 label_project_plural: Projets
386 label_x_projects:
387 label_x_projects:
387 zero: aucun projet
388 zero: aucun projet
388 one: 1 projet
389 one: 1 projet
389 other: "{{count}} projets"
390 other: "{{count}} projets"
390 label_project_all: Tous les projets
391 label_project_all: Tous les projets
391 label_project_latest: Derniers projets
392 label_project_latest: Derniers projets
392 label_issue: Demande
393 label_issue: Demande
393 label_issue_new: Nouvelle demande
394 label_issue_new: Nouvelle demande
394 label_issue_plural: Demandes
395 label_issue_plural: Demandes
395 label_issue_view_all: Voir toutes les demandes
396 label_issue_view_all: Voir toutes les demandes
396 label_issue_added: Demande ajoutée
397 label_issue_added: Demande ajoutée
397 label_issue_updated: Demande mise à jour
398 label_issue_updated: Demande mise à jour
398 label_issues_by: "Demandes par {{value}}"
399 label_issues_by: "Demandes par {{value}}"
399 label_document: Document
400 label_document: Document
400 label_document_new: Nouveau document
401 label_document_new: Nouveau document
401 label_document_plural: Documents
402 label_document_plural: Documents
402 label_document_added: Document ajouté
403 label_document_added: Document ajouté
403 label_role: Rôle
404 label_role: Rôle
404 label_role_plural: Rôles
405 label_role_plural: Rôles
405 label_role_new: Nouveau rôle
406 label_role_new: Nouveau rôle
406 label_role_and_permissions: Rôles et permissions
407 label_role_and_permissions: Rôles et permissions
407 label_member: Membre
408 label_member: Membre
408 label_member_new: Nouveau membre
409 label_member_new: Nouveau membre
409 label_member_plural: Membres
410 label_member_plural: Membres
410 label_tracker: Tracker
411 label_tracker: Tracker
411 label_tracker_plural: Trackers
412 label_tracker_plural: Trackers
412 label_tracker_new: Nouveau tracker
413 label_tracker_new: Nouveau tracker
413 label_workflow: Workflow
414 label_workflow: Workflow
414 label_issue_status: Statut de demandes
415 label_issue_status: Statut de demandes
415 label_issue_status_plural: Statuts de demandes
416 label_issue_status_plural: Statuts de demandes
416 label_issue_status_new: Nouveau statut
417 label_issue_status_new: Nouveau statut
417 label_issue_category: Catégorie de demandes
418 label_issue_category: Catégorie de demandes
418 label_issue_category_plural: Catégories de demandes
419 label_issue_category_plural: Catégories de demandes
419 label_issue_category_new: Nouvelle catégorie
420 label_issue_category_new: Nouvelle catégorie
420 label_custom_field: Champ personnalisé
421 label_custom_field: Champ personnalisé
421 label_custom_field_plural: Champs personnalisés
422 label_custom_field_plural: Champs personnalisés
422 label_custom_field_new: Nouveau champ personnalisé
423 label_custom_field_new: Nouveau champ personnalisé
423 label_enumerations: Listes de valeurs
424 label_enumerations: Listes de valeurs
424 label_enumeration_new: Nouvelle valeur
425 label_enumeration_new: Nouvelle valeur
425 label_information: Information
426 label_information: Information
426 label_information_plural: Informations
427 label_information_plural: Informations
427 label_please_login: Identification
428 label_please_login: Identification
428 label_register: S'enregistrer
429 label_register: S'enregistrer
429 label_login_with_open_id_option: S'authentifier avec OpenID
430 label_login_with_open_id_option: S'authentifier avec OpenID
430 label_password_lost: Mot de passe perdu
431 label_password_lost: Mot de passe perdu
431 label_home: Accueil
432 label_home: Accueil
432 label_my_page: Ma page
433 label_my_page: Ma page
433 label_my_account: Mon compte
434 label_my_account: Mon compte
434 label_my_projects: Mes projets
435 label_my_projects: Mes projets
435 label_administration: Administration
436 label_administration: Administration
436 label_login: Connexion
437 label_login: Connexion
437 label_logout: Déconnexion
438 label_logout: Déconnexion
438 label_help: Aide
439 label_help: Aide
439 label_reported_issues: Demandes soumises
440 label_reported_issues: Demandes soumises
440 label_assigned_to_me_issues: Demandes qui me sont assignées
441 label_assigned_to_me_issues: Demandes qui me sont assignées
441 label_last_login: Dernière connexion
442 label_last_login: Dernière connexion
442 label_registered_on: Inscrit le
443 label_registered_on: Inscrit le
443 label_activity: Activité
444 label_activity: Activité
444 label_overall_activity: Activité globale
445 label_overall_activity: Activité globale
445 label_user_activity: "Activité de {{value}}"
446 label_user_activity: "Activité de {{value}}"
446 label_new: Nouveau
447 label_new: Nouveau
447 label_logged_as: Connecté en tant que
448 label_logged_as: Connecté en tant que
448 label_environment: Environnement
449 label_environment: Environnement
449 label_authentication: Authentification
450 label_authentication: Authentification
450 label_auth_source: Mode d'authentification
451 label_auth_source: Mode d'authentification
451 label_auth_source_new: Nouveau mode d'authentification
452 label_auth_source_new: Nouveau mode d'authentification
452 label_auth_source_plural: Modes d'authentification
453 label_auth_source_plural: Modes d'authentification
453 label_subproject_plural: Sous-projets
454 label_subproject_plural: Sous-projets
454 label_and_its_subprojects: "{{value}} et ses sous-projets"
455 label_and_its_subprojects: "{{value}} et ses sous-projets"
455 label_min_max_length: Longueurs mini - maxi
456 label_min_max_length: Longueurs mini - maxi
456 label_list: Liste
457 label_list: Liste
457 label_date: Date
458 label_date: Date
458 label_integer: Entier
459 label_integer: Entier
459 label_float: Nombre décimal
460 label_float: Nombre décimal
460 label_boolean: Booléen
461 label_boolean: Booléen
461 label_string: Texte
462 label_string: Texte
462 label_text: Texte long
463 label_text: Texte long
463 label_attribute: Attribut
464 label_attribute: Attribut
464 label_attribute_plural: Attributs
465 label_attribute_plural: Attributs
465 label_download: "{{count}} Téléchargement"
466 label_download: "{{count}} Téléchargement"
466 label_download_plural: "{{count}} Téléchargements"
467 label_download_plural: "{{count}} Téléchargements"
467 label_no_data: Aucune donnée à afficher
468 label_no_data: Aucune donnée à afficher
468 label_change_status: Changer le statut
469 label_change_status: Changer le statut
469 label_history: Historique
470 label_history: Historique
470 label_attachment: Fichier
471 label_attachment: Fichier
471 label_attachment_new: Nouveau fichier
472 label_attachment_new: Nouveau fichier
472 label_attachment_delete: Supprimer le fichier
473 label_attachment_delete: Supprimer le fichier
473 label_attachment_plural: Fichiers
474 label_attachment_plural: Fichiers
474 label_file_added: Fichier ajouté
475 label_file_added: Fichier ajouté
475 label_report: Rapport
476 label_report: Rapport
476 label_report_plural: Rapports
477 label_report_plural: Rapports
477 label_news: Annonce
478 label_news: Annonce
478 label_news_new: Nouvelle annonce
479 label_news_new: Nouvelle annonce
479 label_news_plural: Annonces
480 label_news_plural: Annonces
480 label_news_latest: Dernières annonces
481 label_news_latest: Dernières annonces
481 label_news_view_all: Voir toutes les annonces
482 label_news_view_all: Voir toutes les annonces
482 label_news_added: Annonce ajoutée
483 label_news_added: Annonce ajoutée
483 label_change_log: Historique
484 label_change_log: Historique
484 label_settings: Configuration
485 label_settings: Configuration
485 label_overview: Aperçu
486 label_overview: Aperçu
486 label_version: Version
487 label_version: Version
487 label_version_new: Nouvelle version
488 label_version_new: Nouvelle version
488 label_version_plural: Versions
489 label_version_plural: Versions
489 label_confirmation: Confirmation
490 label_confirmation: Confirmation
490 label_export_to: 'Formats disponibles:'
491 label_export_to: 'Formats disponibles:'
491 label_read: Lire...
492 label_read: Lire...
492 label_public_projects: Projets publics
493 label_public_projects: Projets publics
493 label_open_issues: ouvert
494 label_open_issues: ouvert
494 label_open_issues_plural: ouverts
495 label_open_issues_plural: ouverts
495 label_closed_issues: fermé
496 label_closed_issues: fermé
496 label_closed_issues_plural: fermés
497 label_closed_issues_plural: fermés
497 label_x_open_issues_abbr_on_total:
498 label_x_open_issues_abbr_on_total:
498 zero: 0 ouvert sur {{total}}
499 zero: 0 ouvert sur {{total}}
499 one: 1 ouvert sur {{total}}
500 one: 1 ouvert sur {{total}}
500 other: "{{count}} ouverts sur {{total}}"
501 other: "{{count}} ouverts sur {{total}}"
501 label_x_open_issues_abbr:
502 label_x_open_issues_abbr:
502 zero: 0 ouvert
503 zero: 0 ouvert
503 one: 1 ouvert
504 one: 1 ouvert
504 other: "{{count}} ouverts"
505 other: "{{count}} ouverts"
505 label_x_closed_issues_abbr:
506 label_x_closed_issues_abbr:
506 zero: 0 fermé
507 zero: 0 fermé
507 one: 1 fermé
508 one: 1 fermé
508 other: "{{count}} fermés"
509 other: "{{count}} fermés"
509 label_total: Total
510 label_total: Total
510 label_permissions: Permissions
511 label_permissions: Permissions
511 label_current_status: Statut actuel
512 label_current_status: Statut actuel
512 label_new_statuses_allowed: Nouveaux statuts autorisés
513 label_new_statuses_allowed: Nouveaux statuts autorisés
513 label_all: tous
514 label_all: tous
514 label_none: aucun
515 label_none: aucun
515 label_nobody: personne
516 label_nobody: personne
516 label_next: Suivant
517 label_next: Suivant
517 label_previous: Précédent
518 label_previous: Précédent
518 label_used_by: Utilisé par
519 label_used_by: Utilisé par
519 label_details: Détails
520 label_details: Détails
520 label_add_note: Ajouter une note
521 label_add_note: Ajouter une note
521 label_per_page: Par page
522 label_per_page: Par page
522 label_calendar: Calendrier
523 label_calendar: Calendrier
523 label_months_from: mois depuis
524 label_months_from: mois depuis
524 label_gantt: Gantt
525 label_gantt: Gantt
525 label_internal: Interne
526 label_internal: Interne
526 label_last_changes: "{{count}} derniers changements"
527 label_last_changes: "{{count}} derniers changements"
527 label_change_view_all: Voir tous les changements
528 label_change_view_all: Voir tous les changements
528 label_personalize_page: Personnaliser cette page
529 label_personalize_page: Personnaliser cette page
529 label_comment: Commentaire
530 label_comment: Commentaire
530 label_comment_plural: Commentaires
531 label_comment_plural: Commentaires
531 label_x_comments:
532 label_x_comments:
532 zero: aucun commentaire
533 zero: aucun commentaire
533 one: 1 commentaire
534 one: 1 commentaire
534 other: "{{count}} commentaires"
535 other: "{{count}} commentaires"
535 label_comment_add: Ajouter un commentaire
536 label_comment_add: Ajouter un commentaire
536 label_comment_added: Commentaire ajouté
537 label_comment_added: Commentaire ajouté
537 label_comment_delete: Supprimer les commentaires
538 label_comment_delete: Supprimer les commentaires
538 label_query: Rapport personnalisé
539 label_query: Rapport personnalisé
539 label_query_plural: Rapports personnalisés
540 label_query_plural: Rapports personnalisés
540 label_query_new: Nouveau rapport
541 label_query_new: Nouveau rapport
541 label_filter_add: Ajouter le filtre
542 label_filter_add: Ajouter le filtre
542 label_filter_plural: Filtres
543 label_filter_plural: Filtres
543 label_equals: égal
544 label_equals: égal
544 label_not_equals: différent
545 label_not_equals: différent
545 label_in_less_than: dans moins de
546 label_in_less_than: dans moins de
546 label_in_more_than: dans plus de
547 label_in_more_than: dans plus de
547 label_in: dans
548 label_in: dans
548 label_today: aujourd'hui
549 label_today: aujourd'hui
549 label_all_time: toute la période
550 label_all_time: toute la période
550 label_yesterday: hier
551 label_yesterday: hier
551 label_this_week: cette semaine
552 label_this_week: cette semaine
552 label_last_week: la semaine dernière
553 label_last_week: la semaine dernière
553 label_last_n_days: "les {{count}} derniers jours"
554 label_last_n_days: "les {{count}} derniers jours"
554 label_this_month: ce mois-ci
555 label_this_month: ce mois-ci
555 label_last_month: le mois dernier
556 label_last_month: le mois dernier
556 label_this_year: cette année
557 label_this_year: cette année
557 label_date_range: Période
558 label_date_range: Période
558 label_less_than_ago: il y a moins de
559 label_less_than_ago: il y a moins de
559 label_more_than_ago: il y a plus de
560 label_more_than_ago: il y a plus de
560 label_ago: il y a
561 label_ago: il y a
561 label_contains: contient
562 label_contains: contient
562 label_not_contains: ne contient pas
563 label_not_contains: ne contient pas
563 label_day_plural: jours
564 label_day_plural: jours
564 label_repository: Dépôt
565 label_repository: Dépôt
565 label_repository_plural: Dépôts
566 label_repository_plural: Dépôts
566 label_browse: Parcourir
567 label_browse: Parcourir
567 label_modification: "{{count}} modification"
568 label_modification: "{{count}} modification"
568 label_modification_plural: "{{count}} modifications"
569 label_modification_plural: "{{count}} modifications"
569 label_revision: Révision
570 label_revision: Révision
570 label_revision_plural: Révisions
571 label_revision_plural: Révisions
571 label_associated_revisions: Révisions associées
572 label_associated_revisions: Révisions associées
572 label_added: ajouté
573 label_added: ajouté
573 label_modified: modifié
574 label_modified: modifié
574 label_copied: copié
575 label_copied: copié
575 label_renamed: renommé
576 label_renamed: renommé
576 label_deleted: supprimé
577 label_deleted: supprimé
577 label_latest_revision: Dernière révision
578 label_latest_revision: Dernière révision
578 label_latest_revision_plural: Dernières révisions
579 label_latest_revision_plural: Dernières révisions
579 label_view_revisions: Voir les révisions
580 label_view_revisions: Voir les révisions
580 label_max_size: Taille maximale
581 label_max_size: Taille maximale
581 label_sort_highest: Remonter en premier
582 label_sort_highest: Remonter en premier
582 label_sort_higher: Remonter
583 label_sort_higher: Remonter
583 label_sort_lower: Descendre
584 label_sort_lower: Descendre
584 label_sort_lowest: Descendre en dernier
585 label_sort_lowest: Descendre en dernier
585 label_roadmap: Roadmap
586 label_roadmap: Roadmap
586 label_roadmap_due_in: "Echéance dans {{value}}"
587 label_roadmap_due_in: "Echéance dans {{value}}"
587 label_roadmap_overdue: "En retard de {{value}}"
588 label_roadmap_overdue: "En retard de {{value}}"
588 label_roadmap_no_issues: Aucune demande pour cette version
589 label_roadmap_no_issues: Aucune demande pour cette version
589 label_search: Recherche
590 label_search: Recherche
590 label_result_plural: Résultats
591 label_result_plural: Résultats
591 label_all_words: Tous les mots
592 label_all_words: Tous les mots
592 label_wiki: Wiki
593 label_wiki: Wiki
593 label_wiki_edit: Révision wiki
594 label_wiki_edit: Révision wiki
594 label_wiki_edit_plural: Révisions wiki
595 label_wiki_edit_plural: Révisions wiki
595 label_wiki_page: Page wiki
596 label_wiki_page: Page wiki
596 label_wiki_page_plural: Pages wiki
597 label_wiki_page_plural: Pages wiki
597 label_index_by_title: Index par titre
598 label_index_by_title: Index par titre
598 label_index_by_date: Index par date
599 label_index_by_date: Index par date
599 label_current_version: Version actuelle
600 label_current_version: Version actuelle
600 label_preview: Prévisualisation
601 label_preview: Prévisualisation
601 label_feed_plural: Flux RSS
602 label_feed_plural: Flux RSS
602 label_changes_details: Détails de tous les changements
603 label_changes_details: Détails de tous les changements
603 label_issue_tracking: Suivi des demandes
604 label_issue_tracking: Suivi des demandes
604 label_spent_time: Temps passé
605 label_spent_time: Temps passé
605 label_f_hour: "{{value}} heure"
606 label_f_hour: "{{value}} heure"
606 label_f_hour_plural: "{{value}} heures"
607 label_f_hour_plural: "{{value}} heures"
607 label_time_tracking: Suivi du temps
608 label_time_tracking: Suivi du temps
608 label_change_plural: Changements
609 label_change_plural: Changements
609 label_statistics: Statistiques
610 label_statistics: Statistiques
610 label_commits_per_month: Commits par mois
611 label_commits_per_month: Commits par mois
611 label_commits_per_author: Commits par auteur
612 label_commits_per_author: Commits par auteur
612 label_view_diff: Voir les différences
613 label_view_diff: Voir les différences
613 label_diff_inline: en ligne
614 label_diff_inline: en ligne
614 label_diff_side_by_side: côte à côte
615 label_diff_side_by_side: côte à côte
615 label_options: Options
616 label_options: Options
616 label_copy_workflow_from: Copier le workflow de
617 label_copy_workflow_from: Copier le workflow de
617 label_permissions_report: Synthèse des permissions
618 label_permissions_report: Synthèse des permissions
618 label_watched_issues: Demandes surveillées
619 label_watched_issues: Demandes surveillées
619 label_related_issues: Demandes liées
620 label_related_issues: Demandes liées
620 label_applied_status: Statut appliqué
621 label_applied_status: Statut appliqué
621 label_loading: Chargement...
622 label_loading: Chargement...
622 label_relation_new: Nouvelle relation
623 label_relation_new: Nouvelle relation
623 label_relation_delete: Supprimer la relation
624 label_relation_delete: Supprimer la relation
624 label_relates_to: lié à
625 label_relates_to: lié à
625 label_duplicates: duplique
626 label_duplicates: duplique
626 label_duplicated_by: dupliqué par
627 label_duplicated_by: dupliqué par
627 label_blocks: bloque
628 label_blocks: bloque
628 label_blocked_by: bloqué par
629 label_blocked_by: bloqué par
629 label_precedes: précède
630 label_precedes: précède
630 label_follows: suit
631 label_follows: suit
631 label_end_to_start: fin à début
632 label_end_to_start: fin à début
632 label_end_to_end: fin à fin
633 label_end_to_end: fin à fin
633 label_start_to_start: début à début
634 label_start_to_start: début à début
634 label_start_to_end: début à fin
635 label_start_to_end: début à fin
635 label_stay_logged_in: Rester connecté
636 label_stay_logged_in: Rester connecté
636 label_disabled: désactivé
637 label_disabled: désactivé
637 label_show_completed_versions: Voir les versions passées
638 label_show_completed_versions: Voir les versions passées
638 label_me: moi
639 label_me: moi
639 label_board: Forum
640 label_board: Forum
640 label_board_new: Nouveau forum
641 label_board_new: Nouveau forum
641 label_board_plural: Forums
642 label_board_plural: Forums
642 label_topic_plural: Discussions
643 label_topic_plural: Discussions
643 label_message_plural: Messages
644 label_message_plural: Messages
644 label_message_last: Dernier message
645 label_message_last: Dernier message
645 label_message_new: Nouveau message
646 label_message_new: Nouveau message
646 label_message_posted: Message ajouté
647 label_message_posted: Message ajouté
647 label_reply_plural: Réponses
648 label_reply_plural: Réponses
648 label_send_information: Envoyer les informations à l'utilisateur
649 label_send_information: Envoyer les informations à l'utilisateur
649 label_year: Année
650 label_year: Année
650 label_month: Mois
651 label_month: Mois
651 label_week: Semaine
652 label_week: Semaine
652 label_date_from: Du
653 label_date_from: Du
653 label_date_to: Au
654 label_date_to: Au
654 label_language_based: Basé sur la langue de l'utilisateur
655 label_language_based: Basé sur la langue de l'utilisateur
655 label_sort_by: "Trier par {{value}}"
656 label_sort_by: "Trier par {{value}}"
656 label_send_test_email: Envoyer un email de test
657 label_send_test_email: Envoyer un email de test
657 label_feeds_access_key_created_on: "Clé d'accès RSS créée il y a {{value}}"
658 label_feeds_access_key_created_on: "Clé d'accès RSS créée il y a {{value}}"
658 label_module_plural: Modules
659 label_module_plural: Modules
659 label_added_time_by: "Ajouté par {{author}} il y a {{age}}"
660 label_added_time_by: "Ajouté par {{author}} il y a {{age}}"
660 label_updated_time_by: "Mis à jour par {{author}} il y a {{age}}"
661 label_updated_time_by: "Mis à jour par {{author}} il y a {{age}}"
661 label_updated_time: "Mis à jour il y a {{value}}"
662 label_updated_time: "Mis à jour il y a {{value}}"
662 label_jump_to_a_project: Aller à un projet...
663 label_jump_to_a_project: Aller à un projet...
663 label_file_plural: Fichiers
664 label_file_plural: Fichiers
664 label_changeset_plural: Révisions
665 label_changeset_plural: Révisions
665 label_default_columns: Colonnes par défaut
666 label_default_columns: Colonnes par défaut
666 label_no_change_option: (Pas de changement)
667 label_no_change_option: (Pas de changement)
667 label_bulk_edit_selected_issues: Modifier les demandes sélectionnées
668 label_bulk_edit_selected_issues: Modifier les demandes sélectionnées
668 label_theme: Thème
669 label_theme: Thème
669 label_default: Défaut
670 label_default: Défaut
670 label_search_titles_only: Uniquement dans les titres
671 label_search_titles_only: Uniquement dans les titres
671 label_user_mail_option_all: "Pour tous les événements de tous mes projets"
672 label_user_mail_option_all: "Pour tous les événements de tous mes projets"
672 label_user_mail_option_selected: "Pour tous les événements des projets sélectionnés..."
673 label_user_mail_option_selected: "Pour tous les événements des projets sélectionnés..."
673 label_user_mail_option_none: "Seulement pour ce que je surveille ou à quoi je participe"
674 label_user_mail_option_none: "Seulement pour ce que je surveille ou à quoi je participe"
674 label_user_mail_no_self_notified: "Je ne veux pas être notifié des changements que j'effectue"
675 label_user_mail_no_self_notified: "Je ne veux pas être notifié des changements que j'effectue"
675 label_registration_activation_by_email: activation du compte par email
676 label_registration_activation_by_email: activation du compte par email
676 label_registration_manual_activation: activation manuelle du compte
677 label_registration_manual_activation: activation manuelle du compte
677 label_registration_automatic_activation: activation automatique du compte
678 label_registration_automatic_activation: activation automatique du compte
678 label_display_per_page: "Par page: {{value}}"
679 label_display_per_page: "Par page: {{value}}"
679 label_age: Age
680 label_age: Age
680 label_change_properties: Changer les propriétés
681 label_change_properties: Changer les propriétés
681 label_general: Général
682 label_general: Général
682 label_more: Plus
683 label_more: Plus
683 label_scm: SCM
684 label_scm: SCM
684 label_plugins: Plugins
685 label_plugins: Plugins
685 label_ldap_authentication: Authentification LDAP
686 label_ldap_authentication: Authentification LDAP
686 label_downloads_abbr: D/L
687 label_downloads_abbr: D/L
687 label_optional_description: Description facultative
688 label_optional_description: Description facultative
688 label_add_another_file: Ajouter un autre fichier
689 label_add_another_file: Ajouter un autre fichier
689 label_preferences: Préférences
690 label_preferences: Préférences
690 label_chronological_order: Dans l'ordre chronologique
691 label_chronological_order: Dans l'ordre chronologique
691 label_reverse_chronological_order: Dans l'ordre chronologique inverse
692 label_reverse_chronological_order: Dans l'ordre chronologique inverse
692 label_planning: Planning
693 label_planning: Planning
693 label_incoming_emails: Emails entrants
694 label_incoming_emails: Emails entrants
694 label_generate_key: Générer une clé
695 label_generate_key: Générer une clé
695 label_issue_watchers: Observateurs
696 label_issue_watchers: Observateurs
696 label_example: Exemple
697 label_example: Exemple
697 label_display: Affichage
698 label_display: Affichage
698 label_sort: Tri
699 label_sort: Tri
699 label_ascending: Croissant
700 label_ascending: Croissant
700 label_descending: Décroissant
701 label_descending: Décroissant
701 label_date_from_to: Du {{start}} au {{end}}
702 label_date_from_to: Du {{start}} au {{end}}
702
703
703 button_login: Connexion
704 button_login: Connexion
704 button_submit: Soumettre
705 button_submit: Soumettre
705 button_save: Sauvegarder
706 button_save: Sauvegarder
706 button_check_all: Tout cocher
707 button_check_all: Tout cocher
707 button_uncheck_all: Tout décocher
708 button_uncheck_all: Tout décocher
708 button_delete: Supprimer
709 button_delete: Supprimer
709 button_create: Créer
710 button_create: Créer
710 button_create_and_continue: Créer et continuer
711 button_create_and_continue: Créer et continuer
711 button_test: Tester
712 button_test: Tester
712 button_edit: Modifier
713 button_edit: Modifier
713 button_add: Ajouter
714 button_add: Ajouter
714 button_change: Changer
715 button_change: Changer
715 button_apply: Appliquer
716 button_apply: Appliquer
716 button_clear: Effacer
717 button_clear: Effacer
717 button_lock: Verrouiller
718 button_lock: Verrouiller
718 button_unlock: Déverrouiller
719 button_unlock: Déverrouiller
719 button_download: Télécharger
720 button_download: Télécharger
720 button_list: Lister
721 button_list: Lister
721 button_view: Voir
722 button_view: Voir
722 button_move: Déplacer
723 button_move: Déplacer
723 button_back: Retour
724 button_back: Retour
724 button_cancel: Annuler
725 button_cancel: Annuler
725 button_activate: Activer
726 button_activate: Activer
726 button_sort: Trier
727 button_sort: Trier
727 button_log_time: Saisir temps
728 button_log_time: Saisir temps
728 button_rollback: Revenir à cette version
729 button_rollback: Revenir à cette version
729 button_watch: Surveiller
730 button_watch: Surveiller
730 button_unwatch: Ne plus surveiller
731 button_unwatch: Ne plus surveiller
731 button_reply: Répondre
732 button_reply: Répondre
732 button_archive: Archiver
733 button_archive: Archiver
733 button_unarchive: Désarchiver
734 button_unarchive: Désarchiver
734 button_reset: Réinitialiser
735 button_reset: Réinitialiser
735 button_rename: Renommer
736 button_rename: Renommer
736 button_change_password: Changer de mot de passe
737 button_change_password: Changer de mot de passe
737 button_copy: Copier
738 button_copy: Copier
738 button_annotate: Annoter
739 button_annotate: Annoter
739 button_update: Mettre à jour
740 button_update: Mettre à jour
740 button_configure: Configurer
741 button_configure: Configurer
741 button_quote: Citer
742 button_quote: Citer
742
743
743 status_active: actif
744 status_active: actif
744 status_registered: enregistré
745 status_registered: enregistré
745 status_locked: vérouillé
746 status_locked: vérouillé
746
747
747 text_select_mail_notifications: Actions pour lesquelles une notification par e-mail est envoyée
748 text_select_mail_notifications: Actions pour lesquelles une notification par e-mail est envoyée
748 text_regexp_info: ex. ^[A-Z0-9]+$
749 text_regexp_info: ex. ^[A-Z0-9]+$
749 text_min_max_length_info: 0 pour aucune restriction
750 text_min_max_length_info: 0 pour aucune restriction
750 text_project_destroy_confirmation: Etes-vous sûr de vouloir supprimer ce projet et toutes ses données ?
751 text_project_destroy_confirmation: Etes-vous sûr de vouloir supprimer ce projet et toutes ses données ?
751 text_subprojects_destroy_warning: "Ses sous-projets: {{value}} seront également supprimés."
752 text_subprojects_destroy_warning: "Ses sous-projets: {{value}} seront également supprimés."
752 text_workflow_edit: Sélectionner un tracker et un rôle pour éditer le workflow
753 text_workflow_edit: Sélectionner un tracker et un rôle pour éditer le workflow
753 text_are_you_sure: Etes-vous sûr ?
754 text_are_you_sure: Etes-vous sûr ?
754 text_journal_changed: "changé de {{old}} à {{new}}"
755 text_journal_changed: "changé de {{old}} à {{new}}"
755 text_journal_set_to: "mis à {{value}}"
756 text_journal_set_to: "mis à {{value}}"
756 text_journal_deleted: supprimé
757 text_journal_deleted: supprimé
757 text_tip_task_begin_day: tâche commençant ce jour
758 text_tip_task_begin_day: tâche commençant ce jour
758 text_tip_task_end_day: tâche finissant ce jour
759 text_tip_task_end_day: tâche finissant ce jour
759 text_tip_task_begin_end_day: tâche commençant et finissant ce jour
760 text_tip_task_begin_end_day: tâche commençant et finissant ce jour
760 text_project_identifier_info: 'Seuls les lettres minuscules (a-z), chiffres et tirets sont autorisés.<br />Un fois sauvegardé, l''identifiant ne pourra plus être modifié.'
761 text_project_identifier_info: 'Seuls les lettres minuscules (a-z), chiffres et tirets sont autorisés.<br />Un fois sauvegardé, l''identifiant ne pourra plus être modifié.'
761 text_caracters_maximum: "{{count}} caractères maximum."
762 text_caracters_maximum: "{{count}} caractères maximum."
762 text_caracters_minimum: "{{count}} caractères minimum."
763 text_caracters_minimum: "{{count}} caractères minimum."
763 text_length_between: "Longueur comprise entre {{min}} et {{max}} caractères."
764 text_length_between: "Longueur comprise entre {{min}} et {{max}} caractères."
764 text_tracker_no_workflow: Aucun worflow n'est défini pour ce tracker
765 text_tracker_no_workflow: Aucun worflow n'est défini pour ce tracker
765 text_unallowed_characters: Caractères non autorisés
766 text_unallowed_characters: Caractères non autorisés
766 text_comma_separated: Plusieurs valeurs possibles (séparées par des virgules).
767 text_comma_separated: Plusieurs valeurs possibles (séparées par des virgules).
767 text_issues_ref_in_commit_messages: Référencement et résolution des demandes dans les commentaires de commits
768 text_issues_ref_in_commit_messages: Référencement et résolution des demandes dans les commentaires de commits
768 text_issue_added: "La demande {{id}} a été soumise par {{author}}."
769 text_issue_added: "La demande {{id}} a été soumise par {{author}}."
769 text_issue_updated: "La demande {{id}} a été mise à jour par {{author}}."
770 text_issue_updated: "La demande {{id}} a été mise à jour par {{author}}."
770 text_wiki_destroy_confirmation: Etes-vous sûr de vouloir supprimer ce wiki et tout son contenu ?
771 text_wiki_destroy_confirmation: Etes-vous sûr de vouloir supprimer ce wiki et tout son contenu ?
771 text_issue_category_destroy_question: "{{count}} demandes sont affectées à cette catégories. Que voulez-vous faire ?"
772 text_issue_category_destroy_question: "{{count}} demandes sont affectées à cette catégories. Que voulez-vous faire ?"
772 text_issue_category_destroy_assignments: N'affecter les demandes à aucune autre catégorie
773 text_issue_category_destroy_assignments: N'affecter les demandes à aucune autre catégorie
773 text_issue_category_reassign_to: Réaffecter les demandes à cette catégorie
774 text_issue_category_reassign_to: Réaffecter les demandes à cette catégorie
774 text_user_mail_option: "Pour les projets non sélectionnés, vous recevrez seulement des notifications pour ce que vous surveillez ou à quoi vous participez (exemple: demandes dont vous êtes l'auteur ou la personne assignée)."
775 text_user_mail_option: "Pour les projets non sélectionnés, vous recevrez seulement des notifications pour ce que vous surveillez ou à quoi vous participez (exemple: demandes dont vous êtes l'auteur ou la personne assignée)."
775 text_no_configuration_data: "Les rôles, trackers, statuts et le workflow ne sont pas encore paramétrés.\nIl est vivement recommandé de charger le paramétrage par defaut. Vous pourrez le modifier une fois chargé."
776 text_no_configuration_data: "Les rôles, trackers, statuts et le workflow ne sont pas encore paramétrés.\nIl est vivement recommandé de charger le paramétrage par defaut. Vous pourrez le modifier une fois chargé."
776 text_load_default_configuration: Charger le paramétrage par défaut
777 text_load_default_configuration: Charger le paramétrage par défaut
777 text_status_changed_by_changeset: "Appliqué par commit {{value}}."
778 text_status_changed_by_changeset: "Appliqué par commit {{value}}."
778 text_issues_destroy_confirmation: 'Etes-vous sûr de vouloir supprimer le(s) demandes(s) selectionnée(s) ?'
779 text_issues_destroy_confirmation: 'Etes-vous sûr de vouloir supprimer le(s) demandes(s) selectionnée(s) ?'
779 text_select_project_modules: 'Selectionner les modules à activer pour ce project:'
780 text_select_project_modules: 'Selectionner les modules à activer pour ce project:'
780 text_default_administrator_account_changed: Compte administrateur par défaut changé
781 text_default_administrator_account_changed: Compte administrateur par défaut changé
781 text_file_repository_writable: Répertoire de stockage des fichiers accessible en écriture
782 text_file_repository_writable: Répertoire de stockage des fichiers accessible en écriture
782 text_plugin_assets_writable: Répertoire public des plugins accessible en écriture
783 text_plugin_assets_writable: Répertoire public des plugins accessible en écriture
783 text_rmagick_available: Bibliothèque RMagick présente (optionnelle)
784 text_rmagick_available: Bibliothèque RMagick présente (optionnelle)
784 text_destroy_time_entries_question: "{{hours}} heures ont été enregistrées sur les demandes à supprimer. Que voulez-vous faire ?"
785 text_destroy_time_entries_question: "{{hours}} heures ont été enregistrées sur les demandes à supprimer. Que voulez-vous faire ?"
785 text_destroy_time_entries: Supprimer les heures
786 text_destroy_time_entries: Supprimer les heures
786 text_assign_time_entries_to_project: Reporter les heures sur le projet
787 text_assign_time_entries_to_project: Reporter les heures sur le projet
787 text_reassign_time_entries: 'Reporter les heures sur cette demande:'
788 text_reassign_time_entries: 'Reporter les heures sur cette demande:'
788 text_user_wrote: "{{value}} a écrit:"
789 text_user_wrote: "{{value}} a écrit:"
789 text_enumeration_destroy_question: "Cette valeur est affectée à {{count}} objets."
790 text_enumeration_destroy_question: "Cette valeur est affectée à {{count}} objets."
790 text_enumeration_category_reassign_to: 'Réaffecter les objets à cette valeur:'
791 text_enumeration_category_reassign_to: 'Réaffecter les objets à cette valeur:'
791 text_email_delivery_not_configured: "L'envoi de mail n'est pas configuré, les notifications sont désactivées.\nConfigurez votre serveur SMTP dans config/email.yml et redémarrez l'application pour les activer."
792 text_email_delivery_not_configured: "L'envoi de mail n'est pas configuré, les notifications sont désactivées.\nConfigurez votre serveur SMTP dans config/email.yml et redémarrez l'application pour les activer."
792 text_repository_usernames_mapping: "Vous pouvez sélectionner ou modifier l'utilisateur Redmine associé à chaque nom d'utilisateur figurant dans l'historique du dépôt.\nLes utilisateurs avec le même identifiant ou la même adresse mail seront automatiquement associés."
793 text_repository_usernames_mapping: "Vous pouvez sélectionner ou modifier l'utilisateur Redmine associé à chaque nom d'utilisateur figurant dans l'historique du dépôt.\nLes utilisateurs avec le même identifiant ou la même adresse mail seront automatiquement associés."
793 text_diff_truncated: '... Ce différentiel a été tronqué car il excède la taille maximale pouvant être affichée.'
794 text_diff_truncated: '... Ce différentiel a été tronqué car il excède la taille maximale pouvant être affichée.'
794 text_custom_field_possible_values_info: 'Une ligne par valeur'
795 text_custom_field_possible_values_info: 'Une ligne par valeur'
795 text_wiki_page_destroy_question: "Cette page possède {{descendants}} sous-page(s) et descendante(s). Que voulez-vous faire ?"
796 text_wiki_page_destroy_question: "Cette page possède {{descendants}} sous-page(s) et descendante(s). Que voulez-vous faire ?"
796 text_wiki_page_nullify_children: "Conserver les sous-pages en tant que pages racines"
797 text_wiki_page_nullify_children: "Conserver les sous-pages en tant que pages racines"
797 text_wiki_page_destroy_children: "Supprimer les sous-pages et toutes leurs descedantes"
798 text_wiki_page_destroy_children: "Supprimer les sous-pages et toutes leurs descedantes"
798 text_wiki_page_reassign_children: "Réaffecter les sous-pages à cette page"
799 text_wiki_page_reassign_children: "Réaffecter les sous-pages à cette page"
799
800
800 default_role_manager: Manager
801 default_role_manager: Manager
801 default_role_developper: Développeur
802 default_role_developper: Développeur
802 default_role_reporter: Rapporteur
803 default_role_reporter: Rapporteur
803 default_tracker_bug: Anomalie
804 default_tracker_bug: Anomalie
804 default_tracker_feature: Evolution
805 default_tracker_feature: Evolution
805 default_tracker_support: Assistance
806 default_tracker_support: Assistance
806 default_issue_status_new: Nouveau
807 default_issue_status_new: Nouveau
807 default_issue_status_assigned: Assigné
808 default_issue_status_assigned: Assigné
808 default_issue_status_resolved: Résolu
809 default_issue_status_resolved: Résolu
809 default_issue_status_feedback: Commentaire
810 default_issue_status_feedback: Commentaire
810 default_issue_status_closed: Fermé
811 default_issue_status_closed: Fermé
811 default_issue_status_rejected: Rejeté
812 default_issue_status_rejected: Rejeté
812 default_doc_category_user: Documentation utilisateur
813 default_doc_category_user: Documentation utilisateur
813 default_doc_category_tech: Documentation technique
814 default_doc_category_tech: Documentation technique
814 default_priority_low: Bas
815 default_priority_low: Bas
815 default_priority_normal: Normal
816 default_priority_normal: Normal
816 default_priority_high: Haut
817 default_priority_high: Haut
817 default_priority_urgent: Urgent
818 default_priority_urgent: Urgent
818 default_priority_immediate: Immédiat
819 default_priority_immediate: Immédiat
819 default_activity_design: Conception
820 default_activity_design: Conception
820 default_activity_development: Développement
821 default_activity_development: Développement
821
822
822 enumeration_issue_priorities: Priorités des demandes
823 enumeration_issue_priorities: Priorités des demandes
823 enumeration_doc_categories: Catégories des documents
824 enumeration_doc_categories: Catégories des documents
824 enumeration_activities: Activités (suivi du temps)
825 enumeration_activities: Activités (suivi du temps)
825 label_greater_or_equal: ">="
826 label_greater_or_equal: ">="
826 label_less_or_equal: <=
827 label_less_or_equal: <=
@@ -1,823 +1,824
1 # Galician (Spain) for Ruby on Rails
1 # Galician (Spain) for Ruby on Rails
2 # by Marcos Arias Pena (markus@agil-e.com)
2 # by Marcos Arias Pena (markus@agil-e.com)
3
3
4 gl:
4 gl:
5 number:
5 number:
6 format:
6 format:
7 separator: ","
7 separator: ","
8 delimiter: "."
8 delimiter: "."
9 precision: 3
9 precision: 3
10
10
11 currency:
11 currency:
12 format:
12 format:
13 format: "%n %u"
13 format: "%n %u"
14 unit: "€"
14 unit: "€"
15 separator: ","
15 separator: ","
16 delimiter: "."
16 delimiter: "."
17 precision: 2
17 precision: 2
18
18
19 percentage:
19 percentage:
20 format:
20 format:
21 # separator:
21 # separator:
22 delimiter: ""
22 delimiter: ""
23 # precision:
23 # precision:
24
24
25 precision:
25 precision:
26 format:
26 format:
27 # separator:
27 # separator:
28 delimiter: ""
28 delimiter: ""
29 # precision:
29 # precision:
30
30
31 human:
31 human:
32 format:
32 format:
33 # separator:
33 # separator:
34 delimiter: ""
34 delimiter: ""
35 precision: 1
35 precision: 1
36
36
37
37
38 date:
38 date:
39 formats:
39 formats:
40 default: "%e/%m/%Y"
40 default: "%e/%m/%Y"
41 short: "%e %b"
41 short: "%e %b"
42 long: "%A %e de %B de %Y"
42 long: "%A %e de %B de %Y"
43 day_names: [Domingo, Luns, Martes, Mércores, Xoves, Venres, Sábado]
43 day_names: [Domingo, Luns, Martes, Mércores, Xoves, Venres, Sábado]
44 abbr_day_names: [Dom, Lun, Mar, Mer, Xov, Ven, Sab]
44 abbr_day_names: [Dom, Lun, Mar, Mer, Xov, Ven, Sab]
45 month_names: [~, Xaneiro, Febreiro, Marzo, Abril, Maio, Xunio, Xullo, Agosto, Setembro, Outubro, Novembro, Decembro]
45 month_names: [~, Xaneiro, Febreiro, Marzo, Abril, Maio, Xunio, Xullo, Agosto, Setembro, Outubro, Novembro, Decembro]
46 abbr_month_names: [~, Xan, Feb, Maz, Abr, Mai, Xun, Xul, Ago, Set, Out, Nov, Dec]
46 abbr_month_names: [~, Xan, Feb, Maz, Abr, Mai, Xun, Xul, Ago, Set, Out, Nov, Dec]
47 order: [:day, :month, :year]
47 order: [:day, :month, :year]
48
48
49 time:
49 time:
50 formats:
50 formats:
51 default: "%A, %e de %B de %Y, %H:%M hs"
51 default: "%A, %e de %B de %Y, %H:%M hs"
52 time: "%H:%M hs"
52 time: "%H:%M hs"
53 short: "%e/%m, %H:%M hs"
53 short: "%e/%m, %H:%M hs"
54 long: "%A %e de %B de %Y ás %H:%M horas"
54 long: "%A %e de %B de %Y ás %H:%M horas"
55
55
56 am: ''
56 am: ''
57 pm: ''
57 pm: ''
58
58
59 datetime:
59 datetime:
60 distance_in_words:
60 distance_in_words:
61 half_a_minute: 'medio minuto'
61 half_a_minute: 'medio minuto'
62 less_than_x_seconds:
62 less_than_x_seconds:
63 zero: 'menos dun segundo'
63 zero: 'menos dun segundo'
64 one: '1 segundo'
64 one: '1 segundo'
65 few: 'poucos segundos'
65 few: 'poucos segundos'
66 other: '{{count}} segundos'
66 other: '{{count}} segundos'
67 x_seconds:
67 x_seconds:
68 one: '1 segundo'
68 one: '1 segundo'
69 other: '{{count}} segundos'
69 other: '{{count}} segundos'
70 less_than_x_minutes:
70 less_than_x_minutes:
71 zero: 'menos dun minuto'
71 zero: 'menos dun minuto'
72 one: '1 minuto'
72 one: '1 minuto'
73 other: '{{count}} minutos'
73 other: '{{count}} minutos'
74 x_minutes:
74 x_minutes:
75 one: '1 minuto'
75 one: '1 minuto'
76 other: '{{count}} minuto'
76 other: '{{count}} minuto'
77 about_x_hours:
77 about_x_hours:
78 one: 'aproximadamente unha hora'
78 one: 'aproximadamente unha hora'
79 other: '{{count}} horas'
79 other: '{{count}} horas'
80 x_days:
80 x_days:
81 one: '1 día'
81 one: '1 día'
82 other: '{{count}} días'
82 other: '{{count}} días'
83 x_weeks:
83 x_weeks:
84 one: '1 semana'
84 one: '1 semana'
85 other: '{{count}} semanas'
85 other: '{{count}} semanas'
86 about_x_months:
86 about_x_months:
87 one: 'aproximadamente 1 mes'
87 one: 'aproximadamente 1 mes'
88 other: '{{count}} meses'
88 other: '{{count}} meses'
89 x_months:
89 x_months:
90 one: '1 mes'
90 one: '1 mes'
91 other: '{{count}} meses'
91 other: '{{count}} meses'
92 about_x_years:
92 about_x_years:
93 one: 'aproximadamente 1 ano'
93 one: 'aproximadamente 1 ano'
94 other: '{{count}} anos'
94 other: '{{count}} anos'
95 over_x_years:
95 over_x_years:
96 one: 'máis dun ano'
96 one: 'máis dun ano'
97 other: '{{count}} anos'
97 other: '{{count}} anos'
98 now: 'agora'
98 now: 'agora'
99 today: 'hoxe'
99 today: 'hoxe'
100 tomorrow: 'mañá'
100 tomorrow: 'mañá'
101 in: 'dentro de'
101 in: 'dentro de'
102
102
103 support:
103 support:
104 array:
104 array:
105 sentence_connector: e
105 sentence_connector: e
106
106
107 activerecord:
107 activerecord:
108 models:
108 models:
109 attributes:
109 attributes:
110 errors:
110 errors:
111 template:
111 template:
112 header:
112 header:
113 one: "1 erro evitou que se poidese gardar o {{model}}"
113 one: "1 erro evitou que se poidese gardar o {{model}}"
114 other: "{{count}} erros evitaron que se poidese gardar o {{model}}"
114 other: "{{count}} erros evitaron que se poidese gardar o {{model}}"
115 body: "Atopáronse os seguintes problemas:"
115 body: "Atopáronse os seguintes problemas:"
116 messages:
116 messages:
117 inclusion: "non está incluido na lista"
117 inclusion: "non está incluido na lista"
118 exclusion: "xa existe"
118 exclusion: "xa existe"
119 invalid: "non é válido"
119 invalid: "non é válido"
120 confirmation: "non coincide coa confirmación"
120 confirmation: "non coincide coa confirmación"
121 accepted: "debe ser aceptado"
121 accepted: "debe ser aceptado"
122 empty: "non pode estar valeiro"
122 empty: "non pode estar valeiro"
123 blank: "non pode estar en blanco"
123 blank: "non pode estar en blanco"
124 too_long: demasiado longo (non máis de {{count}} carácteres)"
124 too_long: demasiado longo (non máis de {{count}} carácteres)"
125 too_short: demasiado curto (non menos de {{count}} carácteres)"
125 too_short: demasiado curto (non menos de {{count}} carácteres)"
126 wrong_length: "non ten a lonxitude correcta (debe ser de {{count}} carácteres)"
126 wrong_length: "non ten a lonxitude correcta (debe ser de {{count}} carácteres)"
127 taken: "non está dispoñible"
127 taken: "non está dispoñible"
128 not_a_number: "non é un número"
128 not_a_number: "non é un número"
129 greater_than: "debe ser maior que {{count}}"
129 greater_than: "debe ser maior que {{count}}"
130 greater_than_or_equal_to: "debe ser maior ou igual que {{count}}"
130 greater_than_or_equal_to: "debe ser maior ou igual que {{count}}"
131 equal_to: "debe ser igual a {{count}}"
131 equal_to: "debe ser igual a {{count}}"
132 less_than: "debe ser menor que {{count}}"
132 less_than: "debe ser menor que {{count}}"
133 less_than_or_equal_to: "debe ser menor ou igual que {{count}}"
133 less_than_or_equal_to: "debe ser menor ou igual que {{count}}"
134 odd: "debe ser par"
134 odd: "debe ser par"
135 even: "debe ser impar"
135 even: "debe ser impar"
136 greater_than_start_date: "debe ser posterior á data de comezo"
136 greater_than_start_date: "debe ser posterior á data de comezo"
137 not_same_project: "non pertence ao mesmo proxecto"
137 not_same_project: "non pertence ao mesmo proxecto"
138 circular_dependency: "Esta relación podería crear unha dependencia circular"
138 circular_dependency: "Esta relación podería crear unha dependencia circular"
139
139
140 actionview_instancetag_blank_option: Por favor seleccione
140 actionview_instancetag_blank_option: Por favor seleccione
141
141
142 button_activate: Activar
142 button_activate: Activar
143 button_add: Engadir
143 button_add: Engadir
144 button_annotate: Anotar
144 button_annotate: Anotar
145 button_apply: Aceptar
145 button_apply: Aceptar
146 button_archive: Arquivar
146 button_archive: Arquivar
147 button_back: Atrás
147 button_back: Atrás
148 button_cancel: Cancelar
148 button_cancel: Cancelar
149 button_change: Cambiar
149 button_change: Cambiar
150 button_change_password: Cambiar contrasinal
150 button_change_password: Cambiar contrasinal
151 button_check_all: Seleccionar todo
151 button_check_all: Seleccionar todo
152 button_clear: Anular
152 button_clear: Anular
153 button_configure: Configurar
153 button_configure: Configurar
154 button_copy: Copiar
154 button_copy: Copiar
155 button_create: Crear
155 button_create: Crear
156 button_delete: Borrar
156 button_delete: Borrar
157 button_download: Descargar
157 button_download: Descargar
158 button_edit: Modificar
158 button_edit: Modificar
159 button_list: Listar
159 button_list: Listar
160 button_lock: Bloquear
160 button_lock: Bloquear
161 button_log_time: Tempo dedicado
161 button_log_time: Tempo dedicado
162 button_login: Conexión
162 button_login: Conexión
163 button_move: Mover
163 button_move: Mover
164 button_quote: Citar
164 button_quote: Citar
165 button_rename: Renomear
165 button_rename: Renomear
166 button_reply: Respostar
166 button_reply: Respostar
167 button_reset: Restablecer
167 button_reset: Restablecer
168 button_rollback: Volver a esta versión
168 button_rollback: Volver a esta versión
169 button_save: Gardar
169 button_save: Gardar
170 button_sort: Ordenar
170 button_sort: Ordenar
171 button_submit: Aceptar
171 button_submit: Aceptar
172 button_test: Probar
172 button_test: Probar
173 button_unarchive: Desarquivar
173 button_unarchive: Desarquivar
174 button_uncheck_all: Non seleccionar nada
174 button_uncheck_all: Non seleccionar nada
175 button_unlock: Desbloquear
175 button_unlock: Desbloquear
176 button_unwatch: Non monitorizar
176 button_unwatch: Non monitorizar
177 button_update: Actualizar
177 button_update: Actualizar
178 button_view: Ver
178 button_view: Ver
179 button_watch: Monitorizar
179 button_watch: Monitorizar
180 default_activity_design: Deseño
180 default_activity_design: Deseño
181 default_activity_development: Desenvolvemento
181 default_activity_development: Desenvolvemento
182 default_doc_category_tech: Documentación técnica
182 default_doc_category_tech: Documentación técnica
183 default_doc_category_user: Documentación de usuario
183 default_doc_category_user: Documentación de usuario
184 default_issue_status_assigned: Asignada
184 default_issue_status_assigned: Asignada
185 default_issue_status_closed: Pechada
185 default_issue_status_closed: Pechada
186 default_issue_status_feedback: Comentarios
186 default_issue_status_feedback: Comentarios
187 default_issue_status_new: Nova
187 default_issue_status_new: Nova
188 default_issue_status_rejected: Rexeitada
188 default_issue_status_rejected: Rexeitada
189 default_issue_status_resolved: Resolta
189 default_issue_status_resolved: Resolta
190 default_priority_high: Alta
190 default_priority_high: Alta
191 default_priority_immediate: Inmediata
191 default_priority_immediate: Inmediata
192 default_priority_low: Baixa
192 default_priority_low: Baixa
193 default_priority_normal: Normal
193 default_priority_normal: Normal
194 default_priority_urgent: Urxente
194 default_priority_urgent: Urxente
195 default_role_developper: Desenvolvedor
195 default_role_developper: Desenvolvedor
196 default_role_manager: Xefe de proxecto
196 default_role_manager: Xefe de proxecto
197 default_role_reporter: Informador
197 default_role_reporter: Informador
198 default_tracker_bug: Erros
198 default_tracker_bug: Erros
199 default_tracker_feature: Tarefas
199 default_tracker_feature: Tarefas
200 default_tracker_support: Soporte
200 default_tracker_support: Soporte
201 enumeration_activities: Actividades (tempo dedicado)
201 enumeration_activities: Actividades (tempo dedicado)
202 enumeration_doc_categories: Categorías do documento
202 enumeration_doc_categories: Categorías do documento
203 enumeration_issue_priorities: Prioridade das peticións
203 enumeration_issue_priorities: Prioridade das peticións
204 error_can_t_load_default_data: "Non se puido cargar a configuración por defecto: {{value}}"
204 error_can_t_load_default_data: "Non se puido cargar a configuración por defecto: {{value}}"
205 error_issue_not_found_in_project: 'A petición non se atopa ou non está asociada a este proxecto'
205 error_issue_not_found_in_project: 'A petición non se atopa ou non está asociada a este proxecto'
206 error_scm_annotate: "Non existe a entrada ou non se puido anotar"
206 error_scm_annotate: "Non existe a entrada ou non se puido anotar"
207 error_scm_command_failed: "Aconteceu un erro ao acceder ó repositorio: {{value}}"
207 error_scm_command_failed: "Aconteceu un erro ao acceder ó repositorio: {{value}}"
208 error_scm_not_found: "A entrada e/ou revisión non existe no repositorio."
208 error_scm_not_found: "A entrada e/ou revisión non existe no repositorio."
209 field_account: Conta
209 field_account: Conta
210 field_activity: Actividade
210 field_activity: Actividade
211 field_admin: Administrador
211 field_admin: Administrador
212 field_assignable: Pódense asignar peticións a este perfil
212 field_assignable: Pódense asignar peticións a este perfil
213 field_assigned_to: Asignado a
213 field_assigned_to: Asignado a
214 field_attr_firstname: Atributo do nome
214 field_attr_firstname: Atributo do nome
215 field_attr_lastname: Atributo do apelido
215 field_attr_lastname: Atributo do apelido
216 field_attr_login: Atributo do identificador
216 field_attr_login: Atributo do identificador
217 field_attr_mail: Atributo do Email
217 field_attr_mail: Atributo do Email
218 field_auth_source: Modo de identificación
218 field_auth_source: Modo de identificación
219 field_author: Autor
219 field_author: Autor
220 field_base_dn: DN base
220 field_base_dn: DN base
221 field_category: Categoría
221 field_category: Categoría
222 field_column_names: Columnas
222 field_column_names: Columnas
223 field_comments: Comentario
223 field_comments: Comentario
224 field_comments_sorting: Mostrar comentarios
224 field_comments_sorting: Mostrar comentarios
225 field_created_on: Creado
225 field_created_on: Creado
226 field_default_value: Estado por defecto
226 field_default_value: Estado por defecto
227 field_delay: Retraso
227 field_delay: Retraso
228 field_description: Descrición
228 field_description: Descrición
229 field_done_ratio: % Realizado
229 field_done_ratio: % Realizado
230 field_downloads: Descargas
230 field_downloads: Descargas
231 field_due_date: Data fin
231 field_due_date: Data fin
232 field_effective_date: Data
232 field_effective_date: Data
233 field_estimated_hours: Tempo estimado
233 field_estimated_hours: Tempo estimado
234 field_field_format: Formato
234 field_field_format: Formato
235 field_filename: Arquivo
235 field_filename: Arquivo
236 field_filesize: Tamaño
236 field_filesize: Tamaño
237 field_firstname: Nome
237 field_firstname: Nome
238 field_fixed_version: Versión prevista
238 field_fixed_version: Versión prevista
239 field_hide_mail: Ocultar a miña dirección de correo
239 field_hide_mail: Ocultar a miña dirección de correo
240 field_homepage: Sitio web
240 field_homepage: Sitio web
241 field_host: Anfitrión
241 field_host: Anfitrión
242 field_hours: Horas
242 field_hours: Horas
243 field_identifier: Identificador
243 field_identifier: Identificador
244 field_is_closed: Petición resolta
244 field_is_closed: Petición resolta
245 field_is_default: Estado por defecto
245 field_is_default: Estado por defecto
246 field_is_filter: Usado como filtro
246 field_is_filter: Usado como filtro
247 field_is_for_all: Para todos os proxectos
247 field_is_for_all: Para todos os proxectos
248 field_is_in_chlog: Consultar as peticións no histórico
248 field_is_in_chlog: Consultar as peticións no histórico
249 field_is_in_roadmap: Consultar as peticións na planificación
249 field_is_in_roadmap: Consultar as peticións na planificación
250 field_is_public: Público
250 field_is_public: Público
251 field_is_required: Obrigatorio
251 field_is_required: Obrigatorio
252 field_issue: Petición
252 field_issue: Petición
253 field_issue_to_id: Petición relacionada
253 field_issue_to_id: Petición relacionada
254 field_language: Idioma
254 field_language: Idioma
255 field_last_login_on: Última conexión
255 field_last_login_on: Última conexión
256 field_lastname: Apelido
256 field_lastname: Apelido
257 field_login: Identificador
257 field_login: Identificador
258 field_mail: Correo electrónico
258 field_mail: Correo electrónico
259 field_mail_notification: Notificacións por correo
259 field_mail_notification: Notificacións por correo
260 field_max_length: Lonxitude máxima
260 field_max_length: Lonxitude máxima
261 field_min_length: Lonxitude mínima
261 field_min_length: Lonxitude mínima
262 field_name: Nome
262 field_name: Nome
263 field_new_password: Novo contrasinal
263 field_new_password: Novo contrasinal
264 field_notes: Notas
264 field_notes: Notas
265 field_onthefly: Creación do usuario "ao voo"
265 field_onthefly: Creación do usuario "ao voo"
266 field_parent: Proxecto pai
266 field_parent: Proxecto pai
267 field_parent_title: Páxina pai
267 field_parent_title: Páxina pai
268 field_password: Contrasinal
268 field_password: Contrasinal
269 field_password_confirmation: Confirmación
269 field_password_confirmation: Confirmación
270 field_port: Porto
270 field_port: Porto
271 field_possible_values: Valores posibles
271 field_possible_values: Valores posibles
272 field_priority: Prioridade
272 field_priority: Prioridade
273 field_project: Proxecto
273 field_project: Proxecto
274 field_redirect_existing_links: Redireccionar enlaces existentes
274 field_redirect_existing_links: Redireccionar enlaces existentes
275 field_regexp: Expresión regular
275 field_regexp: Expresión regular
276 field_role: Perfil
276 field_role: Perfil
277 field_searchable: Incluír nas búsquedas
277 field_searchable: Incluír nas búsquedas
278 field_spent_on: Data
278 field_spent_on: Data
279 field_start_date: Data de inicio
279 field_start_date: Data de inicio
280 field_start_page: Páxina principal
280 field_start_page: Páxina principal
281 field_status: Estado
281 field_status: Estado
282 field_subject: Tema
282 field_subject: Tema
283 field_subproject: Proxecto secundario
283 field_subproject: Proxecto secundario
284 field_summary: Resumo
284 field_summary: Resumo
285 field_time_zone: Zona horaria
285 field_time_zone: Zona horaria
286 field_title: Título
286 field_title: Título
287 field_tracker: Tipo
287 field_tracker: Tipo
288 field_type: Tipo
288 field_type: Tipo
289 field_updated_on: Actualizado
289 field_updated_on: Actualizado
290 field_url: URL
290 field_url: URL
291 field_user: Usuario
291 field_user: Usuario
292 field_value: Valor
292 field_value: Valor
293 field_version: Versión
293 field_version: Versión
294 general_csv_decimal_separator: ','
294 general_csv_decimal_separator: ','
295 general_csv_encoding: ISO-8859-15
295 general_csv_encoding: ISO-8859-15
296 general_csv_separator: ';'
296 general_csv_separator: ';'
297 general_first_day_of_week: '1'
297 general_first_day_of_week: '1'
298 general_lang_name: 'Galego'
298 general_lang_name: 'Galego'
299 general_pdf_encoding: ISO-8859-15
299 general_pdf_encoding: ISO-8859-15
300 general_text_No: 'Non'
300 general_text_No: 'Non'
301 general_text_Yes: 'Si'
301 general_text_Yes: 'Si'
302 general_text_no: 'non'
302 general_text_no: 'non'
303 general_text_yes: 'si'
303 general_text_yes: 'si'
304 gui_validation_error: 1 erro
304 gui_validation_error: 1 erro
305 gui_validation_error_plural: "{{count}} erros"
305 gui_validation_error_plural: "{{count}} erros"
306 label_activity: Actividade
306 label_activity: Actividade
307 label_add_another_file: Engadir outro arquivo
307 label_add_another_file: Engadir outro arquivo
308 label_add_note: Engadir unha nota
308 label_add_note: Engadir unha nota
309 label_added: engadido
309 label_added: engadido
310 label_added_time_by: "Engadido por {{author}} fai {{age}}"
310 label_added_time_by: "Engadido por {{author}} fai {{age}}"
311 label_administration: Administración
311 label_administration: Administración
312 label_age: Idade
312 label_age: Idade
313 label_ago: fai
313 label_ago: fai
314 label_all: todos
314 label_all: todos
315 label_all_time: todo o tempo
315 label_all_time: todo o tempo
316 label_all_words: Tódalas palabras
316 label_all_words: Tódalas palabras
317 label_and_its_subprojects: "{{value}} e proxectos secundarios"
317 label_and_its_subprojects: "{{value}} e proxectos secundarios"
318 label_applied_status: Aplicar estado
318 label_applied_status: Aplicar estado
319 label_assigned_to_me_issues: Peticións asignadas a min
319 label_assigned_to_me_issues: Peticións asignadas a min
320 label_associated_revisions: Revisións asociadas
320 label_associated_revisions: Revisións asociadas
321 label_attachment: Arquivo
321 label_attachment: Arquivo
322 label_attachment_delete: Borrar o arquivo
322 label_attachment_delete: Borrar o arquivo
323 label_attachment_new: Novo arquivo
323 label_attachment_new: Novo arquivo
324 label_attachment_plural: Arquivos
324 label_attachment_plural: Arquivos
325 label_attribute: Atributo
325 label_attribute: Atributo
326 label_attribute_plural: Atributos
326 label_attribute_plural: Atributos
327 label_auth_source: Modo de autenticación
327 label_auth_source: Modo de autenticación
328 label_auth_source_new: Novo modo de autenticación
328 label_auth_source_new: Novo modo de autenticación
329 label_auth_source_plural: Modos de autenticación
329 label_auth_source_plural: Modos de autenticación
330 label_authentication: Autenticación
330 label_authentication: Autenticación
331 label_blocked_by: bloqueado por
331 label_blocked_by: bloqueado por
332 label_blocks: bloquea a
332 label_blocks: bloquea a
333 label_board: Foro
333 label_board: Foro
334 label_board_new: Novo foro
334 label_board_new: Novo foro
335 label_board_plural: Foros
335 label_board_plural: Foros
336 label_boolean: Booleano
336 label_boolean: Booleano
337 label_browse: Ollar
337 label_browse: Ollar
338 label_bulk_edit_selected_issues: Editar as peticións seleccionadas
338 label_bulk_edit_selected_issues: Editar as peticións seleccionadas
339 label_calendar: Calendario
339 label_calendar: Calendario
340 label_change_log: Cambios
340 label_change_log: Cambios
341 label_change_plural: Cambios
341 label_change_plural: Cambios
342 label_change_properties: Cambiar propiedades
342 label_change_properties: Cambiar propiedades
343 label_change_status: Cambiar o estado
343 label_change_status: Cambiar o estado
344 label_change_view_all: Ver tódolos cambios
344 label_change_view_all: Ver tódolos cambios
345 label_changes_details: Detalles de tódolos cambios
345 label_changes_details: Detalles de tódolos cambios
346 label_changeset_plural: Cambios
346 label_changeset_plural: Cambios
347 label_chronological_order: En orde cronolóxica
347 label_chronological_order: En orde cronolóxica
348 label_closed_issues: pechada
348 label_closed_issues: pechada
349 label_closed_issues_plural: pechadas
349 label_closed_issues_plural: pechadas
350 label_x_open_issues_abbr_on_total:
350 label_x_open_issues_abbr_on_total:
351 zero: 0 open / {{total}}
351 zero: 0 open / {{total}}
352 one: 1 open / {{total}}
352 one: 1 open / {{total}}
353 other: "{{count}} open / {{total}}"
353 other: "{{count}} open / {{total}}"
354 label_x_open_issues_abbr:
354 label_x_open_issues_abbr:
355 zero: 0 open
355 zero: 0 open
356 one: 1 open
356 one: 1 open
357 other: "{{count}} open"
357 other: "{{count}} open"
358 label_x_closed_issues_abbr:
358 label_x_closed_issues_abbr:
359 zero: 0 closed
359 zero: 0 closed
360 one: 1 closed
360 one: 1 closed
361 other: "{{count}} closed"
361 other: "{{count}} closed"
362 label_comment: Comentario
362 label_comment: Comentario
363 label_comment_add: Engadir un comentario
363 label_comment_add: Engadir un comentario
364 label_comment_added: Comentario engadido
364 label_comment_added: Comentario engadido
365 label_comment_delete: Borrar comentarios
365 label_comment_delete: Borrar comentarios
366 label_comment_plural: Comentarios
366 label_comment_plural: Comentarios
367 label_x_comments:
367 label_x_comments:
368 zero: no comments
368 zero: no comments
369 one: 1 comment
369 one: 1 comment
370 other: "{{count}} comments"
370 other: "{{count}} comments"
371 label_commits_per_author: Commits por autor
371 label_commits_per_author: Commits por autor
372 label_commits_per_month: Commits por mes
372 label_commits_per_month: Commits por mes
373 label_confirmation: Confirmación
373 label_confirmation: Confirmación
374 label_contains: conten
374 label_contains: conten
375 label_copied: copiado
375 label_copied: copiado
376 label_copy_workflow_from: Copiar fluxo de traballo dende
376 label_copy_workflow_from: Copiar fluxo de traballo dende
377 label_current_status: Estado actual
377 label_current_status: Estado actual
378 label_current_version: Versión actual
378 label_current_version: Versión actual
379 label_custom_field: Campo personalizado
379 label_custom_field: Campo personalizado
380 label_custom_field_new: Novo campo personalizado
380 label_custom_field_new: Novo campo personalizado
381 label_custom_field_plural: Campos personalizados
381 label_custom_field_plural: Campos personalizados
382 label_date: Data
382 label_date: Data
383 label_date_from: Dende
383 label_date_from: Dende
384 label_date_range: Rango de datas
384 label_date_range: Rango de datas
385 label_date_to: Ata
385 label_date_to: Ata
386 label_day_plural: días
386 label_day_plural: días
387 label_default: Por defecto
387 label_default: Por defecto
388 label_default_columns: Columnas por defecto
388 label_default_columns: Columnas por defecto
389 label_deleted: suprimido
389 label_deleted: suprimido
390 label_details: Detalles
390 label_details: Detalles
391 label_diff_inline: en liña
391 label_diff_inline: en liña
392 label_diff_side_by_side: cara a cara
392 label_diff_side_by_side: cara a cara
393 label_disabled: deshabilitado
393 label_disabled: deshabilitado
394 label_display_per_page: "Por páxina: {{value}}"
394 label_display_per_page: "Por páxina: {{value}}"
395 label_document: Documento
395 label_document: Documento
396 label_document_added: Documento engadido
396 label_document_added: Documento engadido
397 label_document_new: Novo documento
397 label_document_new: Novo documento
398 label_document_plural: Documentos
398 label_document_plural: Documentos
399 label_download: "{{count}} Descarga"
399 label_download: "{{count}} Descarga"
400 label_download_plural: "{{count}} Descargas"
400 label_download_plural: "{{count}} Descargas"
401 label_downloads_abbr: D/L
401 label_downloads_abbr: D/L
402 label_duplicated_by: duplicada por
402 label_duplicated_by: duplicada por
403 label_duplicates: duplicada de
403 label_duplicates: duplicada de
404 label_end_to_end: fin a fin
404 label_end_to_end: fin a fin
405 label_end_to_start: fin a principio
405 label_end_to_start: fin a principio
406 label_enumeration_new: Novo valor
406 label_enumeration_new: Novo valor
407 label_enumerations: Listas de valores
407 label_enumerations: Listas de valores
408 label_environment: Entorno
408 label_environment: Entorno
409 label_equals: igual
409 label_equals: igual
410 label_example: Exemplo
410 label_example: Exemplo
411 label_export_to: 'Exportar a:'
411 label_export_to: 'Exportar a:'
412 label_f_hour: "{{value}} hora"
412 label_f_hour: "{{value}} hora"
413 label_f_hour_plural: "{{value}} horas"
413 label_f_hour_plural: "{{value}} horas"
414 label_feed_plural: Feeds
414 label_feed_plural: Feeds
415 label_feeds_access_key_created_on: "Clave de acceso por RSS creada fai {{value}}"
415 label_feeds_access_key_created_on: "Clave de acceso por RSS creada fai {{value}}"
416 label_file_added: Arquivo engadido
416 label_file_added: Arquivo engadido
417 label_file_plural: Arquivos
417 label_file_plural: Arquivos
418 label_filter_add: Engadir o filtro
418 label_filter_add: Engadir o filtro
419 label_filter_plural: Filtros
419 label_filter_plural: Filtros
420 label_float: Flotante
420 label_float: Flotante
421 label_follows: posterior a
421 label_follows: posterior a
422 label_gantt: Gantt
422 label_gantt: Gantt
423 label_general: Xeral
423 label_general: Xeral
424 label_generate_key: Xerar clave
424 label_generate_key: Xerar clave
425 label_help: Axuda
425 label_help: Axuda
426 label_history: Histórico
426 label_history: Histórico
427 label_home: Inicio
427 label_home: Inicio
428 label_in: en
428 label_in: en
429 label_in_less_than: en menos que
429 label_in_less_than: en menos que
430 label_in_more_than: en mais que
430 label_in_more_than: en mais que
431 label_incoming_emails: Correos entrantes
431 label_incoming_emails: Correos entrantes
432 label_index_by_date: Índice por data
432 label_index_by_date: Índice por data
433 label_index_by_title: Índice por título
433 label_index_by_title: Índice por título
434 label_information: Información
434 label_information: Información
435 label_information_plural: Información
435 label_information_plural: Información
436 label_integer: Número
436 label_integer: Número
437 label_internal: Interno
437 label_internal: Interno
438 label_issue: Petición
438 label_issue: Petición
439 label_issue_added: Petición engadida
439 label_issue_added: Petición engadida
440 label_issue_category: Categoría das peticións
440 label_issue_category: Categoría das peticións
441 label_issue_category_new: Nova categoría
441 label_issue_category_new: Nova categoría
442 label_issue_category_plural: Categorías das peticións
442 label_issue_category_plural: Categorías das peticións
443 label_issue_new: Nova petición
443 label_issue_new: Nova petición
444 label_issue_plural: Peticións
444 label_issue_plural: Peticións
445 label_issue_status: Estado da petición
445 label_issue_status: Estado da petición
446 label_issue_status_new: Novo estado
446 label_issue_status_new: Novo estado
447 label_issue_status_plural: Estados das peticións
447 label_issue_status_plural: Estados das peticións
448 label_issue_tracking: Peticións
448 label_issue_tracking: Peticións
449 label_issue_updated: Petición actualizada
449 label_issue_updated: Petición actualizada
450 label_issue_view_all: Ver tódalas peticións
450 label_issue_view_all: Ver tódalas peticións
451 label_issue_watchers: Seguidores
451 label_issue_watchers: Seguidores
452 label_issues_by: "Peticións por {{value}}"
452 label_issues_by: "Peticións por {{value}}"
453 label_jump_to_a_project: Ir ao proxecto...
453 label_jump_to_a_project: Ir ao proxecto...
454 label_language_based: Baseado no idioma
454 label_language_based: Baseado no idioma
455 label_last_changes: "últimos {{count}} cambios"
455 label_last_changes: "últimos {{count}} cambios"
456 label_last_login: Última conexión
456 label_last_login: Última conexión
457 label_last_month: último mes
457 label_last_month: último mes
458 label_last_n_days: "últimos {{count}} días"
458 label_last_n_days: "últimos {{count}} días"
459 label_last_week: última semana
459 label_last_week: última semana
460 label_latest_revision: Última revisión
460 label_latest_revision: Última revisión
461 label_latest_revision_plural: Últimas revisións
461 label_latest_revision_plural: Últimas revisións
462 label_ldap_authentication: Autenticación LDAP
462 label_ldap_authentication: Autenticación LDAP
463 label_less_than_ago: fai menos de
463 label_less_than_ago: fai menos de
464 label_list: Lista
464 label_list: Lista
465 label_loading: Cargando...
465 label_loading: Cargando...
466 label_logged_as: Conectado como
466 label_logged_as: Conectado como
467 label_login: Conexión
467 label_login: Conexión
468 label_logout: Desconexión
468 label_logout: Desconexión
469 label_max_size: Tamaño máximo
469 label_max_size: Tamaño máximo
470 label_me: eu mesmo
470 label_me: eu mesmo
471 label_member: Membro
471 label_member: Membro
472 label_member_new: Novo membro
472 label_member_new: Novo membro
473 label_member_plural: Membros
473 label_member_plural: Membros
474 label_message_last: Última mensaxe
474 label_message_last: Última mensaxe
475 label_message_new: Nova mensaxe
475 label_message_new: Nova mensaxe
476 label_message_plural: Mensaxes
476 label_message_plural: Mensaxes
477 label_message_posted: Mensaxe engadida
477 label_message_posted: Mensaxe engadida
478 label_min_max_length: Lonxitude mín - máx
478 label_min_max_length: Lonxitude mín - máx
479 label_modification: "{{count}} modificación"
479 label_modification: "{{count}} modificación"
480 label_modification_plural: "{{count}} modificacións"
480 label_modification_plural: "{{count}} modificacións"
481 label_modified: modificado
481 label_modified: modificado
482 label_module_plural: Módulos
482 label_module_plural: Módulos
483 label_month: Mes
483 label_month: Mes
484 label_months_from: meses de
484 label_months_from: meses de
485 label_more: Mais
485 label_more: Mais
486 label_more_than_ago: fai mais de
486 label_more_than_ago: fai mais de
487 label_my_account: A miña conta
487 label_my_account: A miña conta
488 label_my_page: A miña páxina
488 label_my_page: A miña páxina
489 label_my_projects: Os meus proxectos
489 label_my_projects: Os meus proxectos
490 label_new: Novo
490 label_new: Novo
491 label_new_statuses_allowed: Novos estados autorizados
491 label_new_statuses_allowed: Novos estados autorizados
492 label_news: Noticia
492 label_news: Noticia
493 label_news_added: Noticia engadida
493 label_news_added: Noticia engadida
494 label_news_latest: Últimas noticias
494 label_news_latest: Últimas noticias
495 label_news_new: Nova noticia
495 label_news_new: Nova noticia
496 label_news_plural: Noticias
496 label_news_plural: Noticias
497 label_news_view_all: Ver tódalas noticias
497 label_news_view_all: Ver tódalas noticias
498 label_next: Seguinte
498 label_next: Seguinte
499 label_no_change_option: (Sen cambios)
499 label_no_change_option: (Sen cambios)
500 label_no_data: Ningún dato a mostrar
500 label_no_data: Ningún dato a mostrar
501 label_nobody: ninguén
501 label_nobody: ninguén
502 label_none: ningún
502 label_none: ningún
503 label_not_contains: non conten
503 label_not_contains: non conten
504 label_not_equals: non igual
504 label_not_equals: non igual
505 label_open_issues: aberta
505 label_open_issues: aberta
506 label_open_issues_plural: abertas
506 label_open_issues_plural: abertas
507 label_optional_description: Descrición opcional
507 label_optional_description: Descrición opcional
508 label_options: Opcións
508 label_options: Opcións
509 label_overall_activity: Actividade global
509 label_overall_activity: Actividade global
510 label_overview: Vistazo
510 label_overview: Vistazo
511 label_password_lost: ¿Esqueciches o contrasinal?
511 label_password_lost: ¿Esqueciches o contrasinal?
512 label_per_page: Por páxina
512 label_per_page: Por páxina
513 label_permissions: Permisos
513 label_permissions: Permisos
514 label_permissions_report: Informe de permisos
514 label_permissions_report: Informe de permisos
515 label_personalize_page: Personalizar esta páxina
515 label_personalize_page: Personalizar esta páxina
516 label_planning: Planificación
516 label_planning: Planificación
517 label_please_login: Conexión
517 label_please_login: Conexión
518 label_plugins: Extensións
518 label_plugins: Extensións
519 label_precedes: anterior a
519 label_precedes: anterior a
520 label_preferences: Preferencias
520 label_preferences: Preferencias
521 label_preview: Previsualizar
521 label_preview: Previsualizar
522 label_previous: Anterior
522 label_previous: Anterior
523 label_project: Proxecto
523 label_project: Proxecto
524 label_project_all: Tódolos proxectos
524 label_project_all: Tódolos proxectos
525 label_project_latest: Últimos proxectos
525 label_project_latest: Últimos proxectos
526 label_project_new: Novo proxecto
526 label_project_new: Novo proxecto
527 label_project_plural: Proxectos
527 label_project_plural: Proxectos
528 label_x_projects:
528 label_x_projects:
529 zero: no projects
529 zero: no projects
530 one: 1 project
530 one: 1 project
531 other: "{{count}} projects"
531 other: "{{count}} projects"
532 label_public_projects: Proxectos públicos
532 label_public_projects: Proxectos públicos
533 label_query: Consulta personalizada
533 label_query: Consulta personalizada
534 label_query_new: Nova consulta
534 label_query_new: Nova consulta
535 label_query_plural: Consultas personalizadas
535 label_query_plural: Consultas personalizadas
536 label_read: Ler...
536 label_read: Ler...
537 label_register: Rexistrar
537 label_register: Rexistrar
538 label_registered_on: Inscrito o
538 label_registered_on: Inscrito o
539 label_registration_activation_by_email: activación de conta por correo
539 label_registration_activation_by_email: activación de conta por correo
540 label_registration_automatic_activation: activación automática de conta
540 label_registration_automatic_activation: activación automática de conta
541 label_registration_manual_activation: activación manual de conta
541 label_registration_manual_activation: activación manual de conta
542 label_related_issues: Peticións relacionadas
542 label_related_issues: Peticións relacionadas
543 label_relates_to: relacionada con
543 label_relates_to: relacionada con
544 label_relation_delete: Eliminar relación
544 label_relation_delete: Eliminar relación
545 label_relation_new: Nova relación
545 label_relation_new: Nova relación
546 label_renamed: renomeado
546 label_renamed: renomeado
547 label_reply_plural: Respostas
547 label_reply_plural: Respostas
548 label_report: Informe
548 label_report: Informe
549 label_report_plural: Informes
549 label_report_plural: Informes
550 label_reported_issues: Peticións rexistradas por min
550 label_reported_issues: Peticións rexistradas por min
551 label_repository: Repositorio
551 label_repository: Repositorio
552 label_repository_plural: Repositorios
552 label_repository_plural: Repositorios
553 label_result_plural: Resultados
553 label_result_plural: Resultados
554 label_reverse_chronological_order: En orde cronolóxica inversa
554 label_reverse_chronological_order: En orde cronolóxica inversa
555 label_revision: Revisión
555 label_revision: Revisión
556 label_revision_plural: Revisións
556 label_revision_plural: Revisións
557 label_roadmap: Planificación
557 label_roadmap: Planificación
558 label_roadmap_due_in: "Remata en {{value}}"
558 label_roadmap_due_in: "Remata en {{value}}"
559 label_roadmap_no_issues: Non hai peticións para esta versión
559 label_roadmap_no_issues: Non hai peticións para esta versión
560 label_roadmap_overdue: "{{value}} tarde"
560 label_roadmap_overdue: "{{value}} tarde"
561 label_role: Perfil
561 label_role: Perfil
562 label_role_and_permissions: Perfiles e permisos
562 label_role_and_permissions: Perfiles e permisos
563 label_role_new: Novo perfil
563 label_role_new: Novo perfil
564 label_role_plural: Perfiles
564 label_role_plural: Perfiles
565 label_scm: SCM
565 label_scm: SCM
566 label_search: Búsqueda
566 label_search: Búsqueda
567 label_search_titles_only: Buscar só en títulos
567 label_search_titles_only: Buscar só en títulos
568 label_send_information: Enviar información da conta ó usuario
568 label_send_information: Enviar información da conta ó usuario
569 label_send_test_email: Enviar un correo de proba
569 label_send_test_email: Enviar un correo de proba
570 label_settings: Configuración
570 label_settings: Configuración
571 label_show_completed_versions: Mostra as versións rematadas
571 label_show_completed_versions: Mostra as versións rematadas
572 label_sort_by: "Ordenar por {{value}}"
572 label_sort_by: "Ordenar por {{value}}"
573 label_sort_higher: Subir
573 label_sort_higher: Subir
574 label_sort_highest: Primeiro
574 label_sort_highest: Primeiro
575 label_sort_lower: Baixar
575 label_sort_lower: Baixar
576 label_sort_lowest: Último
576 label_sort_lowest: Último
577 label_spent_time: Tempo dedicado
577 label_spent_time: Tempo dedicado
578 label_start_to_end: comezo a fin
578 label_start_to_end: comezo a fin
579 label_start_to_start: comezo a comezo
579 label_start_to_start: comezo a comezo
580 label_statistics: Estatísticas
580 label_statistics: Estatísticas
581 label_stay_logged_in: Lembrar contrasinal
581 label_stay_logged_in: Lembrar contrasinal
582 label_string: Texto
582 label_string: Texto
583 label_subproject_plural: Proxectos secundarios
583 label_subproject_plural: Proxectos secundarios
584 label_text: Texto largo
584 label_text: Texto largo
585 label_theme: Tema
585 label_theme: Tema
586 label_this_month: este mes
586 label_this_month: este mes
587 label_this_week: esta semana
587 label_this_week: esta semana
588 label_this_year: este ano
588 label_this_year: este ano
589 label_time_tracking: Control de tempo
589 label_time_tracking: Control de tempo
590 label_today: hoxe
590 label_today: hoxe
591 label_topic_plural: Temas
591 label_topic_plural: Temas
592 label_total: Total
592 label_total: Total
593 label_tracker: Tipo
593 label_tracker: Tipo
594 label_tracker_new: Novo tipo
594 label_tracker_new: Novo tipo
595 label_tracker_plural: Tipos de peticións
595 label_tracker_plural: Tipos de peticións
596 label_updated_time: "Actualizado fai {{value}}"
596 label_updated_time: "Actualizado fai {{value}}"
597 label_updated_time_by: "Actualizado por {{author}} fai {{age}}"
597 label_updated_time_by: "Actualizado por {{author}} fai {{age}}"
598 label_used_by: Utilizado por
598 label_used_by: Utilizado por
599 label_user: Usuario
599 label_user: Usuario
600 label_user_activity: "Actividade de {{value}}"
600 label_user_activity: "Actividade de {{value}}"
601 label_user_mail_no_self_notified: "Non quero ser avisado de cambios feitos por min"
601 label_user_mail_no_self_notified: "Non quero ser avisado de cambios feitos por min"
602 label_user_mail_option_all: "Para calquera evento en tódolos proxectos"
602 label_user_mail_option_all: "Para calquera evento en tódolos proxectos"
603 label_user_mail_option_none: "Só para elementos monitorizados ou relacionados comigo"
603 label_user_mail_option_none: "Só para elementos monitorizados ou relacionados comigo"
604 label_user_mail_option_selected: "Para calquera evento dos proxectos seleccionados..."
604 label_user_mail_option_selected: "Para calquera evento dos proxectos seleccionados..."
605 label_user_new: Novo usuario
605 label_user_new: Novo usuario
606 label_user_plural: Usuarios
606 label_user_plural: Usuarios
607 label_version: Versión
607 label_version: Versión
608 label_version_new: Nova versión
608 label_version_new: Nova versión
609 label_version_plural: Versións
609 label_version_plural: Versións
610 label_view_diff: Ver diferencias
610 label_view_diff: Ver diferencias
611 label_view_revisions: Ver as revisións
611 label_view_revisions: Ver as revisións
612 label_watched_issues: Peticións monitorizadas
612 label_watched_issues: Peticións monitorizadas
613 label_week: Semana
613 label_week: Semana
614 label_wiki: Wiki
614 label_wiki: Wiki
615 label_wiki_edit: Wiki edición
615 label_wiki_edit: Wiki edición
616 label_wiki_edit_plural: Wiki edicións
616 label_wiki_edit_plural: Wiki edicións
617 label_wiki_page: Wiki páxina
617 label_wiki_page: Wiki páxina
618 label_wiki_page_plural: Wiki páxinas
618 label_wiki_page_plural: Wiki páxinas
619 label_workflow: Fluxo de traballo
619 label_workflow: Fluxo de traballo
620 label_year: Ano
620 label_year: Ano
621 label_yesterday: onte
621 label_yesterday: onte
622 mail_body_account_activation_request: "Inscribiuse un novo usuario ({{value}}). A conta está pendente de aprobación:"
622 mail_body_account_activation_request: "Inscribiuse un novo usuario ({{value}}). A conta está pendente de aprobación:"
623 mail_body_account_information: Información sobre a súa conta
623 mail_body_account_information: Información sobre a súa conta
624 mail_body_account_information_external: "Pode usar a súa conta {{value}} para conectarse."
624 mail_body_account_information_external: "Pode usar a súa conta {{value}} para conectarse."
625 mail_body_lost_password: 'Para cambiar o seu contrasinal, faga clic no seguinte enlace:'
625 mail_body_lost_password: 'Para cambiar o seu contrasinal, faga clic no seguinte enlace:'
626 mail_body_register: 'Para activar a súa conta, faga clic no seguinte enlace:'
626 mail_body_register: 'Para activar a súa conta, faga clic no seguinte enlace:'
627 mail_body_reminder: "{{count}} petición(s) asignadas a ti rematan nos próximos {{days}} días:"
627 mail_body_reminder: "{{count}} petición(s) asignadas a ti rematan nos próximos {{days}} días:"
628 mail_subject_account_activation_request: "Petición de activación de conta {{value}}"
628 mail_subject_account_activation_request: "Petición de activación de conta {{value}}"
629 mail_subject_lost_password: "O teu contrasinal de {{value}}"
629 mail_subject_lost_password: "O teu contrasinal de {{value}}"
630 mail_subject_register: "Activación da conta de {{value}}"
630 mail_subject_register: "Activación da conta de {{value}}"
631 mail_subject_reminder: "{{count}} petición(s) rematarán nos próximos días"
631 mail_subject_reminder: "{{count}} petición(s) rematarán nos próximos días"
632 notice_account_activated: A súa conta foi activada. Xa pode conectarse.
632 notice_account_activated: A súa conta foi activada. Xa pode conectarse.
633 notice_account_invalid_creditentials: Usuario ou contrasinal inválido.
633 notice_account_invalid_creditentials: Usuario ou contrasinal inválido.
634 notice_account_lost_email_sent: Enviouse un correo con instrucións para elixir un novo contrasinal.
634 notice_account_lost_email_sent: Enviouse un correo con instrucións para elixir un novo contrasinal.
635 notice_account_password_updated: Contrasinal modificado correctamente.
635 notice_account_password_updated: Contrasinal modificado correctamente.
636 notice_account_pending: "A súa conta creouse e está pendente da aprobación por parte do administrador."
636 notice_account_pending: "A súa conta creouse e está pendente da aprobación por parte do administrador."
637 notice_account_register_done: Conta creada correctamente. Para activala, faga clic sobre o enlace que se lle enviou por correo.
637 notice_account_register_done: Conta creada correctamente. Para activala, faga clic sobre o enlace que se lle enviou por correo.
638 notice_account_unknown_email: Usuario descoñecido.
638 notice_account_unknown_email: Usuario descoñecido.
639 notice_account_updated: Conta actualizada correctamente.
639 notice_account_updated: Conta actualizada correctamente.
640 notice_account_wrong_password: Contrasinal incorrecto.
640 notice_account_wrong_password: Contrasinal incorrecto.
641 notice_can_t_change_password: Esta conta utiliza unha fonte de autenticación externa. Non é posible cambiar o contrasinal.
641 notice_can_t_change_password: Esta conta utiliza unha fonte de autenticación externa. Non é posible cambiar o contrasinal.
642 notice_default_data_loaded: Configuración por defecto cargada correctamente.
642 notice_default_data_loaded: Configuración por defecto cargada correctamente.
643 notice_email_error: "Ocorreu un error enviando o correo ({{value}})"
643 notice_email_error: "Ocorreu un error enviando o correo ({{value}})"
644 notice_email_sent: "Enviouse un correo a {{value}}"
644 notice_email_sent: "Enviouse un correo a {{value}}"
645 notice_failed_to_save_issues: "Imposible gravar %s petición(s) en {{count}} seleccionado: {{value}}."
645 notice_failed_to_save_issues: "Imposible gravar %s petición(s) en {{count}} seleccionado: {{value}}."
646 notice_feeds_access_key_reseted: A súa clave de acceso para RSS reiniciouse.
646 notice_feeds_access_key_reseted: A súa clave de acceso para RSS reiniciouse.
647 notice_file_not_found: A páxina á que tenta acceder non existe.
647 notice_file_not_found: A páxina á que tenta acceder non existe.
648 notice_locking_conflict: Os datos modificáronse por outro usuario.
648 notice_locking_conflict: Os datos modificáronse por outro usuario.
649 notice_no_issue_selected: "Ningunha petición seleccionada. Por favor, comprobe a petición que quere modificar"
649 notice_no_issue_selected: "Ningunha petición seleccionada. Por favor, comprobe a petición que quere modificar"
650 notice_not_authorized: Non ten autorización para acceder a esta páxina.
650 notice_not_authorized: Non ten autorización para acceder a esta páxina.
651 notice_successful_connection: Conexión correcta.
651 notice_successful_connection: Conexión correcta.
652 notice_successful_create: Creación correcta.
652 notice_successful_create: Creación correcta.
653 notice_successful_delete: Borrado correcto.
653 notice_successful_delete: Borrado correcto.
654 notice_successful_update: Modificación correcta.
654 notice_successful_update: Modificación correcta.
655 notice_unable_delete_version: Non se pode borrar a versión
655 notice_unable_delete_version: Non se pode borrar a versión
656 permission_add_issue_notes: Engadir notas
656 permission_add_issue_notes: Engadir notas
657 permission_add_issue_watchers: Engadir seguidores
657 permission_add_issue_watchers: Engadir seguidores
658 permission_add_issues: Engadir peticións
658 permission_add_issues: Engadir peticións
659 permission_add_messages: Enviar mensaxes
659 permission_add_messages: Enviar mensaxes
660 permission_browse_repository: Ollar repositorio
660 permission_browse_repository: Ollar repositorio
661 permission_comment_news: Comentar noticias
661 permission_comment_news: Comentar noticias
662 permission_commit_access: Acceso de escritura
662 permission_commit_access: Acceso de escritura
663 permission_delete_issues: Borrar peticións
663 permission_delete_issues: Borrar peticións
664 permission_delete_messages: Borrar mensaxes
664 permission_delete_messages: Borrar mensaxes
665 permission_delete_own_messages: Borrar mensaxes propios
665 permission_delete_own_messages: Borrar mensaxes propios
666 permission_delete_wiki_pages: Borrar páxinas wiki
666 permission_delete_wiki_pages: Borrar páxinas wiki
667 permission_delete_wiki_pages_attachments: Borrar arquivos
667 permission_delete_wiki_pages_attachments: Borrar arquivos
668 permission_edit_issue_notes: Modificar notas
668 permission_edit_issue_notes: Modificar notas
669 permission_edit_issues: Modificar peticións
669 permission_edit_issues: Modificar peticións
670 permission_edit_messages: Modificar mensaxes
670 permission_edit_messages: Modificar mensaxes
671 permission_edit_own_issue_notes: Modificar notas propias
671 permission_edit_own_issue_notes: Modificar notas propias
672 permission_edit_own_messages: Editar mensaxes propios
672 permission_edit_own_messages: Editar mensaxes propios
673 permission_edit_own_time_entries: Modificar tempos dedicados propios
673 permission_edit_own_time_entries: Modificar tempos dedicados propios
674 permission_edit_project: Modificar proxecto
674 permission_edit_project: Modificar proxecto
675 permission_edit_time_entries: Modificar tempos dedicados
675 permission_edit_time_entries: Modificar tempos dedicados
676 permission_edit_wiki_pages: Modificar páxinas wiki
676 permission_edit_wiki_pages: Modificar páxinas wiki
677 permission_log_time: Anotar tempo dedicado
677 permission_log_time: Anotar tempo dedicado
678 permission_manage_boards: Administrar foros
678 permission_manage_boards: Administrar foros
679 permission_manage_categories: Administrar categorías de peticións
679 permission_manage_categories: Administrar categorías de peticións
680 permission_manage_documents: Administrar documentos
680 permission_manage_documents: Administrar documentos
681 permission_manage_files: Administrar arquivos
681 permission_manage_files: Administrar arquivos
682 permission_manage_issue_relations: Administrar relación con outras peticións
682 permission_manage_issue_relations: Administrar relación con outras peticións
683 permission_manage_members: Administrar membros
683 permission_manage_members: Administrar membros
684 permission_manage_news: Administrar noticias
684 permission_manage_news: Administrar noticias
685 permission_manage_public_queries: Administrar consultas públicas
685 permission_manage_public_queries: Administrar consultas públicas
686 permission_manage_repository: Administrar repositorio
686 permission_manage_repository: Administrar repositorio
687 permission_manage_versions: Administrar versións
687 permission_manage_versions: Administrar versións
688 permission_manage_wiki: Administrar wiki
688 permission_manage_wiki: Administrar wiki
689 permission_move_issues: Mover peticións
689 permission_move_issues: Mover peticións
690 permission_protect_wiki_pages: Protexer páxinas wiki
690 permission_protect_wiki_pages: Protexer páxinas wiki
691 permission_rename_wiki_pages: Renomear páxinas wiki
691 permission_rename_wiki_pages: Renomear páxinas wiki
692 permission_save_queries: Gravar consultas
692 permission_save_queries: Gravar consultas
693 permission_select_project_modules: Seleccionar módulos do proxecto
693 permission_select_project_modules: Seleccionar módulos do proxecto
694 permission_view_calendar: Ver calendario
694 permission_view_calendar: Ver calendario
695 permission_view_changesets: Ver cambios
695 permission_view_changesets: Ver cambios
696 permission_view_documents: Ver documentos
696 permission_view_documents: Ver documentos
697 permission_view_files: Ver arquivos
697 permission_view_files: Ver arquivos
698 permission_view_gantt: Ver diagrama de Gantt
698 permission_view_gantt: Ver diagrama de Gantt
699 permission_view_issue_watchers: Ver lista de seguidores
699 permission_view_issue_watchers: Ver lista de seguidores
700 permission_view_messages: Ver mensaxes
700 permission_view_messages: Ver mensaxes
701 permission_view_time_entries: Ver tempo dedicado
701 permission_view_time_entries: Ver tempo dedicado
702 permission_view_wiki_edits: Ver histórico do wiki
702 permission_view_wiki_edits: Ver histórico do wiki
703 permission_view_wiki_pages: Ver wiki
703 permission_view_wiki_pages: Ver wiki
704 project_module_boards: Foros
704 project_module_boards: Foros
705 project_module_documents: Documentos
705 project_module_documents: Documentos
706 project_module_files: Arquivos
706 project_module_files: Arquivos
707 project_module_issue_tracking: Peticións
707 project_module_issue_tracking: Peticións
708 project_module_news: Noticias
708 project_module_news: Noticias
709 project_module_repository: Repositorio
709 project_module_repository: Repositorio
710 project_module_time_tracking: Control de tempo
710 project_module_time_tracking: Control de tempo
711 project_module_wiki: Wiki
711 project_module_wiki: Wiki
712 setting_activity_days_default: Días a mostrar na actividade do proxecto
712 setting_activity_days_default: Días a mostrar na actividade do proxecto
713 setting_app_subtitle: Subtítulo da aplicación
713 setting_app_subtitle: Subtítulo da aplicación
714 setting_app_title: Título da aplicación
714 setting_app_title: Título da aplicación
715 setting_attachment_max_size: Tamaño máximo do arquivo
715 setting_attachment_max_size: Tamaño máximo do arquivo
716 setting_autofetch_changesets: Autorechear os commits do repositorio
716 setting_autofetch_changesets: Autorechear os commits do repositorio
717 setting_autologin: Conexión automática
717 setting_autologin: Conexión automática
718 setting_bcc_recipients: Ocultar as copias de carbón (bcc)
718 setting_bcc_recipients: Ocultar as copias de carbón (bcc)
719 setting_commit_fix_keywords: Palabras clave para a corrección
719 setting_commit_fix_keywords: Palabras clave para a corrección
720 setting_commit_logs_encoding: Codificación das mensaxes de commit
720 setting_commit_logs_encoding: Codificación das mensaxes de commit
721 setting_commit_ref_keywords: Palabras clave para a referencia
721 setting_commit_ref_keywords: Palabras clave para a referencia
722 setting_cross_project_issue_relations: Permitir relacionar peticións de distintos proxectos
722 setting_cross_project_issue_relations: Permitir relacionar peticións de distintos proxectos
723 setting_date_format: Formato da data
723 setting_date_format: Formato da data
724 setting_default_language: Idioma por defecto
724 setting_default_language: Idioma por defecto
725 setting_default_projects_public: Os proxectos novos son públicos por defecto
725 setting_default_projects_public: Os proxectos novos son públicos por defecto
726 setting_diff_max_lines_displayed: Número máximo de diferencias mostradas
726 setting_diff_max_lines_displayed: Número máximo de diferencias mostradas
727 setting_display_subprojects_issues: Mostrar por defecto peticións de prox. secundarios no principal
727 setting_display_subprojects_issues: Mostrar por defecto peticións de prox. secundarios no principal
728 setting_emails_footer: Pe de mensaxes
728 setting_emails_footer: Pe de mensaxes
729 setting_enabled_scm: Activar SCM
729 setting_enabled_scm: Activar SCM
730 setting_feeds_limit: Límite de contido para sindicación
730 setting_feeds_limit: Límite de contido para sindicación
731 setting_gravatar_enabled: Usar iconas de usuario (Gravatar)
731 setting_gravatar_enabled: Usar iconas de usuario (Gravatar)
732 setting_host_name: Nome e ruta do servidor
732 setting_host_name: Nome e ruta do servidor
733 setting_issue_list_default_columns: Columnas por defecto para a lista de peticións
733 setting_issue_list_default_columns: Columnas por defecto para a lista de peticións
734 setting_issues_export_limit: Límite de exportación de peticións
734 setting_issues_export_limit: Límite de exportación de peticións
735 setting_login_required: Requírese identificación
735 setting_login_required: Requírese identificación
736 setting_mail_from: Correo dende o que enviar mensaxes
736 setting_mail_from: Correo dende o que enviar mensaxes
737 setting_mail_handler_api_enabled: Activar SW para mensaxes entrantes
737 setting_mail_handler_api_enabled: Activar SW para mensaxes entrantes
738 setting_mail_handler_api_key: Clave da API
738 setting_mail_handler_api_key: Clave da API
739 setting_per_page_options: Obxectos por páxina
739 setting_per_page_options: Obxectos por páxina
740 setting_plain_text_mail: só texto plano (non HTML)
740 setting_plain_text_mail: só texto plano (non HTML)
741 setting_protocol: Protocolo
741 setting_protocol: Protocolo
742 setting_repositories_encodings: Codificacións do repositorio
742 setting_repositories_encodings: Codificacións do repositorio
743 setting_self_registration: Rexistro permitido
743 setting_self_registration: Rexistro permitido
744 setting_sequential_project_identifiers: Xerar identificadores de proxecto
744 setting_sequential_project_identifiers: Xerar identificadores de proxecto
745 setting_sys_api_enabled: Habilitar SW para a xestión do repositorio
745 setting_sys_api_enabled: Habilitar SW para a xestión do repositorio
746 setting_text_formatting: Formato de texto
746 setting_text_formatting: Formato de texto
747 setting_time_format: Formato de hora
747 setting_time_format: Formato de hora
748 setting_user_format: Formato de nome de usuario
748 setting_user_format: Formato de nome de usuario
749 setting_welcome_text: Texto de benvida
749 setting_welcome_text: Texto de benvida
750 setting_wiki_compression: Compresión do historial do Wiki
750 setting_wiki_compression: Compresión do historial do Wiki
751 status_active: activo
751 status_active: activo
752 status_locked: bloqueado
752 status_locked: bloqueado
753 status_registered: rexistrado
753 status_registered: rexistrado
754 text_are_you_sure: ¿Está seguro?
754 text_are_you_sure: ¿Está seguro?
755 text_assign_time_entries_to_project: Asignar as horas ó proxecto
755 text_assign_time_entries_to_project: Asignar as horas ó proxecto
756 text_caracters_maximum: "{{count}} caracteres como máximo."
756 text_caracters_maximum: "{{count}} caracteres como máximo."
757 text_caracters_minimum: "{{count}} caracteres como mínimo"
757 text_caracters_minimum: "{{count}} caracteres como mínimo"
758 text_comma_separated: Múltiples valores permitidos (separados por coma).
758 text_comma_separated: Múltiples valores permitidos (separados por coma).
759 text_default_administrator_account_changed: Conta de administrador por defecto modificada
759 text_default_administrator_account_changed: Conta de administrador por defecto modificada
760 text_destroy_time_entries: Borrar as horas
760 text_destroy_time_entries: Borrar as horas
761 text_destroy_time_entries_question: Existen {{hours}} horas asignadas á petición que quere borrar. ¿Que quere facer ?
761 text_destroy_time_entries_question: Existen {{hours}} horas asignadas á petición que quere borrar. ¿Que quere facer ?
762 text_diff_truncated: '... Diferencia truncada por exceder o máximo tamaño visualizable.'
762 text_diff_truncated: '... Diferencia truncada por exceder o máximo tamaño visualizable.'
763 text_email_delivery_not_configured: "O envío de correos non está configurado, e as notificacións desactiváronse. \n Configure o servidor de SMTP en config/email.yml e reinicie a aplicación para activar os cambios."
763 text_email_delivery_not_configured: "O envío de correos non está configurado, e as notificacións desactiváronse. \n Configure o servidor de SMTP en config/email.yml e reinicie a aplicación para activar os cambios."
764 text_enumeration_category_reassign_to: 'Reasignar ó seguinte valor:'
764 text_enumeration_category_reassign_to: 'Reasignar ó seguinte valor:'
765 text_enumeration_destroy_question: "{{count}} obxectos con este valor asignado."
765 text_enumeration_destroy_question: "{{count}} obxectos con este valor asignado."
766 text_file_repository_writable: Pódese escribir no repositorio
766 text_file_repository_writable: Pódese escribir no repositorio
767 text_issue_added: "Petición {{id}} engadida por {{author}}."
767 text_issue_added: "Petición {{id}} engadida por {{author}}."
768 text_issue_category_destroy_assignments: Deixar as peticións sen categoría
768 text_issue_category_destroy_assignments: Deixar as peticións sen categoría
769 text_issue_category_destroy_question: "Algunhas peticións ({{count}}) están asignadas a esta categoría. ¿Que desexa facer?"
769 text_issue_category_destroy_question: "Algunhas peticións ({{count}}) están asignadas a esta categoría. ¿Que desexa facer?"
770 text_issue_category_reassign_to: Reasignar as peticións á categoría
770 text_issue_category_reassign_to: Reasignar as peticións á categoría
771 text_issue_updated: "A petición {{id}} actualizouse por {{author}}."
771 text_issue_updated: "A petición {{id}} actualizouse por {{author}}."
772 text_issues_destroy_confirmation: '¿Seguro que quere borrar as peticións seleccionadas?'
772 text_issues_destroy_confirmation: '¿Seguro que quere borrar as peticións seleccionadas?'
773 text_issues_ref_in_commit_messages: Referencia e petición de corrección nas mensaxes
773 text_issues_ref_in_commit_messages: Referencia e petición de corrección nas mensaxes
774 text_journal_changed: "cambiado de {{old}} a {{new}}"
774 text_journal_changed: "cambiado de {{old}} a {{new}}"
775 text_journal_deleted: suprimido
775 text_journal_deleted: suprimido
776 text_journal_set_to: "fixado a {{value}}"
776 text_journal_set_to: "fixado a {{value}}"
777 text_length_between: "Lonxitude entre {{min}} e {{max}} caracteres."
777 text_length_between: "Lonxitude entre {{min}} e {{max}} caracteres."
778 text_load_default_configuration: Cargar a configuración por defecto
778 text_load_default_configuration: Cargar a configuración por defecto
779 text_min_max_length_info: 0 para ningunha restrición
779 text_min_max_length_info: 0 para ningunha restrición
780 text_no_configuration_data: "Inda non se configuraron perfiles, nin tipos, estados e fluxo de traballo asociado a peticións. Recoméndase encarecidamente cargar a configuración por defecto. Unha vez cargada, poderá modificala."
780 text_no_configuration_data: "Inda non se configuraron perfiles, nin tipos, estados e fluxo de traballo asociado a peticións. Recoméndase encarecidamente cargar a configuración por defecto. Unha vez cargada, poderá modificala."
781 text_project_destroy_confirmation: ¿Estás seguro de querer eliminar o proxecto?
781 text_project_destroy_confirmation: ¿Estás seguro de querer eliminar o proxecto?
782 text_project_identifier_info: 'Letras minúsculas (a-z), números e signos de puntuación permitidos.<br />Unha vez gardado, o identificador non pode modificarse.'
782 text_project_identifier_info: 'Letras minúsculas (a-z), números e signos de puntuación permitidos.<br />Unha vez gardado, o identificador non pode modificarse.'
783 text_reassign_time_entries: 'Reasignar as horas a esta petición:'
783 text_reassign_time_entries: 'Reasignar as horas a esta petición:'
784 text_regexp_info: ex. ^[A-Z0-9]+$
784 text_regexp_info: ex. ^[A-Z0-9]+$
785 text_repository_usernames_mapping: "Estableza a correspondencia entre os usuarios de Redmine e os presentes no log do repositorio.\nOs usuarios co mesmo nome ou correo en Redmine e no repositorio serán asociados automaticamente."
785 text_repository_usernames_mapping: "Estableza a correspondencia entre os usuarios de Redmine e os presentes no log do repositorio.\nOs usuarios co mesmo nome ou correo en Redmine e no repositorio serán asociados automaticamente."
786 text_rmagick_available: RMagick dispoñible (opcional)
786 text_rmagick_available: RMagick dispoñible (opcional)
787 text_select_mail_notifications: Seleccionar os eventos a notificar
787 text_select_mail_notifications: Seleccionar os eventos a notificar
788 text_select_project_modules: 'Seleccione os módulos a activar para este proxecto:'
788 text_select_project_modules: 'Seleccione os módulos a activar para este proxecto:'
789 text_status_changed_by_changeset: "Aplicado nos cambios {{value}}"
789 text_status_changed_by_changeset: "Aplicado nos cambios {{value}}"
790 text_subprojects_destroy_warning: "Os proxectos secundarios: {{value}} tamén se eliminarán"
790 text_subprojects_destroy_warning: "Os proxectos secundarios: {{value}} tamén se eliminarán"
791 text_tip_task_begin_day: tarefa que comeza este día
791 text_tip_task_begin_day: tarefa que comeza este día
792 text_tip_task_begin_end_day: tarefa que comeza e remata este día
792 text_tip_task_begin_end_day: tarefa que comeza e remata este día
793 text_tip_task_end_day: tarefa que remata este día
793 text_tip_task_end_day: tarefa que remata este día
794 text_tracker_no_workflow: Non hai ningún fluxo de traballo definido para este tipo de petición
794 text_tracker_no_workflow: Non hai ningún fluxo de traballo definido para este tipo de petición
795 text_unallowed_characters: Caracteres non permitidos
795 text_unallowed_characters: Caracteres non permitidos
796 text_user_mail_option: "Dos proxectos non seleccionados, recibirá notificacións sobre elementos monitorizados ou elementos nos que estea involucrado (por exemplo, peticións das que vostede sexa autor ou asignadas a vostede)."
796 text_user_mail_option: "Dos proxectos non seleccionados, recibirá notificacións sobre elementos monitorizados ou elementos nos que estea involucrado (por exemplo, peticións das que vostede sexa autor ou asignadas a vostede)."
797 text_user_wrote: "{{value}} escribiu:"
797 text_user_wrote: "{{value}} escribiu:"
798 text_wiki_destroy_confirmation: ¿Seguro que quere borrar o wiki e todo o seu contido?
798 text_wiki_destroy_confirmation: ¿Seguro que quere borrar o wiki e todo o seu contido?
799 text_workflow_edit: Seleccionar un fluxo de traballo para actualizar
799 text_workflow_edit: Seleccionar un fluxo de traballo para actualizar
800 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
800 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
801 field_editable: Editable
801 field_editable: Editable
802 text_plugin_assets_writable: Plugin assets directory writable
802 text_plugin_assets_writable: Plugin assets directory writable
803 label_display: Display
803 label_display: Display
804 button_create_and_continue: Create and continue
804 button_create_and_continue: Create and continue
805 text_custom_field_possible_values_info: 'One line for each value'
805 text_custom_field_possible_values_info: 'One line for each value'
806 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
806 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
807 setting_file_max_size_displayed: Max size of text files displayed inline
807 setting_file_max_size_displayed: Max size of text files displayed inline
808 field_watcher: Watcher
808 field_watcher: Watcher
809 setting_openid: Allow OpenID login and registration
809 setting_openid: Allow OpenID login and registration
810 field_identity_url: OpenID URL
810 field_identity_url: OpenID URL
811 label_login_with_open_id_option: or login with OpenID
811 label_login_with_open_id_option: or login with OpenID
812 field_content: Content
812 field_content: Content
813 label_descending: Descending
813 label_descending: Descending
814 label_sort: Sort
814 label_sort: Sort
815 label_ascending: Ascending
815 label_ascending: Ascending
816 label_date_from_to: From {{start}} to {{end}}
816 label_date_from_to: From {{start}} to {{end}}
817 label_greater_or_equal: ">="
817 label_greater_or_equal: ">="
818 label_less_or_equal: <=
818 label_less_or_equal: <=
819 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
819 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
820 text_wiki_page_reassign_children: Reassign child pages to this parent page
820 text_wiki_page_reassign_children: Reassign child pages to this parent page
821 text_wiki_page_nullify_children: Keep child pages as root pages
821 text_wiki_page_nullify_children: Keep child pages as root pages
822 text_wiki_page_destroy_children: Delete child pages and all their descendants
822 text_wiki_page_destroy_children: Delete child pages and all their descendants
823 setting_password_min_length: Minimum password length
823 setting_password_min_length: Minimum password length
824 field_group_by: Group results by
@@ -1,806 +1,807
1 # Hebrew translations for Ruby on Rails
1 # Hebrew translations for Ruby on Rails
2 # by Dotan Nahum (dipidi@gmail.com)
2 # by Dotan Nahum (dipidi@gmail.com)
3
3
4 he:
4 he:
5 date:
5 date:
6 formats:
6 formats:
7 default: "%Y-%m-%d"
7 default: "%Y-%m-%d"
8 short: "%e %b"
8 short: "%e %b"
9 long: "%B %e, %Y"
9 long: "%B %e, %Y"
10 only_day: "%e"
10 only_day: "%e"
11
11
12 day_names: [ראשון, שני, שלישי, רביעי, חמישי, שישי, שבת]
12 day_names: [ראשון, שני, שלישי, רביעי, חמישי, שישי, שבת]
13 abbr_day_names: [רא, שנ, של, רב, חמ, שי, שב]
13 abbr_day_names: [רא, שנ, של, רב, חמ, שי, שב]
14 month_names: [~, ינואר, פברואר, מרץ, אפריל, מאי, יוני, יולי, אוגוסט, ספטמבר, אוקטובר, נובמבר, דצמבר]
14 month_names: [~, ינואר, פברואר, מרץ, אפריל, מאי, יוני, יולי, אוגוסט, ספטמבר, אוקטובר, נובמבר, דצמבר]
15 abbr_month_names: [~, יאנ, פב, מרץ, אפר, מאי, יונ, יול, אוג, ספט, אוק, נוב, דצ]
15 abbr_month_names: [~, יאנ, פב, מרץ, אפר, מאי, יונ, יול, אוג, ספט, אוק, נוב, דצ]
16 order: [ :day, :month, :year ]
16 order: [ :day, :month, :year ]
17
17
18 time:
18 time:
19 formats:
19 formats:
20 default: "%a %b %d %H:%M:%S %Z %Y"
20 default: "%a %b %d %H:%M:%S %Z %Y"
21 time: "%H:%M"
21 time: "%H:%M"
22 short: "%d %b %H:%M"
22 short: "%d %b %H:%M"
23 long: "%B %d, %Y %H:%M"
23 long: "%B %d, %Y %H:%M"
24 only_second: "%S"
24 only_second: "%S"
25
25
26 datetime:
26 datetime:
27 formats:
27 formats:
28 default: "%d-%m-%YT%H:%M:%S%Z"
28 default: "%d-%m-%YT%H:%M:%S%Z"
29
29
30 am: 'am'
30 am: 'am'
31 pm: 'pm'
31 pm: 'pm'
32
32
33 datetime:
33 datetime:
34 distance_in_words:
34 distance_in_words:
35 half_a_minute: 'חצי דקה'
35 half_a_minute: 'חצי דקה'
36 less_than_x_seconds:
36 less_than_x_seconds:
37 zero: 'פחות משניה אחת'
37 zero: 'פחות משניה אחת'
38 one: 'פחות משניה אחת'
38 one: 'פחות משניה אחת'
39 other: 'פחות מ- {{count}} שניות'
39 other: 'פחות מ- {{count}} שניות'
40 x_seconds:
40 x_seconds:
41 one: 'שניה אחת'
41 one: 'שניה אחת'
42 other: '{{count}} שניות'
42 other: '{{count}} שניות'
43 less_than_x_minutes:
43 less_than_x_minutes:
44 zero: 'פחות מדקה אחת'
44 zero: 'פחות מדקה אחת'
45 one: 'פחות מדקה אחת'
45 one: 'פחות מדקה אחת'
46 other: 'פחות מ- {{count}} דקות'
46 other: 'פחות מ- {{count}} דקות'
47 x_minutes:
47 x_minutes:
48 one: 'דקה אחת'
48 one: 'דקה אחת'
49 other: '{{count}} דקות'
49 other: '{{count}} דקות'
50 about_x_hours:
50 about_x_hours:
51 one: 'בערך שעה אחת'
51 one: 'בערך שעה אחת'
52 other: 'בערך {{count}} שעות'
52 other: 'בערך {{count}} שעות'
53 x_days:
53 x_days:
54 one: 'יום אחד'
54 one: 'יום אחד'
55 other: '{{count}} ימים'
55 other: '{{count}} ימים'
56 about_x_months:
56 about_x_months:
57 one: 'בערך חודש אחד'
57 one: 'בערך חודש אחד'
58 other: 'בערך {{count}} חודשים'
58 other: 'בערך {{count}} חודשים'
59 x_months:
59 x_months:
60 one: 'חודש אחד'
60 one: 'חודש אחד'
61 other: '{{count}} חודשים'
61 other: '{{count}} חודשים'
62 about_x_years:
62 about_x_years:
63 one: 'בערך שנה אחת'
63 one: 'בערך שנה אחת'
64 other: 'בערך {{count}} שנים'
64 other: 'בערך {{count}} שנים'
65 over_x_years:
65 over_x_years:
66 one: 'מעל שנה אחת'
66 one: 'מעל שנה אחת'
67 other: 'מעל {{count}} שנים'
67 other: 'מעל {{count}} שנים'
68
68
69 number:
69 number:
70 format:
70 format:
71 precision: 3
71 precision: 3
72 separator: '.'
72 separator: '.'
73 delimiter: ','
73 delimiter: ','
74 currency:
74 currency:
75 format:
75 format:
76 unit: 'שח'
76 unit: 'שח'
77 precision: 2
77 precision: 2
78 format: '%u %n'
78 format: '%u %n'
79
79
80 support:
80 support:
81 array:
81 array:
82 sentence_connector: "and"
82 sentence_connector: "and"
83 skip_last_comma: false
83 skip_last_comma: false
84
84
85 activerecord:
85 activerecord:
86 errors:
86 errors:
87 messages:
87 messages:
88 inclusion: "לא נכלל ברשימה"
88 inclusion: "לא נכלל ברשימה"
89 exclusion: "לא זמין"
89 exclusion: "לא זמין"
90 invalid: "לא ולידי"
90 invalid: "לא ולידי"
91 confirmation: "לא תואם לאישורו"
91 confirmation: "לא תואם לאישורו"
92 accepted: "חייב באישור"
92 accepted: "חייב באישור"
93 empty: "חייב להכלל"
93 empty: "חייב להכלל"
94 blank: "חייב להכלל"
94 blank: "חייב להכלל"
95 too_long: "יותר מדי ארוך (לא יותר מ- {{count}} תוים)"
95 too_long: "יותר מדי ארוך (לא יותר מ- {{count}} תוים)"
96 too_short: "יותר מדי קצר (לא יותר מ- {{count}} תוים)"
96 too_short: "יותר מדי קצר (לא יותר מ- {{count}} תוים)"
97 wrong_length: "לא באורך הנכון (חייב להיות {{count}} תוים)"
97 wrong_length: "לא באורך הנכון (חייב להיות {{count}} תוים)"
98 taken: "לא זמין"
98 taken: "לא זמין"
99 not_a_number: "הוא לא מספר"
99 not_a_number: "הוא לא מספר"
100 greater_than: "חייב להיות גדול מ- {{count}}"
100 greater_than: "חייב להיות גדול מ- {{count}}"
101 greater_than_or_equal_to: "חייב להיות גדול או שווה ל- {{count}}"
101 greater_than_or_equal_to: "חייב להיות גדול או שווה ל- {{count}}"
102 equal_to: "חייב להיות שווה ל- {{count}}"
102 equal_to: "חייב להיות שווה ל- {{count}}"
103 less_than: "חייב להיות קטן מ- {{count}}"
103 less_than: "חייב להיות קטן מ- {{count}}"
104 less_than_or_equal_to: "חייב להיות קטן או שווה ל- {{count}}"
104 less_than_or_equal_to: "חייב להיות קטן או שווה ל- {{count}}"
105 odd: "חייב להיות אי זוגי"
105 odd: "חייב להיות אי זוגי"
106 even: "חייב להיות זוגי"
106 even: "חייב להיות זוגי"
107 greater_than_start_date: "חייב להיות מאוחר יותר מתאריך ההתחלה"
107 greater_than_start_date: "חייב להיות מאוחר יותר מתאריך ההתחלה"
108 not_same_project: "לא שייך לאותו הפרויקט"
108 not_same_project: "לא שייך לאותו הפרויקט"
109 circular_dependency: "הקשר הזה יצור תלות מעגלית"
109 circular_dependency: "הקשר הזה יצור תלות מעגלית"
110
110
111 actionview_instancetag_blank_option: בחר בבקשה
111 actionview_instancetag_blank_option: בחר בבקשה
112
112
113 general_text_No: 'לא'
113 general_text_No: 'לא'
114 general_text_Yes: 'כן'
114 general_text_Yes: 'כן'
115 general_text_no: 'לא'
115 general_text_no: 'לא'
116 general_text_yes: 'כן'
116 general_text_yes: 'כן'
117 general_lang_name: 'Hebrew (עברית)'
117 general_lang_name: 'Hebrew (עברית)'
118 general_csv_separator: ','
118 general_csv_separator: ','
119 general_csv_decimal_separator: '.'
119 general_csv_decimal_separator: '.'
120 general_csv_encoding: ISO-8859-8-I
120 general_csv_encoding: ISO-8859-8-I
121 general_pdf_encoding: ISO-8859-8-I
121 general_pdf_encoding: ISO-8859-8-I
122 general_first_day_of_week: '7'
122 general_first_day_of_week: '7'
123
123
124 notice_account_updated: החשבון עודכן בהצלחה!
124 notice_account_updated: החשבון עודכן בהצלחה!
125 notice_account_invalid_creditentials: שם משתמש או סיסמה שגויים
125 notice_account_invalid_creditentials: שם משתמש או סיסמה שגויים
126 notice_account_password_updated: הסיסמה עודכנה בהצלחה!
126 notice_account_password_updated: הסיסמה עודכנה בהצלחה!
127 notice_account_wrong_password: סיסמה שגויה
127 notice_account_wrong_password: סיסמה שגויה
128 notice_account_register_done: החשבון נוצר בהצלחה. להפעלת החשבון לחץ על הקישור שנשלח לדוא"ל שלך.
128 notice_account_register_done: החשבון נוצר בהצלחה. להפעלת החשבון לחץ על הקישור שנשלח לדוא"ל שלך.
129 notice_account_unknown_email: משתמש לא מוכר.
129 notice_account_unknown_email: משתמש לא מוכר.
130 notice_can_t_change_password: החשבון הזה משתמש במקור אימות חיצוני. שינוי סיסמה הינו בילתי אפשר
130 notice_can_t_change_password: החשבון הזה משתמש במקור אימות חיצוני. שינוי סיסמה הינו בילתי אפשר
131 notice_account_lost_email_sent: דוא"ל עם הוראות לבחירת סיסמה חדשה נשלח אליך.
131 notice_account_lost_email_sent: דוא"ל עם הוראות לבחירת סיסמה חדשה נשלח אליך.
132 notice_account_activated: חשבונך הופעל. אתה יכול להתחבר כעת.
132 notice_account_activated: חשבונך הופעל. אתה יכול להתחבר כעת.
133 notice_successful_create: יצירה מוצלחת.
133 notice_successful_create: יצירה מוצלחת.
134 notice_successful_update: עידכון מוצלח.
134 notice_successful_update: עידכון מוצלח.
135 notice_successful_delete: מחיקה מוצלחת.
135 notice_successful_delete: מחיקה מוצלחת.
136 notice_successful_connection: חיבור מוצלח.
136 notice_successful_connection: חיבור מוצלח.
137 notice_file_not_found: הדף שאת\ה מנסה לגשת אליו אינו קיים או שהוסר.
137 notice_file_not_found: הדף שאת\ה מנסה לגשת אליו אינו קיים או שהוסר.
138 notice_locking_conflict: המידע עודכן על ידי משתמש אחר.
138 notice_locking_conflict: המידע עודכן על ידי משתמש אחר.
139 notice_not_authorized: אינך מורשה לראות דף זה.
139 notice_not_authorized: אינך מורשה לראות דף זה.
140 notice_email_sent: "דואל נשלח לכתובת {{value}}"
140 notice_email_sent: "דואל נשלח לכתובת {{value}}"
141 notice_email_error: "ארעה שגיאה בעט שליחת הדואל ({{value}})"
141 notice_email_error: "ארעה שגיאה בעט שליחת הדואל ({{value}})"
142 notice_feeds_access_key_reseted: מפתח ה-RSS שלך אופס.
142 notice_feeds_access_key_reseted: מפתח ה-RSS שלך אופס.
143 notice_failed_to_save_issues: "נכשרת בשמירת {{count}} נושא\ים ב {{total}} נבחרו: {{ids}}."
143 notice_failed_to_save_issues: "נכשרת בשמירת {{count}} נושא\ים ב {{total}} נבחרו: {{ids}}."
144 notice_no_issue_selected: "לא נבחר אף נושא! בחר בבקשה את הנושאים שברצונך לערוך."
144 notice_no_issue_selected: "לא נבחר אף נושא! בחר בבקשה את הנושאים שברצונך לערוך."
145
145
146 error_scm_not_found: כניסה ו\או גירסא אינם קיימים במאגר.
146 error_scm_not_found: כניסה ו\או גירסא אינם קיימים במאגר.
147 error_scm_command_failed: "ארעה שגיאה בעת ניסון גישה למאגר: {{value}}"
147 error_scm_command_failed: "ארעה שגיאה בעת ניסון גישה למאגר: {{value}}"
148
148
149 mail_subject_lost_password: "סיסמת ה-{{value}} שלך"
149 mail_subject_lost_password: "סיסמת ה-{{value}} שלך"
150 mail_body_lost_password: 'לשינו סיסמת ה-Redmine שלך,לחץ על הקישור הבא:'
150 mail_body_lost_password: 'לשינו סיסמת ה-Redmine שלך,לחץ על הקישור הבא:'
151 mail_subject_register: "הפעלת חשבון {{value}}"
151 mail_subject_register: "הפעלת חשבון {{value}}"
152 mail_body_register: 'להפעלת חשבון ה-Redmine שלך, לחץ על הקישור הבא:'
152 mail_body_register: 'להפעלת חשבון ה-Redmine שלך, לחץ על הקישור הבא:'
153
153
154 gui_validation_error: שגיאה 1
154 gui_validation_error: שגיאה 1
155 gui_validation_error_plural: "{{count}} שגיאות"
155 gui_validation_error_plural: "{{count}} שגיאות"
156
156
157 field_name: שם
157 field_name: שם
158 field_description: תיאור
158 field_description: תיאור
159 field_summary: תקציר
159 field_summary: תקציר
160 field_is_required: נדרש
160 field_is_required: נדרש
161 field_firstname: שם פרטי
161 field_firstname: שם פרטי
162 field_lastname: שם משפחה
162 field_lastname: שם משפחה
163 field_mail: דוא"ל
163 field_mail: דוא"ל
164 field_filename: קובץ
164 field_filename: קובץ
165 field_filesize: גודל
165 field_filesize: גודל
166 field_downloads: הורדות
166 field_downloads: הורדות
167 field_author: כותב
167 field_author: כותב
168 field_created_on: נוצר
168 field_created_on: נוצר
169 field_updated_on: עודכן
169 field_updated_on: עודכן
170 field_field_format: פורמט
170 field_field_format: פורמט
171 field_is_for_all: לכל הפרויקטים
171 field_is_for_all: לכל הפרויקטים
172 field_possible_values: ערכים אפשריים
172 field_possible_values: ערכים אפשריים
173 field_regexp: ביטוי רגיל
173 field_regexp: ביטוי רגיל
174 field_min_length: אורך מינימאלי
174 field_min_length: אורך מינימאלי
175 field_max_length: אורך מקסימאלי
175 field_max_length: אורך מקסימאלי
176 field_value: ערך
176 field_value: ערך
177 field_category: קטגוריה
177 field_category: קטגוריה
178 field_title: כותרת
178 field_title: כותרת
179 field_project: פרויקט
179 field_project: פרויקט
180 field_issue: נושא
180 field_issue: נושא
181 field_status: מצב
181 field_status: מצב
182 field_notes: הערות
182 field_notes: הערות
183 field_is_closed: נושא סגור
183 field_is_closed: נושא סגור
184 field_is_default: ערך ברירת מחדל
184 field_is_default: ערך ברירת מחדל
185 field_tracker: עוקב
185 field_tracker: עוקב
186 field_subject: שם נושא
186 field_subject: שם נושא
187 field_due_date: תאריך סיום
187 field_due_date: תאריך סיום
188 field_assigned_to: מוצב ל
188 field_assigned_to: מוצב ל
189 field_priority: עדיפות
189 field_priority: עדיפות
190 field_fixed_version: גירסאת יעד
190 field_fixed_version: גירסאת יעד
191 field_user: מתשמש
191 field_user: מתשמש
192 field_role: תפקיד
192 field_role: תפקיד
193 field_homepage: דף הבית
193 field_homepage: דף הבית
194 field_is_public: פומבי
194 field_is_public: פומבי
195 field_parent: תת פרויקט של
195 field_parent: תת פרויקט של
196 field_is_in_chlog: נושאים המוצגים בדו"ח השינויים
196 field_is_in_chlog: נושאים המוצגים בדו"ח השינויים
197 field_is_in_roadmap: נושאים המוצגים במפת הדרכים
197 field_is_in_roadmap: נושאים המוצגים במפת הדרכים
198 field_login: שם משתמש
198 field_login: שם משתמש
199 field_mail_notification: הודעות דוא"ל
199 field_mail_notification: הודעות דוא"ל
200 field_admin: אדמיניסטרציה
200 field_admin: אדמיניסטרציה
201 field_last_login_on: חיבור אחרון
201 field_last_login_on: חיבור אחרון
202 field_language: שפה
202 field_language: שפה
203 field_effective_date: תאריך
203 field_effective_date: תאריך
204 field_password: סיסמה
204 field_password: סיסמה
205 field_new_password: סיסמה חדשה
205 field_new_password: סיסמה חדשה
206 field_password_confirmation: אישור
206 field_password_confirmation: אישור
207 field_version: גירסא
207 field_version: גירסא
208 field_type: סוג
208 field_type: סוג
209 field_host: שרת
209 field_host: שרת
210 field_port: פורט
210 field_port: פורט
211 field_account: חשבון
211 field_account: חשבון
212 field_base_dn: בסיס DN
212 field_base_dn: בסיס DN
213 field_attr_login: תכונת התחברות
213 field_attr_login: תכונת התחברות
214 field_attr_firstname: תכונת שם פרטים
214 field_attr_firstname: תכונת שם פרטים
215 field_attr_lastname: תכונת שם משפחה
215 field_attr_lastname: תכונת שם משפחה
216 field_attr_mail: תכונת דוא"ל
216 field_attr_mail: תכונת דוא"ל
217 field_onthefly: יצירת משתמשים זריזה
217 field_onthefly: יצירת משתמשים זריזה
218 field_start_date: התחל
218 field_start_date: התחל
219 field_done_ratio: % גמור
219 field_done_ratio: % גמור
220 field_auth_source: מצב אימות
220 field_auth_source: מצב אימות
221 field_hide_mail: החבא את כתובת הדוא"ל שלי
221 field_hide_mail: החבא את כתובת הדוא"ל שלי
222 field_comments: הערות
222 field_comments: הערות
223 field_url: URL
223 field_url: URL
224 field_start_page: דף התחלתי
224 field_start_page: דף התחלתי
225 field_subproject: תת פרויקט
225 field_subproject: תת פרויקט
226 field_hours: שעות
226 field_hours: שעות
227 field_activity: פעילות
227 field_activity: פעילות
228 field_spent_on: תאריך
228 field_spent_on: תאריך
229 field_identifier: מזהה
229 field_identifier: מזהה
230 field_is_filter: משמש כמסנן
230 field_is_filter: משמש כמסנן
231 field_issue_to_id: נושאים קשורים
231 field_issue_to_id: נושאים קשורים
232 field_delay: עיקוב
232 field_delay: עיקוב
233 field_assignable: ניתן להקצות נושאים לתפקיד זה
233 field_assignable: ניתן להקצות נושאים לתפקיד זה
234 field_redirect_existing_links: העבר קישורים קיימים
234 field_redirect_existing_links: העבר קישורים קיימים
235 field_estimated_hours: זמן משוער
235 field_estimated_hours: זמן משוער
236 field_column_names: עמודות
236 field_column_names: עמודות
237 field_default_value: ערך ברירת מחדל
237 field_default_value: ערך ברירת מחדל
238
238
239 setting_app_title: כותרת ישום
239 setting_app_title: כותרת ישום
240 setting_app_subtitle: תת-כותרת ישום
240 setting_app_subtitle: תת-כותרת ישום
241 setting_welcome_text: טקסט "ברוך הבא"
241 setting_welcome_text: טקסט "ברוך הבא"
242 setting_default_language: שפת ברירת מחדל
242 setting_default_language: שפת ברירת מחדל
243 setting_login_required: דרוש אימות
243 setting_login_required: דרוש אימות
244 setting_self_registration: אפשר הרשמות עצמית
244 setting_self_registration: אפשר הרשמות עצמית
245 setting_attachment_max_size: גודל דבוקה מקסימאלי
245 setting_attachment_max_size: גודל דבוקה מקסימאלי
246 setting_issues_export_limit: גבול יצוא נושאים
246 setting_issues_export_limit: גבול יצוא נושאים
247 setting_mail_from: כתובת שליחת דוא"ל
247 setting_mail_from: כתובת שליחת דוא"ל
248 setting_host_name: שם שרת
248 setting_host_name: שם שרת
249 setting_text_formatting: עיצוב טקסט
249 setting_text_formatting: עיצוב טקסט
250 setting_wiki_compression: כיווץ היסטורית WIKI
250 setting_wiki_compression: כיווץ היסטורית WIKI
251 setting_feeds_limit: גבול תוכן הזנות
251 setting_feeds_limit: גבול תוכן הזנות
252 setting_autofetch_changesets: משיכה אוטומתי של עידכונים
252 setting_autofetch_changesets: משיכה אוטומתי של עידכונים
253 setting_sys_api_enabled: אפשר WS לניהול המאגר
253 setting_sys_api_enabled: אפשר WS לניהול המאגר
254 setting_commit_ref_keywords: מילות מפתח מקשרות
254 setting_commit_ref_keywords: מילות מפתח מקשרות
255 setting_commit_fix_keywords: מילות מפתח מתקנות
255 setting_commit_fix_keywords: מילות מפתח מתקנות
256 setting_autologin: חיבור אוטומטי
256 setting_autologin: חיבור אוטומטי
257 setting_date_format: פורמט תאריך
257 setting_date_format: פורמט תאריך
258 setting_cross_project_issue_relations: הרשה קישור נושאים בין פרויקטים
258 setting_cross_project_issue_relations: הרשה קישור נושאים בין פרויקטים
259 setting_issue_list_default_columns: עמודות ברירת מחדל המוצגות ברשימת הנושאים
259 setting_issue_list_default_columns: עמודות ברירת מחדל המוצגות ברשימת הנושאים
260 setting_repositories_encodings: קידוד המאגרים
260 setting_repositories_encodings: קידוד המאגרים
261
261
262 label_user: משתמש
262 label_user: משתמש
263 label_user_plural: משתמשים
263 label_user_plural: משתמשים
264 label_user_new: משתמש חדש
264 label_user_new: משתמש חדש
265 label_project: פרויקט
265 label_project: פרויקט
266 label_project_new: פרויקט חדש
266 label_project_new: פרויקט חדש
267 label_project_plural: פרויקטים
267 label_project_plural: פרויקטים
268 label_x_projects:
268 label_x_projects:
269 zero: no projects
269 zero: no projects
270 one: 1 project
270 one: 1 project
271 other: "{{count}} projects"
271 other: "{{count}} projects"
272 label_project_all: כל הפרויקטים
272 label_project_all: כל הפרויקטים
273 label_project_latest: הפרויקטים החדשים ביותר
273 label_project_latest: הפרויקטים החדשים ביותר
274 label_issue: נושא
274 label_issue: נושא
275 label_issue_new: נושא חדש
275 label_issue_new: נושא חדש
276 label_issue_plural: נושאים
276 label_issue_plural: נושאים
277 label_issue_view_all: צפה בכל הנושאים
277 label_issue_view_all: צפה בכל הנושאים
278 label_document: מסמך
278 label_document: מסמך
279 label_document_new: מסמך חדש
279 label_document_new: מסמך חדש
280 label_document_plural: מסמכים
280 label_document_plural: מסמכים
281 label_role: תפקיד
281 label_role: תפקיד
282 label_role_plural: תפקידים
282 label_role_plural: תפקידים
283 label_role_new: תפקיד חדש
283 label_role_new: תפקיד חדש
284 label_role_and_permissions: תפקידים והרשאות
284 label_role_and_permissions: תפקידים והרשאות
285 label_member: חבר
285 label_member: חבר
286 label_member_new: חבר חדש
286 label_member_new: חבר חדש
287 label_member_plural: חברים
287 label_member_plural: חברים
288 label_tracker: עוקב
288 label_tracker: עוקב
289 label_tracker_plural: עוקבים
289 label_tracker_plural: עוקבים
290 label_tracker_new: עוקב חדש
290 label_tracker_new: עוקב חדש
291 label_workflow: זרימת עבודה
291 label_workflow: זרימת עבודה
292 label_issue_status: מצב נושא
292 label_issue_status: מצב נושא
293 label_issue_status_plural: מצבי נושא
293 label_issue_status_plural: מצבי נושא
294 label_issue_status_new: מצב חדש
294 label_issue_status_new: מצב חדש
295 label_issue_category: קטגורית נושא
295 label_issue_category: קטגורית נושא
296 label_issue_category_plural: קטגוריות נושא
296 label_issue_category_plural: קטגוריות נושא
297 label_issue_category_new: קטגוריה חדשה
297 label_issue_category_new: קטגוריה חדשה
298 label_custom_field: שדה אישי
298 label_custom_field: שדה אישי
299 label_custom_field_plural: שדות אישיים
299 label_custom_field_plural: שדות אישיים
300 label_custom_field_new: שדה אישי חדש
300 label_custom_field_new: שדה אישי חדש
301 label_enumerations: אינומרציות
301 label_enumerations: אינומרציות
302 label_enumeration_new: ערך חדש
302 label_enumeration_new: ערך חדש
303 label_information: מידע
303 label_information: מידע
304 label_information_plural: מידע
304 label_information_plural: מידע
305 label_please_login: התחבר בבקשה
305 label_please_login: התחבר בבקשה
306 label_register: הרשמה
306 label_register: הרשמה
307 label_password_lost: אבדה הסיסמה?
307 label_password_lost: אבדה הסיסמה?
308 label_home: דף הבית
308 label_home: דף הבית
309 label_my_page: הדף שלי
309 label_my_page: הדף שלי
310 label_my_account: החשבון שלי
310 label_my_account: החשבון שלי
311 label_my_projects: הפרויקטים שלי
311 label_my_projects: הפרויקטים שלי
312 label_administration: אדמיניסטרציה
312 label_administration: אדמיניסטרציה
313 label_login: התחבר
313 label_login: התחבר
314 label_logout: התנתק
314 label_logout: התנתק
315 label_help: עזרה
315 label_help: עזרה
316 label_reported_issues: נושאים שדווחו
316 label_reported_issues: נושאים שדווחו
317 label_assigned_to_me_issues: נושאים שהוצבו לי
317 label_assigned_to_me_issues: נושאים שהוצבו לי
318 label_last_login: חיבור אחרון
318 label_last_login: חיבור אחרון
319 label_registered_on: נרשם בתאריך
319 label_registered_on: נרשם בתאריך
320 label_activity: פעילות
320 label_activity: פעילות
321 label_new: חדש
321 label_new: חדש
322 label_logged_as: מחובר כ
322 label_logged_as: מחובר כ
323 label_environment: סביבה
323 label_environment: סביבה
324 label_authentication: אישור
324 label_authentication: אישור
325 label_auth_source: מצב אישור
325 label_auth_source: מצב אישור
326 label_auth_source_new: מצב אישור חדש
326 label_auth_source_new: מצב אישור חדש
327 label_auth_source_plural: מצבי אישור
327 label_auth_source_plural: מצבי אישור
328 label_subproject_plural: תת-פרויקטים
328 label_subproject_plural: תת-פרויקטים
329 label_min_max_length: אורך מינימאלי - מקסימאלי
329 label_min_max_length: אורך מינימאלי - מקסימאלי
330 label_list: רשימה
330 label_list: רשימה
331 label_date: תאריך
331 label_date: תאריך
332 label_integer: מספר שלם
332 label_integer: מספר שלם
333 label_boolean: ערך בוליאני
333 label_boolean: ערך בוליאני
334 label_string: טקסט
334 label_string: טקסט
335 label_text: טקסט ארוך
335 label_text: טקסט ארוך
336 label_attribute: תכונה
336 label_attribute: תכונה
337 label_attribute_plural: תכונות
337 label_attribute_plural: תכונות
338 label_download: "הורדה {{count}}"
338 label_download: "הורדה {{count}}"
339 label_download_plural: "{{count}} הורדות"
339 label_download_plural: "{{count}} הורדות"
340 label_no_data: אין מידע להציג
340 label_no_data: אין מידע להציג
341 label_change_status: שנה מצב
341 label_change_status: שנה מצב
342 label_history: היסטוריה
342 label_history: היסטוריה
343 label_attachment: קובץ
343 label_attachment: קובץ
344 label_attachment_new: קובץ חדש
344 label_attachment_new: קובץ חדש
345 label_attachment_delete: מחק קובץ
345 label_attachment_delete: מחק קובץ
346 label_attachment_plural: קבצים
346 label_attachment_plural: קבצים
347 label_report: דו"ח
347 label_report: דו"ח
348 label_report_plural: דו"חות
348 label_report_plural: דו"חות
349 label_news: חדשות
349 label_news: חדשות
350 label_news_new: הוסף חדשות
350 label_news_new: הוסף חדשות
351 label_news_plural: חדשות
351 label_news_plural: חדשות
352 label_news_latest: חדשות אחרונות
352 label_news_latest: חדשות אחרונות
353 label_news_view_all: צפה בכל החדשות
353 label_news_view_all: צפה בכל החדשות
354 label_change_log: דו"ח שינויים
354 label_change_log: דו"ח שינויים
355 label_settings: הגדרות
355 label_settings: הגדרות
356 label_overview: מבט רחב
356 label_overview: מבט רחב
357 label_version: גירסא
357 label_version: גירסא
358 label_version_new: גירסא חדשה
358 label_version_new: גירסא חדשה
359 label_version_plural: גירסאות
359 label_version_plural: גירסאות
360 label_confirmation: אישור
360 label_confirmation: אישור
361 label_export_to: יצא ל
361 label_export_to: יצא ל
362 label_read: קרא...
362 label_read: קרא...
363 label_public_projects: פרויקטים פומביים
363 label_public_projects: פרויקטים פומביים
364 label_open_issues: פתוח
364 label_open_issues: פתוח
365 label_open_issues_plural: פתוחים
365 label_open_issues_plural: פתוחים
366 label_closed_issues: סגור
366 label_closed_issues: סגור
367 label_closed_issues_plural: סגורים
367 label_closed_issues_plural: סגורים
368 label_x_open_issues_abbr_on_total:
368 label_x_open_issues_abbr_on_total:
369 zero: 0 open / {{total}}
369 zero: 0 open / {{total}}
370 one: 1 open / {{total}}
370 one: 1 open / {{total}}
371 other: "{{count}} open / {{total}}"
371 other: "{{count}} open / {{total}}"
372 label_x_open_issues_abbr:
372 label_x_open_issues_abbr:
373 zero: 0 open
373 zero: 0 open
374 one: 1 open
374 one: 1 open
375 other: "{{count}} open"
375 other: "{{count}} open"
376 label_x_closed_issues_abbr:
376 label_x_closed_issues_abbr:
377 zero: 0 closed
377 zero: 0 closed
378 one: 1 closed
378 one: 1 closed
379 other: "{{count}} closed"
379 other: "{{count}} closed"
380 label_total: סה"כ
380 label_total: סה"כ
381 label_permissions: הרשאות
381 label_permissions: הרשאות
382 label_current_status: מצב נוכחי
382 label_current_status: מצב נוכחי
383 label_new_statuses_allowed: מצבים חדשים אפשריים
383 label_new_statuses_allowed: מצבים חדשים אפשריים
384 label_all: הכל
384 label_all: הכל
385 label_none: כלום
385 label_none: כלום
386 label_next: הבא
386 label_next: הבא
387 label_previous: הקודם
387 label_previous: הקודם
388 label_used_by: בשימוש ע"י
388 label_used_by: בשימוש ע"י
389 label_details: פרטים
389 label_details: פרטים
390 label_add_note: הוסף הערה
390 label_add_note: הוסף הערה
391 label_per_page: לכל דף
391 label_per_page: לכל דף
392 label_calendar: לוח שנה
392 label_calendar: לוח שנה
393 label_months_from: חודשים מ
393 label_months_from: חודשים מ
394 label_gantt: גאנט
394 label_gantt: גאנט
395 label_internal: פנימי
395 label_internal: פנימי
396 label_last_changes: "{{count}} שינוים אחרונים"
396 label_last_changes: "{{count}} שינוים אחרונים"
397 label_change_view_all: צפה בכל השינוים
397 label_change_view_all: צפה בכל השינוים
398 label_personalize_page: הפוך דף זה לשלך
398 label_personalize_page: הפוך דף זה לשלך
399 label_comment: תגובה
399 label_comment: תגובה
400 label_comment_plural: תגובות
400 label_comment_plural: תגובות
401 label_x_comments:
401 label_x_comments:
402 zero: no comments
402 zero: no comments
403 one: 1 comment
403 one: 1 comment
404 other: "{{count}} comments"
404 other: "{{count}} comments"
405 label_comment_add: הוסף תגובה
405 label_comment_add: הוסף תגובה
406 label_comment_added: תגובה הוספה
406 label_comment_added: תגובה הוספה
407 label_comment_delete: מחק תגובות
407 label_comment_delete: מחק תגובות
408 label_query: שאילתה אישית
408 label_query: שאילתה אישית
409 label_query_plural: שאילתות אישיות
409 label_query_plural: שאילתות אישיות
410 label_query_new: שאילתה חדשה
410 label_query_new: שאילתה חדשה
411 label_filter_add: הוסף מסנן
411 label_filter_add: הוסף מסנן
412 label_filter_plural: מסננים
412 label_filter_plural: מסננים
413 label_equals: הוא
413 label_equals: הוא
414 label_not_equals: הוא לא
414 label_not_equals: הוא לא
415 label_in_less_than: בפחות מ
415 label_in_less_than: בפחות מ
416 label_in_more_than: ביותר מ
416 label_in_more_than: ביותר מ
417 label_in: ב
417 label_in: ב
418 label_today: היום
418 label_today: היום
419 label_this_week: השבוע
419 label_this_week: השבוע
420 label_less_than_ago: פחות ממספר ימים
420 label_less_than_ago: פחות ממספר ימים
421 label_more_than_ago: יותר ממספר ימים
421 label_more_than_ago: יותר ממספר ימים
422 label_ago: מספר ימים
422 label_ago: מספר ימים
423 label_contains: מכיל
423 label_contains: מכיל
424 label_not_contains: לא מכיל
424 label_not_contains: לא מכיל
425 label_day_plural: ימים
425 label_day_plural: ימים
426 label_repository: מאגר
426 label_repository: מאגר
427 label_browse: סייר
427 label_browse: סייר
428 label_modification: "שינוי {{count}}"
428 label_modification: "שינוי {{count}}"
429 label_modification_plural: "{{count}} שינויים"
429 label_modification_plural: "{{count}} שינויים"
430 label_revision: גירסא
430 label_revision: גירסא
431 label_revision_plural: גירסאות
431 label_revision_plural: גירסאות
432 label_added: הוסף
432 label_added: הוסף
433 label_modified: שונה
433 label_modified: שונה
434 label_deleted: נמחק
434 label_deleted: נמחק
435 label_latest_revision: גירסא אחרונה
435 label_latest_revision: גירסא אחרונה
436 label_latest_revision_plural: גירסאות אחרונות
436 label_latest_revision_plural: גירסאות אחרונות
437 label_view_revisions: צפה בגירסאות
437 label_view_revisions: צפה בגירסאות
438 label_max_size: גודל מקסימאלי
438 label_max_size: גודל מקסימאלי
439 label_sort_highest: הזז לראשית
439 label_sort_highest: הזז לראשית
440 label_sort_higher: הזז למעלה
440 label_sort_higher: הזז למעלה
441 label_sort_lower: הזז למטה
441 label_sort_lower: הזז למטה
442 label_sort_lowest: הזז לתחתית
442 label_sort_lowest: הזז לתחתית
443 label_roadmap: מפת הדרכים
443 label_roadmap: מפת הדרכים
444 label_roadmap_due_in: "נגמר בעוד {{value}}"
444 label_roadmap_due_in: "נגמר בעוד {{value}}"
445 label_roadmap_overdue: "{{value}} מאחר"
445 label_roadmap_overdue: "{{value}} מאחר"
446 label_roadmap_no_issues: אין נושאים לגירסא זו
446 label_roadmap_no_issues: אין נושאים לגירסא זו
447 label_search: חפש
447 label_search: חפש
448 label_result_plural: תוצאות
448 label_result_plural: תוצאות
449 label_all_words: כל המילים
449 label_all_words: כל המילים
450 label_wiki: Wiki
450 label_wiki: Wiki
451 label_wiki_edit: ערוך Wiki
451 label_wiki_edit: ערוך Wiki
452 label_wiki_edit_plural: עריכות Wiki
452 label_wiki_edit_plural: עריכות Wiki
453 label_wiki_page: דף Wiki
453 label_wiki_page: דף Wiki
454 label_wiki_page_plural: דפי Wiki
454 label_wiki_page_plural: דפי Wiki
455 label_index_by_title: סדר על פי כותרת
455 label_index_by_title: סדר על פי כותרת
456 label_index_by_date: סדר על פי תאריך
456 label_index_by_date: סדר על פי תאריך
457 label_current_version: גירסא נוכאית
457 label_current_version: גירסא נוכאית
458 label_preview: תצוגה מקדימה
458 label_preview: תצוגה מקדימה
459 label_feed_plural: הזנות
459 label_feed_plural: הזנות
460 label_changes_details: פירוט כל השינויים
460 label_changes_details: פירוט כל השינויים
461 label_issue_tracking: מעקב אחר נושאים
461 label_issue_tracking: מעקב אחר נושאים
462 label_spent_time: זמן שבוזבז
462 label_spent_time: זמן שבוזבז
463 label_f_hour: "{{value}} שעה"
463 label_f_hour: "{{value}} שעה"
464 label_f_hour_plural: "{{value}} שעות"
464 label_f_hour_plural: "{{value}} שעות"
465 label_time_tracking: מעקב זמנים
465 label_time_tracking: מעקב זמנים
466 label_change_plural: שינויים
466 label_change_plural: שינויים
467 label_statistics: סטטיסטיקות
467 label_statistics: סטטיסטיקות
468 label_commits_per_month: הפקדות לפי חודש
468 label_commits_per_month: הפקדות לפי חודש
469 label_commits_per_author: הפקדות לפי כותב
469 label_commits_per_author: הפקדות לפי כותב
470 label_view_diff: צפה בהבדלים
470 label_view_diff: צפה בהבדלים
471 label_diff_inline: בתוך השורה
471 label_diff_inline: בתוך השורה
472 label_diff_side_by_side: צד לצד
472 label_diff_side_by_side: צד לצד
473 label_options: אפשרויות
473 label_options: אפשרויות
474 label_copy_workflow_from: העתק זירמת עבודה מ
474 label_copy_workflow_from: העתק זירמת עבודה מ
475 label_permissions_report: דו"ח הרשאות
475 label_permissions_report: דו"ח הרשאות
476 label_watched_issues: נושאים שנצפו
476 label_watched_issues: נושאים שנצפו
477 label_related_issues: נושאים קשורים
477 label_related_issues: נושאים קשורים
478 label_applied_status: מוצב מוחל
478 label_applied_status: מוצב מוחל
479 label_loading: טוען...
479 label_loading: טוען...
480 label_relation_new: קשר חדש
480 label_relation_new: קשר חדש
481 label_relation_delete: מחק קשר
481 label_relation_delete: מחק קשר
482 label_relates_to: קשור ל
482 label_relates_to: קשור ל
483 label_duplicates: מכפיל את
483 label_duplicates: מכפיל את
484 label_blocks: חוסם את
484 label_blocks: חוסם את
485 label_blocked_by: חסום ע"י
485 label_blocked_by: חסום ע"י
486 label_precedes: מקדים את
486 label_precedes: מקדים את
487 label_follows: עוקב אחרי
487 label_follows: עוקב אחרי
488 label_end_to_start: מהתחלה לסוף
488 label_end_to_start: מהתחלה לסוף
489 label_end_to_end: מהסוף לסוף
489 label_end_to_end: מהסוף לסוף
490 label_start_to_start: מהתחלה להתחלה
490 label_start_to_start: מהתחלה להתחלה
491 label_start_to_end: מהתחלה לסוף
491 label_start_to_end: מהתחלה לסוף
492 label_stay_logged_in: השאר מחובר
492 label_stay_logged_in: השאר מחובר
493 label_disabled: מבוטל
493 label_disabled: מבוטל
494 label_show_completed_versions: הצג גירזאות גמורות
494 label_show_completed_versions: הצג גירזאות גמורות
495 label_me: אני
495 label_me: אני
496 label_board: פורום
496 label_board: פורום
497 label_board_new: פורום חדש
497 label_board_new: פורום חדש
498 label_board_plural: פורומים
498 label_board_plural: פורומים
499 label_topic_plural: נושאים
499 label_topic_plural: נושאים
500 label_message_plural: הודעות
500 label_message_plural: הודעות
501 label_message_last: הודעה אחרונה
501 label_message_last: הודעה אחרונה
502 label_message_new: הודעה חדשה
502 label_message_new: הודעה חדשה
503 label_reply_plural: השבות
503 label_reply_plural: השבות
504 label_send_information: שלח מידע על חשבון למשתמש
504 label_send_information: שלח מידע על חשבון למשתמש
505 label_year: שנה
505 label_year: שנה
506 label_month: חודש
506 label_month: חודש
507 label_week: שבוע
507 label_week: שבוע
508 label_date_from: מתאריך
508 label_date_from: מתאריך
509 label_date_to: עד
509 label_date_to: עד
510 label_language_based: מבוסס שפה
510 label_language_based: מבוסס שפה
511 label_sort_by: "מין לפי {{value}}"
511 label_sort_by: "מין לפי {{value}}"
512 label_send_test_email: שלח דו"ל בדיקה
512 label_send_test_email: שלח דו"ל בדיקה
513 label_feeds_access_key_created_on: "מפתח הזנת RSS נוצר לפני{{value}}"
513 label_feeds_access_key_created_on: "מפתח הזנת RSS נוצר לפני{{value}}"
514 label_module_plural: מודולים
514 label_module_plural: מודולים
515 label_added_time_by: "הוסף על ידי {{author}} לפני {{age}} "
515 label_added_time_by: "הוסף על ידי {{author}} לפני {{age}} "
516 label_updated_time: "עודכן לפני {{value}} "
516 label_updated_time: "עודכן לפני {{value}} "
517 label_jump_to_a_project: קפוץ לפרויקט...
517 label_jump_to_a_project: קפוץ לפרויקט...
518 label_file_plural: קבצים
518 label_file_plural: קבצים
519 label_changeset_plural: אוסף שינוים
519 label_changeset_plural: אוסף שינוים
520 label_default_columns: עמודת ברירת מחדל
520 label_default_columns: עמודת ברירת מחדל
521 label_no_change_option: (אין שינוים)
521 label_no_change_option: (אין שינוים)
522 label_bulk_edit_selected_issues: ערוך את הנושאים המסומנים
522 label_bulk_edit_selected_issues: ערוך את הנושאים המסומנים
523 label_theme: ערכת נושא
523 label_theme: ערכת נושא
524 label_default: ברירת מחדש
524 label_default: ברירת מחדש
525
525
526 button_login: התחבר
526 button_login: התחבר
527 button_submit: הגש
527 button_submit: הגש
528 button_save: שמור
528 button_save: שמור
529 button_check_all: בחר הכל
529 button_check_all: בחר הכל
530 button_uncheck_all: בחר כלום
530 button_uncheck_all: בחר כלום
531 button_delete: מחק
531 button_delete: מחק
532 button_create: צור
532 button_create: צור
533 button_test: בדוק
533 button_test: בדוק
534 button_edit: ערוך
534 button_edit: ערוך
535 button_add: הוסף
535 button_add: הוסף
536 button_change: שנה
536 button_change: שנה
537 button_apply: הוצא לפועל
537 button_apply: הוצא לפועל
538 button_clear: נקה
538 button_clear: נקה
539 button_lock: נעל
539 button_lock: נעל
540 button_unlock: בטל נעילה
540 button_unlock: בטל נעילה
541 button_download: הורד
541 button_download: הורד
542 button_list: רשימה
542 button_list: רשימה
543 button_view: צפה
543 button_view: צפה
544 button_move: הזז
544 button_move: הזז
545 button_back: הקודם
545 button_back: הקודם
546 button_cancel: בטח
546 button_cancel: בטח
547 button_activate: הפעל
547 button_activate: הפעל
548 button_sort: מיין
548 button_sort: מיין
549 button_log_time: זמן לוג
549 button_log_time: זמן לוג
550 button_rollback: חזור לגירסא זו
550 button_rollback: חזור לגירסא זו
551 button_watch: צפה
551 button_watch: צפה
552 button_unwatch: בטל צפיה
552 button_unwatch: בטל צפיה
553 button_reply: השב
553 button_reply: השב
554 button_archive: ארכיון
554 button_archive: ארכיון
555 button_unarchive: הוצא מהארכיון
555 button_unarchive: הוצא מהארכיון
556 button_reset: אפס
556 button_reset: אפס
557 button_rename: שנה שם
557 button_rename: שנה שם
558
558
559 status_active: פעיל
559 status_active: פעיל
560 status_registered: רשום
560 status_registered: רשום
561 status_locked: נעול
561 status_locked: נעול
562
562
563 text_select_mail_notifications: בחר פעולת שבגללן ישלח דוא"ל.
563 text_select_mail_notifications: בחר פעולת שבגללן ישלח דוא"ל.
564 text_regexp_info: כגון. ^[A-Z0-9]+$
564 text_regexp_info: כגון. ^[A-Z0-9]+$
565 text_min_max_length_info: 0 משמעו ללא הגבלות
565 text_min_max_length_info: 0 משמעו ללא הגבלות
566 text_project_destroy_confirmation: האם אתה בטוח שברצונך למחוק את הפרויקט ואת כל המידע הקשור אליו ?
566 text_project_destroy_confirmation: האם אתה בטוח שברצונך למחוק את הפרויקט ואת כל המידע הקשור אליו ?
567 text_workflow_edit: בחר תפקיד ועוקב כדי לערות את זרימת העבודה
567 text_workflow_edit: בחר תפקיד ועוקב כדי לערות את זרימת העבודה
568 text_are_you_sure: האם אתה בטוח ?
568 text_are_you_sure: האם אתה בטוח ?
569 text_journal_changed: "שונה מ {{old}} ל {{new}}"
569 text_journal_changed: "שונה מ {{old}} ל {{new}}"
570 text_journal_set_to: "שונה ל {{value}}"
570 text_journal_set_to: "שונה ל {{value}}"
571 text_journal_deleted: נמחק
571 text_journal_deleted: נמחק
572 text_tip_task_begin_day: מטלה המתחילה היום
572 text_tip_task_begin_day: מטלה המתחילה היום
573 text_tip_task_end_day: מטלה המסתיימת היום
573 text_tip_task_end_day: מטלה המסתיימת היום
574 text_tip_task_begin_end_day: מטלה המתחילה ומסתיימת היום
574 text_tip_task_begin_end_day: מטלה המתחילה ומסתיימת היום
575 text_project_identifier_info: 'אותיות לטיניות (a-z), מספרים ומקפים.<br />ברגע שנשמר, לא ניתן לשנות את המזהה.'
575 text_project_identifier_info: 'אותיות לטיניות (a-z), מספרים ומקפים.<br />ברגע שנשמר, לא ניתן לשנות את המזהה.'
576 text_caracters_maximum: "מקסימום {{count}} תווים."
576 text_caracters_maximum: "מקסימום {{count}} תווים."
577 text_length_between: "אורך בין {{min}} ל {{max}} תווים."
577 text_length_between: "אורך בין {{min}} ל {{max}} תווים."
578 text_tracker_no_workflow: זרימת עבודה לא הוגדרה עבור עוקב זה
578 text_tracker_no_workflow: זרימת עבודה לא הוגדרה עבור עוקב זה
579 text_unallowed_characters: תווים לא מורשים
579 text_unallowed_characters: תווים לא מורשים
580 text_comma_separated: הכנסת ערכים מרובים מותרת (מופרדים בפסיקים).
580 text_comma_separated: הכנסת ערכים מרובים מותרת (מופרדים בפסיקים).
581 text_issues_ref_in_commit_messages: קישור ותיקום נושאים בהודעות הפקדות
581 text_issues_ref_in_commit_messages: קישור ותיקום נושאים בהודעות הפקדות
582 text_issue_added: "הנושא {{id}} דווח (by {{author}})."
582 text_issue_added: "הנושא {{id}} דווח (by {{author}})."
583 text_issue_updated: "הנושא {{id}} עודכן (by {{author}})."
583 text_issue_updated: "הנושא {{id}} עודכן (by {{author}})."
584 text_wiki_destroy_confirmation: האם אתה בטוח שברצונך למחוק את הWIKI הזה ואת כל תוכנו?
584 text_wiki_destroy_confirmation: האם אתה בטוח שברצונך למחוק את הWIKI הזה ואת כל תוכנו?
585 text_issue_category_destroy_question: "כמה נושאים ({{count}}) מוצבים לקטגוריה הזו. מה ברצונך לעשות?"
585 text_issue_category_destroy_question: "כמה נושאים ({{count}}) מוצבים לקטגוריה הזו. מה ברצונך לעשות?"
586 text_issue_category_destroy_assignments: הסר הצבת קטגוריה
586 text_issue_category_destroy_assignments: הסר הצבת קטגוריה
587 text_issue_category_reassign_to: הצב מחדש את הקטגוריה לנושאים
587 text_issue_category_reassign_to: הצב מחדש את הקטגוריה לנושאים
588
588
589 default_role_manager: מנהל
589 default_role_manager: מנהל
590 default_role_developper: מפתח
590 default_role_developper: מפתח
591 default_role_reporter: מדווח
591 default_role_reporter: מדווח
592 default_tracker_bug: באג
592 default_tracker_bug: באג
593 default_tracker_feature: פיצ'ר
593 default_tracker_feature: פיצ'ר
594 default_tracker_support: תמיכה
594 default_tracker_support: תמיכה
595 default_issue_status_new: חדש
595 default_issue_status_new: חדש
596 default_issue_status_assigned: מוצב
596 default_issue_status_assigned: מוצב
597 default_issue_status_resolved: פתור
597 default_issue_status_resolved: פתור
598 default_issue_status_feedback: משוב
598 default_issue_status_feedback: משוב
599 default_issue_status_closed: סגור
599 default_issue_status_closed: סגור
600 default_issue_status_rejected: דחוי
600 default_issue_status_rejected: דחוי
601 default_doc_category_user: תיעוד משתמש
601 default_doc_category_user: תיעוד משתמש
602 default_doc_category_tech: תיעוד טכני
602 default_doc_category_tech: תיעוד טכני
603 default_priority_low: נמוכה
603 default_priority_low: נמוכה
604 default_priority_normal: רגילה
604 default_priority_normal: רגילה
605 default_priority_high: גהבוה
605 default_priority_high: גהבוה
606 default_priority_urgent: דחופה
606 default_priority_urgent: דחופה
607 default_priority_immediate: מידית
607 default_priority_immediate: מידית
608 default_activity_design: עיצוב
608 default_activity_design: עיצוב
609 default_activity_development: פיתוח
609 default_activity_development: פיתוח
610
610
611 enumeration_issue_priorities: עדיפות נושאים
611 enumeration_issue_priorities: עדיפות נושאים
612 enumeration_doc_categories: קטגוריות מסמכים
612 enumeration_doc_categories: קטגוריות מסמכים
613 enumeration_activities: פעילויות (מעקב אחר זמנים)
613 enumeration_activities: פעילויות (מעקב אחר זמנים)
614 label_search_titles_only: חפש בכותרות בלבד
614 label_search_titles_only: חפש בכותרות בלבד
615 label_nobody: אף אחד
615 label_nobody: אף אחד
616 button_change_password: שנה סיסמא
616 button_change_password: שנה סיסמא
617 text_user_mail_option: "בפרויקטים שלא בחרת, אתה רק תקבל התרעות על שאתה צופה או קשור אליהם (לדוגמא:נושאים שאתה היוצר שלהם או מוצבים אליך)."
617 text_user_mail_option: "בפרויקטים שלא בחרת, אתה רק תקבל התרעות על שאתה צופה או קשור אליהם (לדוגמא:נושאים שאתה היוצר שלהם או מוצבים אליך)."
618 label_user_mail_option_selected: "לכל אירוע בפרויקטים שבחרתי בלבד..."
618 label_user_mail_option_selected: "לכל אירוע בפרויקטים שבחרתי בלבד..."
619 label_user_mail_option_all: "לכל אירוע בכל הפרויקטים שלי"
619 label_user_mail_option_all: "לכל אירוע בכל הפרויקטים שלי"
620 label_user_mail_option_none: "רק לנושאים שאני צופה או קשור אליהם"
620 label_user_mail_option_none: "רק לנושאים שאני צופה או קשור אליהם"
621 setting_emails_footer: תחתית דוא"ל
621 setting_emails_footer: תחתית דוא"ל
622 label_float: צף
622 label_float: צף
623 button_copy: העתק
623 button_copy: העתק
624 mail_body_account_information_external: "אתה יכול להשתמש בחשבון {{value}} כדי להתחבר"
624 mail_body_account_information_external: "אתה יכול להשתמש בחשבון {{value}} כדי להתחבר"
625 mail_body_account_information: פרטי החשבון שלך
625 mail_body_account_information: פרטי החשבון שלך
626 setting_protocol: פרוטוקול
626 setting_protocol: פרוטוקול
627 label_user_mail_no_self_notified: "אני לא רוצה שיודיעו לי על שינויים שאני מבצע"
627 label_user_mail_no_self_notified: "אני לא רוצה שיודיעו לי על שינויים שאני מבצע"
628 setting_time_format: פורמט זמן
628 setting_time_format: פורמט זמן
629 label_registration_activation_by_email: הפעל חשבון באמצעות דוא"ל
629 label_registration_activation_by_email: הפעל חשבון באמצעות דוא"ל
630 mail_subject_account_activation_request: "בקשת הפעלה לחשבון {{value}}"
630 mail_subject_account_activation_request: "בקשת הפעלה לחשבון {{value}}"
631 mail_body_account_activation_request: "משתמש חדש ({{value}}) נרשם. החשבון שלו מחכה לאישור שלך:"
631 mail_body_account_activation_request: "משתמש חדש ({{value}}) נרשם. החשבון שלו מחכה לאישור שלך:"
632 label_registration_automatic_activation: הפעלת חשבון אוטומטית
632 label_registration_automatic_activation: הפעלת חשבון אוטומטית
633 label_registration_manual_activation: הפעלת חשבון ידנית
633 label_registration_manual_activation: הפעלת חשבון ידנית
634 notice_account_pending: "החשבון שלך נוצר ועתה מחכה לאישור מנהל המערכת."
634 notice_account_pending: "החשבון שלך נוצר ועתה מחכה לאישור מנהל המערכת."
635 field_time_zone: איזור זמן
635 field_time_zone: איזור זמן
636 text_caracters_minimum: "חייב להיות לפחות באורך של {{count}} תווים."
636 text_caracters_minimum: "חייב להיות לפחות באורך של {{count}} תווים."
637 setting_bcc_recipients: מוסתר (bcc)
637 setting_bcc_recipients: מוסתר (bcc)
638 button_annotate: הוסף תיאור מסגרת
638 button_annotate: הוסף תיאור מסגרת
639 label_issues_by: "נושאים של {{value}}"
639 label_issues_by: "נושאים של {{value}}"
640 field_searchable: ניתן לחיפוש
640 field_searchable: ניתן לחיפוש
641 label_display_per_page: "לכל דף: {{value}}"
641 label_display_per_page: "לכל דף: {{value}}"
642 setting_per_page_options: אפשרויות אוביקטים לפי דף
642 setting_per_page_options: אפשרויות אוביקטים לפי דף
643 label_age: גיל
643 label_age: גיל
644 notice_default_data_loaded: אפשרויות ברירת מחדל מופעלות.
644 notice_default_data_loaded: אפשרויות ברירת מחדל מופעלות.
645 text_load_default_configuration: טען את אפשרויות ברירת המחדל
645 text_load_default_configuration: טען את אפשרויות ברירת המחדל
646 text_no_configuration_data: "Roles, trackers, issue statuses and workflow have not been configured yet.\nIt is highly recommended to load the default configuration. יהיה באפשרותך לשנותו לאחר שיטען."
646 text_no_configuration_data: "Roles, trackers, issue statuses and workflow have not been configured yet.\nIt is highly recommended to load the default configuration. יהיה באפשרותך לשנותו לאחר שיטען."
647 error_can_t_load_default_data: "אפשרויות ברירת המחדל לא הצליחו להיטען: {{value}}"
647 error_can_t_load_default_data: "אפשרויות ברירת המחדל לא הצליחו להיטען: {{value}}"
648 button_update: עדכן
648 button_update: עדכן
649 label_change_properties: שנה מאפיינים
649 label_change_properties: שנה מאפיינים
650 label_general: כללי
650 label_general: כללי
651 label_repository_plural: מאגרים
651 label_repository_plural: מאגרים
652 label_associated_revisions: שינויים קשורים
652 label_associated_revisions: שינויים קשורים
653 setting_user_format: פורמט הצגת משתמשים
653 setting_user_format: פורמט הצגת משתמשים
654 text_status_changed_by_changeset: "הוחל בסדרת השינויים {{value}}."
654 text_status_changed_by_changeset: "הוחל בסדרת השינויים {{value}}."
655 label_more: עוד
655 label_more: עוד
656 text_issues_destroy_confirmation: 'האם את\ה בטוח שברצונך למחוק את הנושא\ים ?'
656 text_issues_destroy_confirmation: 'האם את\ה בטוח שברצונך למחוק את הנושא\ים ?'
657 label_scm: SCM
657 label_scm: SCM
658 text_select_project_modules: 'בחר מודולים להחיל על פקרויקט זה:'
658 text_select_project_modules: 'בחר מודולים להחיל על פקרויקט זה:'
659 label_issue_added: נושא הוסף
659 label_issue_added: נושא הוסף
660 label_issue_updated: נושא עודכן
660 label_issue_updated: נושא עודכן
661 label_document_added: מוסמך הוסף
661 label_document_added: מוסמך הוסף
662 label_message_posted: הודעה הוספה
662 label_message_posted: הודעה הוספה
663 label_file_added: קובץ הוסף
663 label_file_added: קובץ הוסף
664 label_news_added: חדשות הוספו
664 label_news_added: חדשות הוספו
665 project_module_boards: לוחות
665 project_module_boards: לוחות
666 project_module_issue_tracking: מעקב נושאים
666 project_module_issue_tracking: מעקב נושאים
667 project_module_wiki: Wiki
667 project_module_wiki: Wiki
668 project_module_files: קבצים
668 project_module_files: קבצים
669 project_module_documents: מסמכים
669 project_module_documents: מסמכים
670 project_module_repository: מאגר
670 project_module_repository: מאגר
671 project_module_news: חדשות
671 project_module_news: חדשות
672 project_module_time_tracking: מעקב אחר זמנים
672 project_module_time_tracking: מעקב אחר זמנים
673 text_file_repository_writable: מאגר הקבצים ניתן לכתיבה
673 text_file_repository_writable: מאגר הקבצים ניתן לכתיבה
674 text_default_administrator_account_changed: מנהל המערכת ברירת המחדל שונה
674 text_default_administrator_account_changed: מנהל המערכת ברירת המחדל שונה
675 text_rmagick_available: RMagick available (optional)
675 text_rmagick_available: RMagick available (optional)
676 button_configure: אפשרויות
676 button_configure: אפשרויות
677 label_plugins: פלאגינים
677 label_plugins: פלאגינים
678 label_ldap_authentication: אימות LDAP
678 label_ldap_authentication: אימות LDAP
679 label_downloads_abbr: D/L
679 label_downloads_abbr: D/L
680 label_this_month: החודש
680 label_this_month: החודש
681 label_last_n_days: "ב-{{count}} ימים אחרונים"
681 label_last_n_days: "ב-{{count}} ימים אחרונים"
682 label_all_time: תמיד
682 label_all_time: תמיד
683 label_this_year: השנה
683 label_this_year: השנה
684 label_date_range: טווח תאריכים
684 label_date_range: טווח תאריכים
685 label_last_week: שבוע שעבר
685 label_last_week: שבוע שעבר
686 label_yesterday: אתמול
686 label_yesterday: אתמול
687 label_last_month: חודש שעבר
687 label_last_month: חודש שעבר
688 label_add_another_file: הוסף עוד קובץ
688 label_add_another_file: הוסף עוד קובץ
689 label_optional_description: תיאור רשות
689 label_optional_description: תיאור רשות
690 text_destroy_time_entries_question: "{{hours}} שעות דווחו על הנושים שאת\ה עומד\ת למחוק. מה ברצונך לעשות ?"
690 text_destroy_time_entries_question: "{{hours}} שעות דווחו על הנושים שאת\ה עומד\ת למחוק. מה ברצונך לעשות ?"
691 error_issue_not_found_in_project: 'הנושאים לא נמצאו או אינם שיכים לפרויקט'
691 error_issue_not_found_in_project: 'הנושאים לא נמצאו או אינם שיכים לפרויקט'
692 text_assign_time_entries_to_project: הצב שעות שדווחו לפרויקט הזה
692 text_assign_time_entries_to_project: הצב שעות שדווחו לפרויקט הזה
693 text_destroy_time_entries: מחק שעות שדווחו
693 text_destroy_time_entries: מחק שעות שדווחו
694 text_reassign_time_entries: 'הצב מחדש שעות שדווחו לפרויקט הזה:'
694 text_reassign_time_entries: 'הצב מחדש שעות שדווחו לפרויקט הזה:'
695 setting_activity_days_default: ימים המוצגים על פעילות הפרויקט
695 setting_activity_days_default: ימים המוצגים על פעילות הפרויקט
696 label_chronological_order: בסדר כרונולוגי
696 label_chronological_order: בסדר כרונולוגי
697 field_comments_sorting: הצג הערות
697 field_comments_sorting: הצג הערות
698 label_reverse_chronological_order: בסדר כרונולוגי הפוך
698 label_reverse_chronological_order: בסדר כרונולוגי הפוך
699 label_preferences: העדפות
699 label_preferences: העדפות
700 setting_display_subprojects_issues: הצג נושאים של תת פרויקטים כברירת מחדל
700 setting_display_subprojects_issues: הצג נושאים של תת פרויקטים כברירת מחדל
701 label_overall_activity: פעילות כוללת
701 label_overall_activity: פעילות כוללת
702 setting_default_projects_public: פרויקטים חדשים הינם פומביים כברירת מחדל
702 setting_default_projects_public: פרויקטים חדשים הינם פומביים כברירת מחדל
703 error_scm_annotate: "הכניסה לא קיימת או שלא ניתן לתאר אותה."
703 error_scm_annotate: "הכניסה לא קיימת או שלא ניתן לתאר אותה."
704 label_planning: תכנון
704 label_planning: תכנון
705 text_subprojects_destroy_warning: "תת הפרויקט\ים: {{value}} ימחקו גם כן."
705 text_subprojects_destroy_warning: "תת הפרויקט\ים: {{value}} ימחקו גם כן."
706 label_and_its_subprojects: "{{value}} וכל תת הפרויקטים שלו"
706 label_and_its_subprojects: "{{value}} וכל תת הפרויקטים שלו"
707 mail_body_reminder: "{{count}} נושאים שמיועדים אליך מיועדים להגשה בתוך {{days}} ימים:"
707 mail_body_reminder: "{{count}} נושאים שמיועדים אליך מיועדים להגשה בתוך {{days}} ימים:"
708 mail_subject_reminder: "{{count}} נושאים מיעדים להגשה בימים הקרובים"
708 mail_subject_reminder: "{{count}} נושאים מיעדים להגשה בימים הקרובים"
709 text_user_wrote: "{{value}} כתב:"
709 text_user_wrote: "{{value}} כתב:"
710 label_duplicated_by: שוכפל ע"י
710 label_duplicated_by: שוכפל ע"י
711 setting_enabled_scm: אפשר SCM
711 setting_enabled_scm: אפשר SCM
712 text_enumeration_category_reassign_to: 'הצב מחדש לערך הזה:'
712 text_enumeration_category_reassign_to: 'הצב מחדש לערך הזה:'
713 text_enumeration_destroy_question: "{{count}} אוביקטים מוצבים לערך זה."
713 text_enumeration_destroy_question: "{{count}} אוביקטים מוצבים לערך זה."
714 label_incoming_emails: דוא"ל נכנס
714 label_incoming_emails: דוא"ל נכנס
715 label_generate_key: יצר מפתח
715 label_generate_key: יצר מפתח
716 setting_mail_handler_api_enabled: Enable WS for incoming emails
716 setting_mail_handler_api_enabled: Enable WS for incoming emails
717 setting_mail_handler_api_key: מפתח API
717 setting_mail_handler_api_key: מפתח API
718 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
718 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
719 field_parent_title: דף אב
719 field_parent_title: דף אב
720 label_issue_watchers: צופים
720 label_issue_watchers: צופים
721 setting_commit_logs_encoding: Commit messages encoding
721 setting_commit_logs_encoding: Commit messages encoding
722 button_quote: צטט
722 button_quote: צטט
723 setting_sequential_project_identifiers: Generate sequential project identifiers
723 setting_sequential_project_identifiers: Generate sequential project identifiers
724 notice_unable_delete_version: לא ניתן למחוק גירסא
724 notice_unable_delete_version: לא ניתן למחוק גירסא
725 label_renamed: השם שונה
725 label_renamed: השם שונה
726 label_copied: הועתק
726 label_copied: הועתק
727 setting_plain_text_mail: טקסט פשוט בלבד (ללא HTML)
727 setting_plain_text_mail: טקסט פשוט בלבד (ללא HTML)
728 permission_view_files: צפה בקבצים
728 permission_view_files: צפה בקבצים
729 permission_edit_issues: ערוך נושאים
729 permission_edit_issues: ערוך נושאים
730 permission_edit_own_time_entries: ערוך את לוג הזמן של עצמך
730 permission_edit_own_time_entries: ערוך את לוג הזמן של עצמך
731 permission_manage_public_queries: נהל שאילתות פומביות
731 permission_manage_public_queries: נהל שאילתות פומביות
732 permission_add_issues: הוסף נושא
732 permission_add_issues: הוסף נושא
733 permission_log_time: תעד זמן שבוזבז
733 permission_log_time: תעד זמן שבוזבז
734 permission_view_changesets: צפה בקבוצות שינויים
734 permission_view_changesets: צפה בקבוצות שינויים
735 permission_view_time_entries: צפה בזמן שבוזבז
735 permission_view_time_entries: צפה בזמן שבוזבז
736 permission_manage_versions: נהל גירסאות
736 permission_manage_versions: נהל גירסאות
737 permission_manage_wiki: נהל wiki
737 permission_manage_wiki: נהל wiki
738 permission_manage_categories: נהל קטגוריות נושאים
738 permission_manage_categories: נהל קטגוריות נושאים
739 permission_protect_wiki_pages: הגן כל דפי wiki
739 permission_protect_wiki_pages: הגן כל דפי wiki
740 permission_comment_news: הגב על החדשות
740 permission_comment_news: הגב על החדשות
741 permission_delete_messages: מחק הודעות
741 permission_delete_messages: מחק הודעות
742 permission_select_project_modules: בחר מודולי פרויקט
742 permission_select_project_modules: בחר מודולי פרויקט
743 permission_manage_documents: נהל מסמכים
743 permission_manage_documents: נהל מסמכים
744 permission_edit_wiki_pages: ערוך דפי wiki
744 permission_edit_wiki_pages: ערוך דפי wiki
745 permission_add_issue_watchers: הוסף צופים
745 permission_add_issue_watchers: הוסף צופים
746 permission_view_gantt: צפה בגאנט
746 permission_view_gantt: צפה בגאנט
747 permission_move_issues: הזז נושאים
747 permission_move_issues: הזז נושאים
748 permission_manage_issue_relations: נהל יחס בין נושאים
748 permission_manage_issue_relations: נהל יחס בין נושאים
749 permission_delete_wiki_pages: מחק דפי wiki
749 permission_delete_wiki_pages: מחק דפי wiki
750 permission_manage_boards: נהל לוחות
750 permission_manage_boards: נהל לוחות
751 permission_delete_wiki_pages_attachments: מחק דבוקות
751 permission_delete_wiki_pages_attachments: מחק דבוקות
752 permission_view_wiki_edits: צפה בהיסטורית wiki
752 permission_view_wiki_edits: צפה בהיסטורית wiki
753 permission_add_messages: הצב הודעות
753 permission_add_messages: הצב הודעות
754 permission_view_messages: צפה בהודעות
754 permission_view_messages: צפה בהודעות
755 permission_manage_files: נהל קבצים
755 permission_manage_files: נהל קבצים
756 permission_edit_issue_notes: ערוך רשימות
756 permission_edit_issue_notes: ערוך רשימות
757 permission_manage_news: נהל חדשות
757 permission_manage_news: נהל חדשות
758 permission_view_calendar: צפה בלוח השנה
758 permission_view_calendar: צפה בלוח השנה
759 permission_manage_members: נהל חברים
759 permission_manage_members: נהל חברים
760 permission_edit_messages: ערוך הודעות
760 permission_edit_messages: ערוך הודעות
761 permission_delete_issues: מחק נושאים
761 permission_delete_issues: מחק נושאים
762 permission_view_issue_watchers: צפה ברשימה צופים
762 permission_view_issue_watchers: צפה ברשימה צופים
763 permission_manage_repository: נהל מאגר
763 permission_manage_repository: נהל מאגר
764 permission_commit_access: Commit access
764 permission_commit_access: Commit access
765 permission_browse_repository: סייר במאגר
765 permission_browse_repository: סייר במאגר
766 permission_view_documents: צפה במסמכים
766 permission_view_documents: צפה במסמכים
767 permission_edit_project: ערוך פרויקט
767 permission_edit_project: ערוך פרויקט
768 permission_add_issue_notes: Add notes
768 permission_add_issue_notes: Add notes
769 permission_save_queries: שמור שאילתות
769 permission_save_queries: שמור שאילתות
770 permission_view_wiki_pages: צפה ב-wiki
770 permission_view_wiki_pages: צפה ב-wiki
771 permission_rename_wiki_pages: שנה שם של דפי wiki
771 permission_rename_wiki_pages: שנה שם של דפי wiki
772 permission_edit_time_entries: ערוך רישום זמנים
772 permission_edit_time_entries: ערוך רישום זמנים
773 permission_edit_own_issue_notes: Edit own notes
773 permission_edit_own_issue_notes: Edit own notes
774 setting_gravatar_enabled: Use Gravatar user icons
774 setting_gravatar_enabled: Use Gravatar user icons
775 label_example: דוגמא
775 label_example: דוגמא
776 text_repository_usernames_mapping: "Select ou update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
776 text_repository_usernames_mapping: "Select ou update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
777 permission_edit_own_messages: ערוך הודעות של עצמך
777 permission_edit_own_messages: ערוך הודעות של עצמך
778 permission_delete_own_messages: מחק הודעות של עצמך
778 permission_delete_own_messages: מחק הודעות של עצמך
779 label_user_activity: "הפעילות של {{value}}"
779 label_user_activity: "הפעילות של {{value}}"
780 label_updated_time_by: "עודכן ע'י {{author}} לפני {{age}}"
780 label_updated_time_by: "עודכן ע'י {{author}} לפני {{age}}"
781 setting_diff_max_lines_displayed: Max number of diff lines displayed
781 setting_diff_max_lines_displayed: Max number of diff lines displayed
782 text_plugin_assets_writable: Plugin assets directory writable
782 text_plugin_assets_writable: Plugin assets directory writable
783 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
783 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
784 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
784 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
785 button_create_and_continue: Create and continue
785 button_create_and_continue: Create and continue
786 text_custom_field_possible_values_info: 'One line for each value'
786 text_custom_field_possible_values_info: 'One line for each value'
787 label_display: Display
787 label_display: Display
788 field_editable: Editable
788 field_editable: Editable
789 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
789 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
790 setting_file_max_size_displayed: Max size of text files displayed inline
790 setting_file_max_size_displayed: Max size of text files displayed inline
791 field_watcher: Watcher
791 field_watcher: Watcher
792 setting_openid: Allow OpenID login and registration
792 setting_openid: Allow OpenID login and registration
793 field_identity_url: OpenID URL
793 field_identity_url: OpenID URL
794 label_login_with_open_id_option: or login with OpenID
794 label_login_with_open_id_option: or login with OpenID
795 field_content: Content
795 field_content: Content
796 label_descending: Descending
796 label_descending: Descending
797 label_sort: Sort
797 label_sort: Sort
798 label_ascending: Ascending
798 label_ascending: Ascending
799 label_date_from_to: From {{start}} to {{end}}
799 label_date_from_to: From {{start}} to {{end}}
800 label_greater_or_equal: ">="
800 label_greater_or_equal: ">="
801 label_less_or_equal: <=
801 label_less_or_equal: <=
802 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
802 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
803 text_wiki_page_reassign_children: Reassign child pages to this parent page
803 text_wiki_page_reassign_children: Reassign child pages to this parent page
804 text_wiki_page_nullify_children: Keep child pages as root pages
804 text_wiki_page_nullify_children: Keep child pages as root pages
805 text_wiki_page_destroy_children: Delete child pages and all their descendants
805 text_wiki_page_destroy_children: Delete child pages and all their descendants
806 setting_password_min_length: Minimum password length
806 setting_password_min_length: Minimum password length
807 field_group_by: Group results by
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
General Comments 0
You need to be logged in to leave comments. Login now