##// END OF EJS Templates
Merged r16118 to r16122 (#24693, #24718, #24722)....
Jean-Philippe Lang -
r15751:47d2775977e9
parent child
Show More

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

@@ -1,522 +1,529
1 # Redmine - project management software
1 # Redmine - project management software
2 # Copyright (C) 2006-2016 Jean-Philippe Lang
2 # Copyright (C) 2006-2016 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, :create]
19 menu_item :new_issue, :only => [:new, :create]
20 default_search_scope :issues
20 default_search_scope :issues
21
21
22 before_filter :find_issue, :only => [:show, :edit, :update]
22 before_filter :find_issue, :only => [:show, :edit, :update]
23 before_filter :find_issues, :only => [:bulk_edit, :bulk_update, :destroy]
23 before_filter :find_issues, :only => [:bulk_edit, :bulk_update, :destroy]
24 before_filter :authorize, :except => [:index, :new, :create]
24 before_filter :authorize, :except => [:index, :new, :create]
25 before_filter :find_optional_project, :only => [:index, :new, :create]
25 before_filter :find_optional_project, :only => [:index, :new, :create]
26 before_filter :build_new_issue_from_params, :only => [:new, :create]
26 before_filter :build_new_issue_from_params, :only => [:new, :create]
27 accept_rss_auth :index, :show
27 accept_rss_auth :index, :show
28 accept_api_auth :index, :show, :create, :update, :destroy
28 accept_api_auth :index, :show, :create, :update, :destroy
29
29
30 rescue_from Query::StatementInvalid, :with => :query_statement_invalid
30 rescue_from Query::StatementInvalid, :with => :query_statement_invalid
31
31
32 helper :journals
32 helper :journals
33 helper :projects
33 helper :projects
34 helper :custom_fields
34 helper :custom_fields
35 helper :issue_relations
35 helper :issue_relations
36 helper :watchers
36 helper :watchers
37 helper :attachments
37 helper :attachments
38 helper :queries
38 helper :queries
39 include QueriesHelper
39 include QueriesHelper
40 helper :repositories
40 helper :repositories
41 helper :sort
41 helper :sort
42 include SortHelper
42 include SortHelper
43 helper :timelog
43 helper :timelog
44
44
45 def index
45 def index
46 retrieve_query
46 retrieve_query
47 sort_init(@query.sort_criteria.empty? ? [['id', 'desc']] : @query.sort_criteria)
47 sort_init(@query.sort_criteria.empty? ? [['id', 'desc']] : @query.sort_criteria)
48 sort_update(@query.sortable_columns)
48 sort_update(@query.sortable_columns)
49 @query.sort_criteria = sort_criteria.to_a
49 @query.sort_criteria = sort_criteria.to_a
50
50
51 if @query.valid?
51 if @query.valid?
52 case params[:format]
52 case params[:format]
53 when 'csv', 'pdf'
53 when 'csv', 'pdf'
54 @limit = Setting.issues_export_limit.to_i
54 @limit = Setting.issues_export_limit.to_i
55 if params[:columns] == 'all'
55 if params[:columns] == 'all'
56 @query.column_names = @query.available_inline_columns.map(&:name)
56 @query.column_names = @query.available_inline_columns.map(&:name)
57 end
57 end
58 when 'atom'
58 when 'atom'
59 @limit = Setting.feeds_limit.to_i
59 @limit = Setting.feeds_limit.to_i
60 when 'xml', 'json'
60 when 'xml', 'json'
61 @offset, @limit = api_offset_and_limit
61 @offset, @limit = api_offset_and_limit
62 @query.column_names = %w(author)
62 @query.column_names = %w(author)
63 else
63 else
64 @limit = per_page_option
64 @limit = per_page_option
65 end
65 end
66
66
67 @issue_count = @query.issue_count
67 @issue_count = @query.issue_count
68 @issue_pages = Paginator.new @issue_count, @limit, params['page']
68 @issue_pages = Paginator.new @issue_count, @limit, params['page']
69 @offset ||= @issue_pages.offset
69 @offset ||= @issue_pages.offset
70 @issues = @query.issues(:include => [:assigned_to, :tracker, :priority, :category, :fixed_version],
70 @issues = @query.issues(:include => [:assigned_to, :tracker, :priority, :category, :fixed_version],
71 :order => sort_clause,
71 :order => sort_clause,
72 :offset => @offset,
72 :offset => @offset,
73 :limit => @limit)
73 :limit => @limit)
74 @issue_count_by_group = @query.issue_count_by_group
74 @issue_count_by_group = @query.issue_count_by_group
75
75
76 respond_to do |format|
76 respond_to do |format|
77 format.html { render :template => 'issues/index', :layout => !request.xhr? }
77 format.html { render :template => 'issues/index', :layout => !request.xhr? }
78 format.api {
78 format.api {
79 Issue.load_visible_relations(@issues) if include_in_api_response?('relations')
79 Issue.load_visible_relations(@issues) if include_in_api_response?('relations')
80 }
80 }
81 format.atom { render_feed(@issues, :title => "#{@project || Setting.app_title}: #{l(:label_issue_plural)}") }
81 format.atom { render_feed(@issues, :title => "#{@project || Setting.app_title}: #{l(:label_issue_plural)}") }
82 format.csv { send_data(query_to_csv(@issues, @query, params[:csv]), :type => 'text/csv; header=present', :filename => 'issues.csv') }
82 format.csv { send_data(query_to_csv(@issues, @query, params[:csv]), :type => 'text/csv; header=present', :filename => 'issues.csv') }
83 format.pdf { send_file_headers! :type => 'application/pdf', :filename => 'issues.pdf' }
83 format.pdf { send_file_headers! :type => 'application/pdf', :filename => 'issues.pdf' }
84 end
84 end
85 else
85 else
86 respond_to do |format|
86 respond_to do |format|
87 format.html { render(:template => 'issues/index', :layout => !request.xhr?) }
87 format.html { render(:template => 'issues/index', :layout => !request.xhr?) }
88 format.any(:atom, :csv, :pdf) { render(:nothing => true) }
88 format.any(:atom, :csv, :pdf) { render(:nothing => true) }
89 format.api { render_validation_errors(@query) }
89 format.api { render_validation_errors(@query) }
90 end
90 end
91 end
91 end
92 rescue ActiveRecord::RecordNotFound
92 rescue ActiveRecord::RecordNotFound
93 render_404
93 render_404
94 end
94 end
95
95
96 def show
96 def show
97 @journals = @issue.journals.includes(:user, :details).
97 @journals = @issue.journals.includes(:user, :details).
98 references(:user, :details).
98 references(:user, :details).
99 reorder(:created_on, :id).to_a
99 reorder(:created_on, :id).to_a
100 @journals.each_with_index {|j,i| j.indice = i+1}
100 @journals.each_with_index {|j,i| j.indice = i+1}
101 @journals.reject!(&:private_notes?) unless User.current.allowed_to?(:view_private_notes, @issue.project)
101 @journals.reject!(&:private_notes?) unless User.current.allowed_to?(:view_private_notes, @issue.project)
102 Journal.preload_journals_details_custom_fields(@journals)
102 Journal.preload_journals_details_custom_fields(@journals)
103 @journals.select! {|journal| journal.notes? || journal.visible_details.any?}
103 @journals.select! {|journal| journal.notes? || journal.visible_details.any?}
104 @journals.reverse! if User.current.wants_comments_in_reverse_order?
104 @journals.reverse! if User.current.wants_comments_in_reverse_order?
105
105
106 @changesets = @issue.changesets.visible.preload(:repository, :user).to_a
106 @changesets = @issue.changesets.visible.preload(:repository, :user).to_a
107 @changesets.reverse! if User.current.wants_comments_in_reverse_order?
107 @changesets.reverse! if User.current.wants_comments_in_reverse_order?
108
108
109 @relations = @issue.relations.select {|r| r.other_issue(@issue) && r.other_issue(@issue).visible? }
109 @relations = @issue.relations.select {|r| r.other_issue(@issue) && r.other_issue(@issue).visible? }
110 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
110 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
111 @priorities = IssuePriority.active
111 @priorities = IssuePriority.active
112 @time_entry = TimeEntry.new(:issue => @issue, :project => @issue.project)
112 @time_entry = TimeEntry.new(:issue => @issue, :project => @issue.project)
113 @relation = IssueRelation.new
113 @relation = IssueRelation.new
114
114
115 respond_to do |format|
115 respond_to do |format|
116 format.html {
116 format.html {
117 retrieve_previous_and_next_issue_ids
117 retrieve_previous_and_next_issue_ids
118 render :template => 'issues/show'
118 render :template => 'issues/show'
119 }
119 }
120 format.api
120 format.api
121 format.atom { render :template => 'journals/index', :layout => false, :content_type => 'application/atom+xml' }
121 format.atom { render :template => 'journals/index', :layout => false, :content_type => 'application/atom+xml' }
122 format.pdf {
122 format.pdf {
123 send_file_headers! :type => 'application/pdf', :filename => "#{@project.identifier}-#{@issue.id}.pdf"
123 send_file_headers! :type => 'application/pdf', :filename => "#{@project.identifier}-#{@issue.id}.pdf"
124 }
124 }
125 end
125 end
126 end
126 end
127
127
128 def new
128 def new
129 respond_to do |format|
129 respond_to do |format|
130 format.html { render :action => 'new', :layout => !request.xhr? }
130 format.html { render :action => 'new', :layout => !request.xhr? }
131 format.js
131 format.js
132 end
132 end
133 end
133 end
134
134
135 def create
135 def create
136 unless User.current.allowed_to?(:add_issues, @issue.project, :global => true)
136 unless User.current.allowed_to?(:add_issues, @issue.project, :global => true)
137 raise ::Unauthorized
137 raise ::Unauthorized
138 end
138 end
139 call_hook(:controller_issues_new_before_save, { :params => params, :issue => @issue })
139 call_hook(:controller_issues_new_before_save, { :params => params, :issue => @issue })
140 @issue.save_attachments(params[:attachments] || (params[:issue] && params[:issue][:uploads]))
140 @issue.save_attachments(params[:attachments] || (params[:issue] && params[:issue][:uploads]))
141 if @issue.save
141 if @issue.save
142 call_hook(:controller_issues_new_after_save, { :params => params, :issue => @issue})
142 call_hook(:controller_issues_new_after_save, { :params => params, :issue => @issue})
143 respond_to do |format|
143 respond_to do |format|
144 format.html {
144 format.html {
145 render_attachment_warning_if_needed(@issue)
145 render_attachment_warning_if_needed(@issue)
146 flash[:notice] = l(:notice_issue_successful_create, :id => view_context.link_to("##{@issue.id}", issue_path(@issue), :title => @issue.subject))
146 flash[:notice] = l(:notice_issue_successful_create, :id => view_context.link_to("##{@issue.id}", issue_path(@issue), :title => @issue.subject))
147 redirect_after_create
147 redirect_after_create
148 }
148 }
149 format.api { render :action => 'show', :status => :created, :location => issue_url(@issue) }
149 format.api { render :action => 'show', :status => :created, :location => issue_url(@issue) }
150 end
150 end
151 return
151 return
152 else
152 else
153 respond_to do |format|
153 respond_to do |format|
154 format.html {
154 format.html {
155 if @issue.project.nil?
155 if @issue.project.nil?
156 render_error :status => 422
156 render_error :status => 422
157 else
157 else
158 render :action => 'new'
158 render :action => 'new'
159 end
159 end
160 }
160 }
161 format.api { render_validation_errors(@issue) }
161 format.api { render_validation_errors(@issue) }
162 end
162 end
163 end
163 end
164 end
164 end
165
165
166 def edit
166 def edit
167 return unless update_issue_from_params
167 return unless update_issue_from_params
168
168
169 respond_to do |format|
169 respond_to do |format|
170 format.html { }
170 format.html { }
171 format.js
171 format.js
172 end
172 end
173 end
173 end
174
174
175 def update
175 def update
176 return unless update_issue_from_params
176 return unless update_issue_from_params
177 @issue.save_attachments(params[:attachments] || (params[:issue] && params[:issue][:uploads]))
177 @issue.save_attachments(params[:attachments] || (params[:issue] && params[:issue][:uploads]))
178 saved = false
178 saved = false
179 begin
179 begin
180 saved = save_issue_with_child_records
180 saved = save_issue_with_child_records
181 rescue ActiveRecord::StaleObjectError
181 rescue ActiveRecord::StaleObjectError
182 @conflict = true
182 @conflict = true
183 if params[:last_journal_id]
183 if params[:last_journal_id]
184 @conflict_journals = @issue.journals_after(params[:last_journal_id]).to_a
184 @conflict_journals = @issue.journals_after(params[:last_journal_id]).to_a
185 @conflict_journals.reject!(&:private_notes?) unless User.current.allowed_to?(:view_private_notes, @issue.project)
185 @conflict_journals.reject!(&:private_notes?) unless User.current.allowed_to?(:view_private_notes, @issue.project)
186 end
186 end
187 end
187 end
188
188
189 if saved
189 if saved
190 render_attachment_warning_if_needed(@issue)
190 render_attachment_warning_if_needed(@issue)
191 flash[:notice] = l(:notice_successful_update) unless @issue.current_journal.new_record?
191 flash[:notice] = l(:notice_successful_update) unless @issue.current_journal.new_record?
192
192
193 respond_to do |format|
193 respond_to do |format|
194 format.html { redirect_back_or_default issue_path(@issue) }
194 format.html { redirect_back_or_default issue_path(@issue) }
195 format.api { render_api_ok }
195 format.api { render_api_ok }
196 end
196 end
197 else
197 else
198 respond_to do |format|
198 respond_to do |format|
199 format.html { render :action => 'edit' }
199 format.html { render :action => 'edit' }
200 format.api { render_validation_errors(@issue) }
200 format.api { render_validation_errors(@issue) }
201 end
201 end
202 end
202 end
203 end
203 end
204
204
205 # Bulk edit/copy a set of issues
205 # Bulk edit/copy a set of issues
206 def bulk_edit
206 def bulk_edit
207 @issues.sort!
207 @issues.sort!
208 @copy = params[:copy].present?
208 @copy = params[:copy].present?
209 @notes = params[:notes]
209 @notes = params[:notes]
210
210
211 if @copy
211 if @copy
212 unless User.current.allowed_to?(:copy_issues, @projects)
212 unless User.current.allowed_to?(:copy_issues, @projects)
213 raise ::Unauthorized
213 raise ::Unauthorized
214 end
214 end
215 end
215 end
216
216
217 @allowed_projects = Issue.allowed_target_projects
217 @allowed_projects = Issue.allowed_target_projects
218 if params[:issue]
218 if params[:issue]
219 @target_project = @allowed_projects.detect {|p| p.id.to_s == params[:issue][:project_id].to_s}
219 @target_project = @allowed_projects.detect {|p| p.id.to_s == params[:issue][:project_id].to_s}
220 if @target_project
220 if @target_project
221 target_projects = [@target_project]
221 target_projects = [@target_project]
222 end
222 end
223 end
223 end
224 target_projects ||= @projects
224 target_projects ||= @projects
225
225
226 if @copy
226 if @copy
227 # Copied issues will get their default statuses
227 # Copied issues will get their default statuses
228 @available_statuses = []
228 @available_statuses = []
229 else
229 else
230 @available_statuses = @issues.map(&:new_statuses_allowed_to).reduce(:&)
230 @available_statuses = @issues.map(&:new_statuses_allowed_to).reduce(:&)
231 end
231 end
232 @custom_fields = @issues.map{|i|i.editable_custom_fields}.reduce(:&)
232 @custom_fields = @issues.map{|i|i.editable_custom_fields}.reduce(:&)
233 @assignables = target_projects.map(&:assignable_users).reduce(:&)
233 @assignables = target_projects.map(&:assignable_users).reduce(:&)
234 @trackers = target_projects.map(&:trackers).reduce(:&)
234 @trackers = target_projects.map(&:trackers).reduce(:&)
235 @versions = target_projects.map {|p| p.shared_versions.open}.reduce(:&)
235 @versions = target_projects.map {|p| p.shared_versions.open}.reduce(:&)
236 @categories = target_projects.map {|p| p.issue_categories}.reduce(:&)
236 @categories = target_projects.map {|p| p.issue_categories}.reduce(:&)
237 if @copy
237 if @copy
238 @attachments_present = @issues.detect {|i| i.attachments.any?}.present?
238 @attachments_present = @issues.detect {|i| i.attachments.any?}.present?
239 @subtasks_present = @issues.detect {|i| !i.leaf?}.present?
239 @subtasks_present = @issues.detect {|i| !i.leaf?}.present?
240 end
240 end
241
241
242 @safe_attributes = @issues.map(&:safe_attribute_names).reduce(:&)
242 @safe_attributes = @issues.map(&:safe_attribute_names).reduce(:&)
243
243
244 @issue_params = params[:issue] || {}
244 @issue_params = params[:issue] || {}
245 @issue_params[:custom_field_values] ||= {}
245 @issue_params[:custom_field_values] ||= {}
246 end
246 end
247
247
248 def bulk_update
248 def bulk_update
249 @issues.sort!
249 @issues.sort!
250 @copy = params[:copy].present?
250 @copy = params[:copy].present?
251
251
252 attributes = parse_params_for_bulk_issue_attributes(params)
252 attributes = parse_params_for_bulk_issue_attributes(params)
253 copy_subtasks = (params[:copy_subtasks] == '1')
253 copy_subtasks = (params[:copy_subtasks] == '1')
254 copy_attachments = (params[:copy_attachments] == '1')
254 copy_attachments = (params[:copy_attachments] == '1')
255
255
256 if @copy
256 if @copy
257 unless User.current.allowed_to?(:copy_issues, @projects)
257 unless User.current.allowed_to?(:copy_issues, @projects)
258 raise ::Unauthorized
258 raise ::Unauthorized
259 end
259 end
260 target_projects = @projects
260 target_projects = @projects
261 if attributes['project_id'].present?
261 if attributes['project_id'].present?
262 target_projects = Project.where(:id => attributes['project_id']).to_a
262 target_projects = Project.where(:id => attributes['project_id']).to_a
263 end
263 end
264 unless User.current.allowed_to?(:add_issues, target_projects)
264 unless User.current.allowed_to?(:add_issues, target_projects)
265 raise ::Unauthorized
265 raise ::Unauthorized
266 end
266 end
267 end
267 end
268
268
269 unsaved_issues = []
269 unsaved_issues = []
270 saved_issues = []
270 saved_issues = []
271
271
272 if @copy && copy_subtasks
272 if @copy && copy_subtasks
273 # Descendant issues will be copied with the parent task
273 # Descendant issues will be copied with the parent task
274 # Don't copy them twice
274 # Don't copy them twice
275 @issues.reject! {|issue| @issues.detect {|other| issue.is_descendant_of?(other)}}
275 @issues.reject! {|issue| @issues.detect {|other| issue.is_descendant_of?(other)}}
276 end
276 end
277
277
278 @issues.each do |orig_issue|
278 @issues.each do |orig_issue|
279 orig_issue.reload
279 orig_issue.reload
280 if @copy
280 if @copy
281 issue = orig_issue.copy({},
281 issue = orig_issue.copy({},
282 :attachments => copy_attachments,
282 :attachments => copy_attachments,
283 :subtasks => copy_subtasks,
283 :subtasks => copy_subtasks,
284 :link => link_copy?(params[:link_copy])
284 :link => link_copy?(params[:link_copy])
285 )
285 )
286 else
286 else
287 issue = orig_issue
287 issue = orig_issue
288 end
288 end
289 journal = issue.init_journal(User.current, params[:notes])
289 journal = issue.init_journal(User.current, params[:notes])
290 issue.safe_attributes = attributes
290 issue.safe_attributes = attributes
291 call_hook(:controller_issues_bulk_edit_before_save, { :params => params, :issue => issue })
291 call_hook(:controller_issues_bulk_edit_before_save, { :params => params, :issue => issue })
292 if issue.save
292 if issue.save
293 saved_issues << issue
293 saved_issues << issue
294 else
294 else
295 unsaved_issues << orig_issue
295 unsaved_issues << orig_issue
296 end
296 end
297 end
297 end
298
298
299 if unsaved_issues.empty?
299 if unsaved_issues.empty?
300 flash[:notice] = l(:notice_successful_update) unless saved_issues.empty?
300 flash[:notice] = l(:notice_successful_update) unless saved_issues.empty?
301 if params[:follow]
301 if params[:follow]
302 if @issues.size == 1 && saved_issues.size == 1
302 if @issues.size == 1 && saved_issues.size == 1
303 redirect_to issue_path(saved_issues.first)
303 redirect_to issue_path(saved_issues.first)
304 elsif saved_issues.map(&:project).uniq.size == 1
304 elsif saved_issues.map(&:project).uniq.size == 1
305 redirect_to project_issues_path(saved_issues.map(&:project).first)
305 redirect_to project_issues_path(saved_issues.map(&:project).first)
306 end
306 end
307 else
307 else
308 redirect_back_or_default _project_issues_path(@project)
308 redirect_back_or_default _project_issues_path(@project)
309 end
309 end
310 else
310 else
311 @saved_issues = @issues
311 @saved_issues = @issues
312 @unsaved_issues = unsaved_issues
312 @unsaved_issues = unsaved_issues
313 @issues = Issue.visible.where(:id => @unsaved_issues.map(&:id)).to_a
313 @issues = Issue.visible.where(:id => @unsaved_issues.map(&:id)).to_a
314 bulk_edit
314 bulk_edit
315 render :action => 'bulk_edit'
315 render :action => 'bulk_edit'
316 end
316 end
317 end
317 end
318
318
319 def destroy
319 def destroy
320 @hours = TimeEntry.where(:issue_id => @issues.map(&:id)).sum(:hours).to_f
320
321 # all issues and their descendants are about to be deleted
322 issues_and_descendants_ids = Issue.self_and_descendants(@issues).pluck(:id)
323 time_entries = TimeEntry.where(:issue_id => issues_and_descendants_ids)
324 @hours = time_entries.sum(:hours).to_f
325
321 if @hours > 0
326 if @hours > 0
322 case params[:todo]
327 case params[:todo]
323 when 'destroy'
328 when 'destroy'
324 # nothing to do
329 # nothing to do
325 when 'nullify'
330 when 'nullify'
326 TimeEntry.where(['issue_id IN (?)', @issues]).update_all('issue_id = NULL')
331 time_entries.update_all(:issue_id => nil)
327 when 'reassign'
332 when 'reassign'
328 reassign_to = @project.issues.find_by_id(params[:reassign_to_id])
333 reassign_to = @project && @project.issues.find_by_id(params[:reassign_to_id])
329 if reassign_to.nil?
334 if reassign_to.nil?
330 flash.now[:error] = l(:error_issue_not_found_in_project)
335 flash.now[:error] = l(:error_issue_not_found_in_project)
331 return
336 return
337 elsif issues_and_descendants_ids.include?(reassign_to.id)
338 flash.now[:error] = l(:error_cannot_reassign_time_entries_to_an_issue_about_to_be_deleted)
339 return
332 else
340 else
333 TimeEntry.where(['issue_id IN (?)', @issues]).
341 time_entries.update_all(:issue_id => reassign_to.id, :project_id => reassign_to.project_id)
334 update_all("issue_id = #{reassign_to.id}")
335 end
342 end
336 else
343 else
337 # display the destroy form if it's a user request
344 # display the destroy form if it's a user request
338 return unless api_request?
345 return unless api_request?
339 end
346 end
340 end
347 end
341 @issues.each do |issue|
348 @issues.each do |issue|
342 begin
349 begin
343 issue.reload.destroy
350 issue.reload.destroy
344 rescue ::ActiveRecord::RecordNotFound # raised by #reload if issue no longer exists
351 rescue ::ActiveRecord::RecordNotFound # raised by #reload if issue no longer exists
345 # nothing to do, issue was already deleted (eg. by a parent)
352 # nothing to do, issue was already deleted (eg. by a parent)
346 end
353 end
347 end
354 end
348 respond_to do |format|
355 respond_to do |format|
349 format.html { redirect_back_or_default _project_issues_path(@project) }
356 format.html { redirect_back_or_default _project_issues_path(@project) }
350 format.api { render_api_ok }
357 format.api { render_api_ok }
351 end
358 end
352 end
359 end
353
360
354 private
361 private
355
362
356 def retrieve_previous_and_next_issue_ids
363 def retrieve_previous_and_next_issue_ids
357 retrieve_query_from_session
364 retrieve_query_from_session
358 if @query
365 if @query
359 sort_init(@query.sort_criteria.empty? ? [['id', 'desc']] : @query.sort_criteria)
366 sort_init(@query.sort_criteria.empty? ? [['id', 'desc']] : @query.sort_criteria)
360 sort_update(@query.sortable_columns, 'issues_index_sort')
367 sort_update(@query.sortable_columns, 'issues_index_sort')
361 limit = 500
368 limit = 500
362 issue_ids = @query.issue_ids(:order => sort_clause, :limit => (limit + 1), :include => [:assigned_to, :tracker, :priority, :category, :fixed_version])
369 issue_ids = @query.issue_ids(:order => sort_clause, :limit => (limit + 1), :include => [:assigned_to, :tracker, :priority, :category, :fixed_version])
363 if (idx = issue_ids.index(@issue.id)) && idx < limit
370 if (idx = issue_ids.index(@issue.id)) && idx < limit
364 if issue_ids.size < 500
371 if issue_ids.size < 500
365 @issue_position = idx + 1
372 @issue_position = idx + 1
366 @issue_count = issue_ids.size
373 @issue_count = issue_ids.size
367 end
374 end
368 @prev_issue_id = issue_ids[idx - 1] if idx > 0
375 @prev_issue_id = issue_ids[idx - 1] if idx > 0
369 @next_issue_id = issue_ids[idx + 1] if idx < (issue_ids.size - 1)
376 @next_issue_id = issue_ids[idx + 1] if idx < (issue_ids.size - 1)
370 end
377 end
371 end
378 end
372 end
379 end
373
380
374 # Used by #edit and #update to set some common instance variables
381 # Used by #edit and #update to set some common instance variables
375 # from the params
382 # from the params
376 def update_issue_from_params
383 def update_issue_from_params
377 @time_entry = TimeEntry.new(:issue => @issue, :project => @issue.project)
384 @time_entry = TimeEntry.new(:issue => @issue, :project => @issue.project)
378 if params[:time_entry]
385 if params[:time_entry]
379 @time_entry.safe_attributes = params[:time_entry]
386 @time_entry.safe_attributes = params[:time_entry]
380 end
387 end
381
388
382 @issue.init_journal(User.current)
389 @issue.init_journal(User.current)
383
390
384 issue_attributes = params[:issue]
391 issue_attributes = params[:issue]
385 if issue_attributes && params[:conflict_resolution]
392 if issue_attributes && params[:conflict_resolution]
386 case params[:conflict_resolution]
393 case params[:conflict_resolution]
387 when 'overwrite'
394 when 'overwrite'
388 issue_attributes = issue_attributes.dup
395 issue_attributes = issue_attributes.dup
389 issue_attributes.delete(:lock_version)
396 issue_attributes.delete(:lock_version)
390 when 'add_notes'
397 when 'add_notes'
391 issue_attributes = issue_attributes.slice(:notes, :private_notes)
398 issue_attributes = issue_attributes.slice(:notes, :private_notes)
392 when 'cancel'
399 when 'cancel'
393 redirect_to issue_path(@issue)
400 redirect_to issue_path(@issue)
394 return false
401 return false
395 end
402 end
396 end
403 end
397 @issue.safe_attributes = issue_attributes
404 @issue.safe_attributes = issue_attributes
398 @priorities = IssuePriority.active
405 @priorities = IssuePriority.active
399 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
406 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
400 true
407 true
401 end
408 end
402
409
403 # Used by #new and #create to build a new issue from the params
410 # Used by #new and #create to build a new issue from the params
404 # The new issue will be copied from an existing one if copy_from parameter is given
411 # The new issue will be copied from an existing one if copy_from parameter is given
405 def build_new_issue_from_params
412 def build_new_issue_from_params
406 @issue = Issue.new
413 @issue = Issue.new
407 if params[:copy_from]
414 if params[:copy_from]
408 begin
415 begin
409 @issue.init_journal(User.current)
416 @issue.init_journal(User.current)
410 @copy_from = Issue.visible.find(params[:copy_from])
417 @copy_from = Issue.visible.find(params[:copy_from])
411 unless User.current.allowed_to?(:copy_issues, @copy_from.project)
418 unless User.current.allowed_to?(:copy_issues, @copy_from.project)
412 raise ::Unauthorized
419 raise ::Unauthorized
413 end
420 end
414 @link_copy = link_copy?(params[:link_copy]) || request.get?
421 @link_copy = link_copy?(params[:link_copy]) || request.get?
415 @copy_attachments = params[:copy_attachments].present? || request.get?
422 @copy_attachments = params[:copy_attachments].present? || request.get?
416 @copy_subtasks = params[:copy_subtasks].present? || request.get?
423 @copy_subtasks = params[:copy_subtasks].present? || request.get?
417 @issue.copy_from(@copy_from, :attachments => @copy_attachments, :subtasks => @copy_subtasks, :link => @link_copy)
424 @issue.copy_from(@copy_from, :attachments => @copy_attachments, :subtasks => @copy_subtasks, :link => @link_copy)
418 rescue ActiveRecord::RecordNotFound
425 rescue ActiveRecord::RecordNotFound
419 render_404
426 render_404
420 return
427 return
421 end
428 end
422 end
429 end
423 @issue.project = @project
430 @issue.project = @project
424 if request.get?
431 if request.get?
425 @issue.project ||= @issue.allowed_target_projects.first
432 @issue.project ||= @issue.allowed_target_projects.first
426 end
433 end
427 @issue.author ||= User.current
434 @issue.author ||= User.current
428 @issue.start_date ||= Date.today if Setting.default_issue_start_date_to_creation_date?
435 @issue.start_date ||= Date.today if Setting.default_issue_start_date_to_creation_date?
429
436
430 attrs = (params[:issue] || {}).deep_dup
437 attrs = (params[:issue] || {}).deep_dup
431 if action_name == 'new' && params[:was_default_status] == attrs[:status_id]
438 if action_name == 'new' && params[:was_default_status] == attrs[:status_id]
432 attrs.delete(:status_id)
439 attrs.delete(:status_id)
433 end
440 end
434 if action_name == 'new' && params[:form_update_triggered_by] == 'issue_project_id'
441 if action_name == 'new' && params[:form_update_triggered_by] == 'issue_project_id'
435 # Discard submitted version when changing the project on the issue form
442 # Discard submitted version when changing the project on the issue form
436 # so we can use the default version for the new project
443 # so we can use the default version for the new project
437 attrs.delete(:fixed_version_id)
444 attrs.delete(:fixed_version_id)
438 end
445 end
439 @issue.safe_attributes = attrs
446 @issue.safe_attributes = attrs
440
447
441 if @issue.project
448 if @issue.project
442 @issue.tracker ||= @issue.project.trackers.first
449 @issue.tracker ||= @issue.project.trackers.first
443 if @issue.tracker.nil?
450 if @issue.tracker.nil?
444 render_error l(:error_no_tracker_in_project)
451 render_error l(:error_no_tracker_in_project)
445 return false
452 return false
446 end
453 end
447 if @issue.status.nil?
454 if @issue.status.nil?
448 render_error l(:error_no_default_issue_status)
455 render_error l(:error_no_default_issue_status)
449 return false
456 return false
450 end
457 end
451 end
458 end
452
459
453 @priorities = IssuePriority.active
460 @priorities = IssuePriority.active
454 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
461 @allowed_statuses = @issue.new_statuses_allowed_to(User.current)
455 end
462 end
456
463
457 def parse_params_for_bulk_issue_attributes(params)
464 def parse_params_for_bulk_issue_attributes(params)
458 attributes = (params[:issue] || {}).reject {|k,v| v.blank?}
465 attributes = (params[:issue] || {}).reject {|k,v| v.blank?}
459 attributes.keys.each {|k| attributes[k] = '' if attributes[k] == 'none'}
466 attributes.keys.each {|k| attributes[k] = '' if attributes[k] == 'none'}
460 if custom = attributes[:custom_field_values]
467 if custom = attributes[:custom_field_values]
461 custom.reject! {|k,v| v.blank?}
468 custom.reject! {|k,v| v.blank?}
462 custom.keys.each do |k|
469 custom.keys.each do |k|
463 if custom[k].is_a?(Array)
470 if custom[k].is_a?(Array)
464 custom[k] << '' if custom[k].delete('__none__')
471 custom[k] << '' if custom[k].delete('__none__')
465 else
472 else
466 custom[k] = '' if custom[k] == '__none__'
473 custom[k] = '' if custom[k] == '__none__'
467 end
474 end
468 end
475 end
469 end
476 end
470 attributes
477 attributes
471 end
478 end
472
479
473 # Saves @issue and a time_entry from the parameters
480 # Saves @issue and a time_entry from the parameters
474 def save_issue_with_child_records
481 def save_issue_with_child_records
475 Issue.transaction do
482 Issue.transaction do
476 if params[:time_entry] && (params[:time_entry][:hours].present? || params[:time_entry][:comments].present?) && User.current.allowed_to?(:log_time, @issue.project)
483 if params[:time_entry] && (params[:time_entry][:hours].present? || params[:time_entry][:comments].present?) && User.current.allowed_to?(:log_time, @issue.project)
477 time_entry = @time_entry || TimeEntry.new
484 time_entry = @time_entry || TimeEntry.new
478 time_entry.project = @issue.project
485 time_entry.project = @issue.project
479 time_entry.issue = @issue
486 time_entry.issue = @issue
480 time_entry.user = User.current
487 time_entry.user = User.current
481 time_entry.spent_on = User.current.today
488 time_entry.spent_on = User.current.today
482 time_entry.attributes = params[:time_entry]
489 time_entry.attributes = params[:time_entry]
483 @issue.time_entries << time_entry
490 @issue.time_entries << time_entry
484 end
491 end
485
492
486 call_hook(:controller_issues_edit_before_save, { :params => params, :issue => @issue, :time_entry => time_entry, :journal => @issue.current_journal})
493 call_hook(:controller_issues_edit_before_save, { :params => params, :issue => @issue, :time_entry => time_entry, :journal => @issue.current_journal})
487 if @issue.save
494 if @issue.save
488 call_hook(:controller_issues_edit_after_save, { :params => params, :issue => @issue, :time_entry => time_entry, :journal => @issue.current_journal})
495 call_hook(:controller_issues_edit_after_save, { :params => params, :issue => @issue, :time_entry => time_entry, :journal => @issue.current_journal})
489 else
496 else
490 raise ActiveRecord::Rollback
497 raise ActiveRecord::Rollback
491 end
498 end
492 end
499 end
493 end
500 end
494
501
495 # Returns true if the issue copy should be linked
502 # Returns true if the issue copy should be linked
496 # to the original issue
503 # to the original issue
497 def link_copy?(param)
504 def link_copy?(param)
498 case Setting.link_copied_issue
505 case Setting.link_copied_issue
499 when 'yes'
506 when 'yes'
500 true
507 true
501 when 'no'
508 when 'no'
502 false
509 false
503 when 'ask'
510 when 'ask'
504 param == '1'
511 param == '1'
505 end
512 end
506 end
513 end
507
514
508 # Redirects user after a successful issue creation
515 # Redirects user after a successful issue creation
509 def redirect_after_create
516 def redirect_after_create
510 if params[:continue]
517 if params[:continue]
511 attrs = {:tracker_id => @issue.tracker, :parent_issue_id => @issue.parent_issue_id}.reject {|k,v| v.nil?}
518 attrs = {:tracker_id => @issue.tracker, :parent_issue_id => @issue.parent_issue_id}.reject {|k,v| v.nil?}
512 if params[:project_id]
519 if params[:project_id]
513 redirect_to new_project_issue_path(@issue.project, :issue => attrs)
520 redirect_to new_project_issue_path(@issue.project, :issue => attrs)
514 else
521 else
515 attrs.merge! :project_id => @issue.project_id
522 attrs.merge! :project_id => @issue.project_id
516 redirect_to new_issue_path(:issue => attrs)
523 redirect_to new_issue_path(:issue => attrs)
517 end
524 end
518 else
525 else
519 redirect_to issue_path(@issue)
526 redirect_to issue_path(@issue)
520 end
527 end
521 end
528 end
522 end
529 end
@@ -1,1702 +1,1711
1 # Redmine - project management software
1 # Redmine - project management software
2 # Copyright (C) 2006-2016 Jean-Philippe Lang
2 # Copyright (C) 2006-2016 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 Issue < ActiveRecord::Base
18 class Issue < ActiveRecord::Base
19 include Redmine::SafeAttributes
19 include Redmine::SafeAttributes
20 include Redmine::Utils::DateCalculation
20 include Redmine::Utils::DateCalculation
21 include Redmine::I18n
21 include Redmine::I18n
22 before_save :set_parent_id
22 before_save :set_parent_id
23 include Redmine::NestedSet::IssueNestedSet
23 include Redmine::NestedSet::IssueNestedSet
24
24
25 belongs_to :project
25 belongs_to :project
26 belongs_to :tracker
26 belongs_to :tracker
27 belongs_to :status, :class_name => 'IssueStatus'
27 belongs_to :status, :class_name => 'IssueStatus'
28 belongs_to :author, :class_name => 'User'
28 belongs_to :author, :class_name => 'User'
29 belongs_to :assigned_to, :class_name => 'Principal'
29 belongs_to :assigned_to, :class_name => 'Principal'
30 belongs_to :fixed_version, :class_name => 'Version'
30 belongs_to :fixed_version, :class_name => 'Version'
31 belongs_to :priority, :class_name => 'IssuePriority'
31 belongs_to :priority, :class_name => 'IssuePriority'
32 belongs_to :category, :class_name => 'IssueCategory'
32 belongs_to :category, :class_name => 'IssueCategory'
33
33
34 has_many :journals, :as => :journalized, :dependent => :destroy, :inverse_of => :journalized
34 has_many :journals, :as => :journalized, :dependent => :destroy, :inverse_of => :journalized
35 has_many :visible_journals,
35 has_many :visible_journals,
36 lambda {where(["(#{Journal.table_name}.private_notes = ? OR (#{Project.allowed_to_condition(User.current, :view_private_notes)}))", false])},
36 lambda {where(["(#{Journal.table_name}.private_notes = ? OR (#{Project.allowed_to_condition(User.current, :view_private_notes)}))", false])},
37 :class_name => 'Journal',
37 :class_name => 'Journal',
38 :as => :journalized
38 :as => :journalized
39
39
40 has_many :time_entries, :dependent => :destroy
40 has_many :time_entries, :dependent => :destroy
41 has_and_belongs_to_many :changesets, lambda {order("#{Changeset.table_name}.committed_on ASC, #{Changeset.table_name}.id ASC")}
41 has_and_belongs_to_many :changesets, lambda {order("#{Changeset.table_name}.committed_on ASC, #{Changeset.table_name}.id ASC")}
42
42
43 has_many :relations_from, :class_name => 'IssueRelation', :foreign_key => 'issue_from_id', :dependent => :delete_all
43 has_many :relations_from, :class_name => 'IssueRelation', :foreign_key => 'issue_from_id', :dependent => :delete_all
44 has_many :relations_to, :class_name => 'IssueRelation', :foreign_key => 'issue_to_id', :dependent => :delete_all
44 has_many :relations_to, :class_name => 'IssueRelation', :foreign_key => 'issue_to_id', :dependent => :delete_all
45
45
46 acts_as_attachable :after_add => :attachment_added, :after_remove => :attachment_removed
46 acts_as_attachable :after_add => :attachment_added, :after_remove => :attachment_removed
47 acts_as_customizable
47 acts_as_customizable
48 acts_as_watchable
48 acts_as_watchable
49 acts_as_searchable :columns => ['subject', "#{table_name}.description"],
49 acts_as_searchable :columns => ['subject', "#{table_name}.description"],
50 :preload => [:project, :status, :tracker],
50 :preload => [:project, :status, :tracker],
51 :scope => lambda {|options| options[:open_issues] ? self.open : self.all}
51 :scope => lambda {|options| options[:open_issues] ? self.open : self.all}
52
52
53 acts_as_event :title => Proc.new {|o| "#{o.tracker.name} ##{o.id} (#{o.status}): #{o.subject}"},
53 acts_as_event :title => Proc.new {|o| "#{o.tracker.name} ##{o.id} (#{o.status}): #{o.subject}"},
54 :url => Proc.new {|o| {:controller => 'issues', :action => 'show', :id => o.id}},
54 :url => Proc.new {|o| {:controller => 'issues', :action => 'show', :id => o.id}},
55 :type => Proc.new {|o| 'issue' + (o.closed? ? ' closed' : '') }
55 :type => Proc.new {|o| 'issue' + (o.closed? ? ' closed' : '') }
56
56
57 acts_as_activity_provider :scope => preload(:project, :author, :tracker),
57 acts_as_activity_provider :scope => preload(:project, :author, :tracker),
58 :author_key => :author_id
58 :author_key => :author_id
59
59
60 DONE_RATIO_OPTIONS = %w(issue_field issue_status)
60 DONE_RATIO_OPTIONS = %w(issue_field issue_status)
61
61
62 attr_reader :current_journal
62 attr_reader :current_journal
63 delegate :notes, :notes=, :private_notes, :private_notes=, :to => :current_journal, :allow_nil => true
63 delegate :notes, :notes=, :private_notes, :private_notes=, :to => :current_journal, :allow_nil => true
64
64
65 validates_presence_of :subject, :project, :tracker
65 validates_presence_of :subject, :project, :tracker
66 validates_presence_of :priority, :if => Proc.new {|issue| issue.new_record? || issue.priority_id_changed?}
66 validates_presence_of :priority, :if => Proc.new {|issue| issue.new_record? || issue.priority_id_changed?}
67 validates_presence_of :status, :if => Proc.new {|issue| issue.new_record? || issue.status_id_changed?}
67 validates_presence_of :status, :if => Proc.new {|issue| issue.new_record? || issue.status_id_changed?}
68 validates_presence_of :author, :if => Proc.new {|issue| issue.new_record? || issue.author_id_changed?}
68 validates_presence_of :author, :if => Proc.new {|issue| issue.new_record? || issue.author_id_changed?}
69
69
70 validates_length_of :subject, :maximum => 255
70 validates_length_of :subject, :maximum => 255
71 validates_inclusion_of :done_ratio, :in => 0..100
71 validates_inclusion_of :done_ratio, :in => 0..100
72 validates :estimated_hours, :numericality => {:greater_than_or_equal_to => 0, :allow_nil => true, :message => :invalid}
72 validates :estimated_hours, :numericality => {:greater_than_or_equal_to => 0, :allow_nil => true, :message => :invalid}
73 validates :start_date, :date => true
73 validates :start_date, :date => true
74 validates :due_date, :date => true
74 validates :due_date, :date => true
75 validate :validate_issue, :validate_required_fields
75 validate :validate_issue, :validate_required_fields
76 attr_protected :id
76 attr_protected :id
77
77
78 scope :visible, lambda {|*args|
78 scope :visible, lambda {|*args|
79 joins(:project).
79 joins(:project).
80 where(Issue.visible_condition(args.shift || User.current, *args))
80 where(Issue.visible_condition(args.shift || User.current, *args))
81 }
81 }
82
82
83 scope :open, lambda {|*args|
83 scope :open, lambda {|*args|
84 is_closed = args.size > 0 ? !args.first : false
84 is_closed = args.size > 0 ? !args.first : false
85 joins(:status).
85 joins(:status).
86 where("#{IssueStatus.table_name}.is_closed = ?", is_closed)
86 where("#{IssueStatus.table_name}.is_closed = ?", is_closed)
87 }
87 }
88
88
89 scope :recently_updated, lambda { order("#{Issue.table_name}.updated_on DESC") }
89 scope :recently_updated, lambda { order("#{Issue.table_name}.updated_on DESC") }
90 scope :on_active_project, lambda {
90 scope :on_active_project, lambda {
91 joins(:project).
91 joins(:project).
92 where("#{Project.table_name}.status = ?", Project::STATUS_ACTIVE)
92 where("#{Project.table_name}.status = ?", Project::STATUS_ACTIVE)
93 }
93 }
94 scope :fixed_version, lambda {|versions|
94 scope :fixed_version, lambda {|versions|
95 ids = [versions].flatten.compact.map {|v| v.is_a?(Version) ? v.id : v}
95 ids = [versions].flatten.compact.map {|v| v.is_a?(Version) ? v.id : v}
96 ids.any? ? where(:fixed_version_id => ids) : where('1=0')
96 ids.any? ? where(:fixed_version_id => ids) : where('1=0')
97 }
97 }
98 scope :assigned_to, lambda {|arg|
98 scope :assigned_to, lambda {|arg|
99 arg = Array(arg).uniq
99 arg = Array(arg).uniq
100 ids = arg.map {|p| p.is_a?(Principal) ? p.id : p}
100 ids = arg.map {|p| p.is_a?(Principal) ? p.id : p}
101 ids += arg.select {|p| p.is_a?(User)}.map(&:group_ids).flatten.uniq
101 ids += arg.select {|p| p.is_a?(User)}.map(&:group_ids).flatten.uniq
102 ids.compact!
102 ids.compact!
103 ids.any? ? where(:assigned_to_id => ids) : none
103 ids.any? ? where(:assigned_to_id => ids) : none
104 }
104 }
105
105
106 before_validation :clear_disabled_fields
106 before_validation :clear_disabled_fields
107 before_create :default_assign
107 before_create :default_assign
108 before_save :close_duplicates, :update_done_ratio_from_issue_status,
108 before_save :close_duplicates, :update_done_ratio_from_issue_status,
109 :force_updated_on_change, :update_closed_on, :set_assigned_to_was
109 :force_updated_on_change, :update_closed_on, :set_assigned_to_was
110 after_save {|issue| issue.send :after_project_change if !issue.id_changed? && issue.project_id_changed?}
110 after_save {|issue| issue.send :after_project_change if !issue.id_changed? && issue.project_id_changed?}
111 after_save :reschedule_following_issues, :update_nested_set_attributes,
111 after_save :reschedule_following_issues, :update_nested_set_attributes,
112 :update_parent_attributes, :create_journal
112 :update_parent_attributes, :create_journal
113 # Should be after_create but would be called before previous after_save callbacks
113 # Should be after_create but would be called before previous after_save callbacks
114 after_save :after_create_from_copy
114 after_save :after_create_from_copy
115 after_destroy :update_parent_attributes
115 after_destroy :update_parent_attributes
116 after_create :send_notification
116 after_create :send_notification
117 # Keep it at the end of after_save callbacks
117 # Keep it at the end of after_save callbacks
118 after_save :clear_assigned_to_was
118 after_save :clear_assigned_to_was
119
119
120 # Returns a SQL conditions string used to find all issues visible by the specified user
120 # Returns a SQL conditions string used to find all issues visible by the specified user
121 def self.visible_condition(user, options={})
121 def self.visible_condition(user, options={})
122 Project.allowed_to_condition(user, :view_issues, options) do |role, user|
122 Project.allowed_to_condition(user, :view_issues, options) do |role, user|
123 if user.id && user.logged?
123 if user.id && user.logged?
124 case role.issues_visibility
124 case role.issues_visibility
125 when 'all'
125 when 'all'
126 nil
126 nil
127 when 'default'
127 when 'default'
128 user_ids = [user.id] + user.groups.map(&:id).compact
128 user_ids = [user.id] + user.groups.map(&:id).compact
129 "(#{table_name}.is_private = #{connection.quoted_false} OR #{table_name}.author_id = #{user.id} OR #{table_name}.assigned_to_id IN (#{user_ids.join(',')}))"
129 "(#{table_name}.is_private = #{connection.quoted_false} OR #{table_name}.author_id = #{user.id} OR #{table_name}.assigned_to_id IN (#{user_ids.join(',')}))"
130 when 'own'
130 when 'own'
131 user_ids = [user.id] + user.groups.map(&:id).compact
131 user_ids = [user.id] + user.groups.map(&:id).compact
132 "(#{table_name}.author_id = #{user.id} OR #{table_name}.assigned_to_id IN (#{user_ids.join(',')}))"
132 "(#{table_name}.author_id = #{user.id} OR #{table_name}.assigned_to_id IN (#{user_ids.join(',')}))"
133 else
133 else
134 '1=0'
134 '1=0'
135 end
135 end
136 else
136 else
137 "(#{table_name}.is_private = #{connection.quoted_false})"
137 "(#{table_name}.is_private = #{connection.quoted_false})"
138 end
138 end
139 end
139 end
140 end
140 end
141
141
142 # Returns true if usr or current user is allowed to view the issue
142 # Returns true if usr or current user is allowed to view the issue
143 def visible?(usr=nil)
143 def visible?(usr=nil)
144 (usr || User.current).allowed_to?(:view_issues, self.project) do |role, user|
144 (usr || User.current).allowed_to?(:view_issues, self.project) do |role, user|
145 if user.logged?
145 if user.logged?
146 case role.issues_visibility
146 case role.issues_visibility
147 when 'all'
147 when 'all'
148 true
148 true
149 when 'default'
149 when 'default'
150 !self.is_private? || (self.author == user || user.is_or_belongs_to?(assigned_to))
150 !self.is_private? || (self.author == user || user.is_or_belongs_to?(assigned_to))
151 when 'own'
151 when 'own'
152 self.author == user || user.is_or_belongs_to?(assigned_to)
152 self.author == user || user.is_or_belongs_to?(assigned_to)
153 else
153 else
154 false
154 false
155 end
155 end
156 else
156 else
157 !self.is_private?
157 !self.is_private?
158 end
158 end
159 end
159 end
160 end
160 end
161
161
162 # Returns true if user or current user is allowed to edit or add a note to the issue
162 # Returns true if user or current user is allowed to edit or add a note to the issue
163 def editable?(user=User.current)
163 def editable?(user=User.current)
164 attributes_editable?(user) || user.allowed_to?(:add_issue_notes, project)
164 attributes_editable?(user) || user.allowed_to?(:add_issue_notes, project)
165 end
165 end
166
166
167 # Returns true if user or current user is allowed to edit the issue
167 # Returns true if user or current user is allowed to edit the issue
168 def attributes_editable?(user=User.current)
168 def attributes_editable?(user=User.current)
169 user.allowed_to?(:edit_issues, project)
169 user.allowed_to?(:edit_issues, project)
170 end
170 end
171
171
172 def initialize(attributes=nil, *args)
172 def initialize(attributes=nil, *args)
173 super
173 super
174 if new_record?
174 if new_record?
175 # set default values for new records only
175 # set default values for new records only
176 self.priority ||= IssuePriority.default
176 self.priority ||= IssuePriority.default
177 self.watcher_user_ids = []
177 self.watcher_user_ids = []
178 end
178 end
179 end
179 end
180
180
181 def create_or_update
181 def create_or_update
182 super
182 super
183 ensure
183 ensure
184 @status_was = nil
184 @status_was = nil
185 end
185 end
186 private :create_or_update
186 private :create_or_update
187
187
188 # AR#Persistence#destroy would raise and RecordNotFound exception
188 # AR#Persistence#destroy would raise and RecordNotFound exception
189 # if the issue was already deleted or updated (non matching lock_version).
189 # if the issue was already deleted or updated (non matching lock_version).
190 # This is a problem when bulk deleting issues or deleting a project
190 # This is a problem when bulk deleting issues or deleting a project
191 # (because an issue may already be deleted if its parent was deleted
191 # (because an issue may already be deleted if its parent was deleted
192 # first).
192 # first).
193 # The issue is reloaded by the nested_set before being deleted so
193 # The issue is reloaded by the nested_set before being deleted so
194 # the lock_version condition should not be an issue but we handle it.
194 # the lock_version condition should not be an issue but we handle it.
195 def destroy
195 def destroy
196 super
196 super
197 rescue ActiveRecord::StaleObjectError, ActiveRecord::RecordNotFound
197 rescue ActiveRecord::StaleObjectError, ActiveRecord::RecordNotFound
198 # Stale or already deleted
198 # Stale or already deleted
199 begin
199 begin
200 reload
200 reload
201 rescue ActiveRecord::RecordNotFound
201 rescue ActiveRecord::RecordNotFound
202 # The issue was actually already deleted
202 # The issue was actually already deleted
203 @destroyed = true
203 @destroyed = true
204 return freeze
204 return freeze
205 end
205 end
206 # The issue was stale, retry to destroy
206 # The issue was stale, retry to destroy
207 super
207 super
208 end
208 end
209
209
210 alias :base_reload :reload
210 alias :base_reload :reload
211 def reload(*args)
211 def reload(*args)
212 @workflow_rule_by_attribute = nil
212 @workflow_rule_by_attribute = nil
213 @assignable_versions = nil
213 @assignable_versions = nil
214 @relations = nil
214 @relations = nil
215 @spent_hours = nil
215 @spent_hours = nil
216 @total_spent_hours = nil
216 @total_spent_hours = nil
217 @total_estimated_hours = nil
217 @total_estimated_hours = nil
218 base_reload(*args)
218 base_reload(*args)
219 end
219 end
220
220
221 # Overrides Redmine::Acts::Customizable::InstanceMethods#available_custom_fields
221 # Overrides Redmine::Acts::Customizable::InstanceMethods#available_custom_fields
222 def available_custom_fields
222 def available_custom_fields
223 (project && tracker) ? (project.all_issue_custom_fields & tracker.custom_fields) : []
223 (project && tracker) ? (project.all_issue_custom_fields & tracker.custom_fields) : []
224 end
224 end
225
225
226 def visible_custom_field_values(user=nil)
226 def visible_custom_field_values(user=nil)
227 user_real = user || User.current
227 user_real = user || User.current
228 custom_field_values.select do |value|
228 custom_field_values.select do |value|
229 value.custom_field.visible_by?(project, user_real)
229 value.custom_field.visible_by?(project, user_real)
230 end
230 end
231 end
231 end
232
232
233 # Copies attributes from another issue, arg can be an id or an Issue
233 # Copies attributes from another issue, arg can be an id or an Issue
234 def copy_from(arg, options={})
234 def copy_from(arg, options={})
235 issue = arg.is_a?(Issue) ? arg : Issue.visible.find(arg)
235 issue = arg.is_a?(Issue) ? arg : Issue.visible.find(arg)
236 self.attributes = issue.attributes.dup.except("id", "root_id", "parent_id", "lft", "rgt", "created_on", "updated_on", "closed_on")
236 self.attributes = issue.attributes.dup.except("id", "root_id", "parent_id", "lft", "rgt", "created_on", "updated_on", "closed_on")
237 self.custom_field_values = issue.custom_field_values.inject({}) {|h,v| h[v.custom_field_id] = v.value; h}
237 self.custom_field_values = issue.custom_field_values.inject({}) {|h,v| h[v.custom_field_id] = v.value; h}
238 self.status = issue.status
238 self.status = issue.status
239 self.author = User.current
239 self.author = User.current
240 unless options[:attachments] == false
240 unless options[:attachments] == false
241 self.attachments = issue.attachments.map do |attachement|
241 self.attachments = issue.attachments.map do |attachement|
242 attachement.copy(:container => self)
242 attachement.copy(:container => self)
243 end
243 end
244 end
244 end
245 @copied_from = issue
245 @copied_from = issue
246 @copy_options = options
246 @copy_options = options
247 self
247 self
248 end
248 end
249
249
250 # Returns an unsaved copy of the issue
250 # Returns an unsaved copy of the issue
251 def copy(attributes=nil, copy_options={})
251 def copy(attributes=nil, copy_options={})
252 copy = self.class.new.copy_from(self, copy_options)
252 copy = self.class.new.copy_from(self, copy_options)
253 copy.attributes = attributes if attributes
253 copy.attributes = attributes if attributes
254 copy
254 copy
255 end
255 end
256
256
257 # Returns true if the issue is a copy
257 # Returns true if the issue is a copy
258 def copy?
258 def copy?
259 @copied_from.present?
259 @copied_from.present?
260 end
260 end
261
261
262 def status_id=(status_id)
262 def status_id=(status_id)
263 if status_id.to_s != self.status_id.to_s
263 if status_id.to_s != self.status_id.to_s
264 self.status = (status_id.present? ? IssueStatus.find_by_id(status_id) : nil)
264 self.status = (status_id.present? ? IssueStatus.find_by_id(status_id) : nil)
265 end
265 end
266 self.status_id
266 self.status_id
267 end
267 end
268
268
269 # Sets the status.
269 # Sets the status.
270 def status=(status)
270 def status=(status)
271 if status != self.status
271 if status != self.status
272 @workflow_rule_by_attribute = nil
272 @workflow_rule_by_attribute = nil
273 end
273 end
274 association(:status).writer(status)
274 association(:status).writer(status)
275 end
275 end
276
276
277 def priority_id=(pid)
277 def priority_id=(pid)
278 self.priority = nil
278 self.priority = nil
279 write_attribute(:priority_id, pid)
279 write_attribute(:priority_id, pid)
280 end
280 end
281
281
282 def category_id=(cid)
282 def category_id=(cid)
283 self.category = nil
283 self.category = nil
284 write_attribute(:category_id, cid)
284 write_attribute(:category_id, cid)
285 end
285 end
286
286
287 def fixed_version_id=(vid)
287 def fixed_version_id=(vid)
288 self.fixed_version = nil
288 self.fixed_version = nil
289 write_attribute(:fixed_version_id, vid)
289 write_attribute(:fixed_version_id, vid)
290 end
290 end
291
291
292 def tracker_id=(tracker_id)
292 def tracker_id=(tracker_id)
293 if tracker_id.to_s != self.tracker_id.to_s
293 if tracker_id.to_s != self.tracker_id.to_s
294 self.tracker = (tracker_id.present? ? Tracker.find_by_id(tracker_id) : nil)
294 self.tracker = (tracker_id.present? ? Tracker.find_by_id(tracker_id) : nil)
295 end
295 end
296 self.tracker_id
296 self.tracker_id
297 end
297 end
298
298
299 # Sets the tracker.
299 # Sets the tracker.
300 # This will set the status to the default status of the new tracker if:
300 # This will set the status to the default status of the new tracker if:
301 # * the status was the default for the previous tracker
301 # * the status was the default for the previous tracker
302 # * or if the status was not part of the new tracker statuses
302 # * or if the status was not part of the new tracker statuses
303 # * or the status was nil
303 # * or the status was nil
304 def tracker=(tracker)
304 def tracker=(tracker)
305 tracker_was = self.tracker
305 tracker_was = self.tracker
306 association(:tracker).writer(tracker)
306 association(:tracker).writer(tracker)
307 if tracker != tracker_was
307 if tracker != tracker_was
308 if status == tracker_was.try(:default_status)
308 if status == tracker_was.try(:default_status)
309 self.status = nil
309 self.status = nil
310 elsif status && tracker && !tracker.issue_status_ids.include?(status.id)
310 elsif status && tracker && !tracker.issue_status_ids.include?(status.id)
311 self.status = nil
311 self.status = nil
312 end
312 end
313 reassign_custom_field_values
313 reassign_custom_field_values
314 @workflow_rule_by_attribute = nil
314 @workflow_rule_by_attribute = nil
315 end
315 end
316 self.status ||= default_status
316 self.status ||= default_status
317 self.tracker
317 self.tracker
318 end
318 end
319
319
320 def project_id=(project_id)
320 def project_id=(project_id)
321 if project_id.to_s != self.project_id.to_s
321 if project_id.to_s != self.project_id.to_s
322 self.project = (project_id.present? ? Project.find_by_id(project_id) : nil)
322 self.project = (project_id.present? ? Project.find_by_id(project_id) : nil)
323 end
323 end
324 self.project_id
324 self.project_id
325 end
325 end
326
326
327 # Sets the project.
327 # Sets the project.
328 # Unless keep_tracker argument is set to true, this will change the tracker
328 # Unless keep_tracker argument is set to true, this will change the tracker
329 # to the first tracker of the new project if the previous tracker is not part
329 # to the first tracker of the new project if the previous tracker is not part
330 # of the new project trackers.
330 # of the new project trackers.
331 # This will:
331 # This will:
332 # * clear the fixed_version is it's no longer valid for the new project.
332 # * clear the fixed_version is it's no longer valid for the new project.
333 # * clear the parent issue if it's no longer valid for the new project.
333 # * clear the parent issue if it's no longer valid for the new project.
334 # * set the category to the category with the same name in the new
334 # * set the category to the category with the same name in the new
335 # project if it exists, or clear it if it doesn't.
335 # project if it exists, or clear it if it doesn't.
336 # * for new issue, set the fixed_version to the project default version
336 # * for new issue, set the fixed_version to the project default version
337 # if it's a valid fixed_version.
337 # if it's a valid fixed_version.
338 def project=(project, keep_tracker=false)
338 def project=(project, keep_tracker=false)
339 project_was = self.project
339 project_was = self.project
340 association(:project).writer(project)
340 association(:project).writer(project)
341 if project_was && project && project_was != project
341 if project_was && project && project_was != project
342 @assignable_versions = nil
342 @assignable_versions = nil
343
343
344 unless keep_tracker || project.trackers.include?(tracker)
344 unless keep_tracker || project.trackers.include?(tracker)
345 self.tracker = project.trackers.first
345 self.tracker = project.trackers.first
346 end
346 end
347 # Reassign to the category with same name if any
347 # Reassign to the category with same name if any
348 if category
348 if category
349 self.category = project.issue_categories.find_by_name(category.name)
349 self.category = project.issue_categories.find_by_name(category.name)
350 end
350 end
351 # Keep the fixed_version if it's still valid in the new_project
351 # Keep the fixed_version if it's still valid in the new_project
352 if fixed_version && fixed_version.project != project && !project.shared_versions.include?(fixed_version)
352 if fixed_version && fixed_version.project != project && !project.shared_versions.include?(fixed_version)
353 self.fixed_version = nil
353 self.fixed_version = nil
354 end
354 end
355 # Clear the parent task if it's no longer valid
355 # Clear the parent task if it's no longer valid
356 unless valid_parent_project?
356 unless valid_parent_project?
357 self.parent_issue_id = nil
357 self.parent_issue_id = nil
358 end
358 end
359 reassign_custom_field_values
359 reassign_custom_field_values
360 @workflow_rule_by_attribute = nil
360 @workflow_rule_by_attribute = nil
361 end
361 end
362 # Set fixed_version to the project default version if it's valid
362 # Set fixed_version to the project default version if it's valid
363 if new_record? && fixed_version.nil? && project && project.default_version_id?
363 if new_record? && fixed_version.nil? && project && project.default_version_id?
364 if project.shared_versions.open.exists?(project.default_version_id)
364 if project.shared_versions.open.exists?(project.default_version_id)
365 self.fixed_version_id = project.default_version_id
365 self.fixed_version_id = project.default_version_id
366 end
366 end
367 end
367 end
368 self.project
368 self.project
369 end
369 end
370
370
371 def description=(arg)
371 def description=(arg)
372 if arg.is_a?(String)
372 if arg.is_a?(String)
373 arg = arg.gsub(/(\r\n|\n|\r)/, "\r\n")
373 arg = arg.gsub(/(\r\n|\n|\r)/, "\r\n")
374 end
374 end
375 write_attribute(:description, arg)
375 write_attribute(:description, arg)
376 end
376 end
377
377
378 # Overrides assign_attributes so that project and tracker get assigned first
378 # Overrides assign_attributes so that project and tracker get assigned first
379 def assign_attributes_with_project_and_tracker_first(new_attributes, *args)
379 def assign_attributes_with_project_and_tracker_first(new_attributes, *args)
380 return if new_attributes.nil?
380 return if new_attributes.nil?
381 attrs = new_attributes.dup
381 attrs = new_attributes.dup
382 attrs.stringify_keys!
382 attrs.stringify_keys!
383
383
384 %w(project project_id tracker tracker_id).each do |attr|
384 %w(project project_id tracker tracker_id).each do |attr|
385 if attrs.has_key?(attr)
385 if attrs.has_key?(attr)
386 send "#{attr}=", attrs.delete(attr)
386 send "#{attr}=", attrs.delete(attr)
387 end
387 end
388 end
388 end
389 send :assign_attributes_without_project_and_tracker_first, attrs, *args
389 send :assign_attributes_without_project_and_tracker_first, attrs, *args
390 end
390 end
391 # Do not redefine alias chain on reload (see #4838)
391 # Do not redefine alias chain on reload (see #4838)
392 alias_method_chain(:assign_attributes, :project_and_tracker_first) unless method_defined?(:assign_attributes_without_project_and_tracker_first)
392 alias_method_chain(:assign_attributes, :project_and_tracker_first) unless method_defined?(:assign_attributes_without_project_and_tracker_first)
393
393
394 def attributes=(new_attributes)
394 def attributes=(new_attributes)
395 assign_attributes new_attributes
395 assign_attributes new_attributes
396 end
396 end
397
397
398 def estimated_hours=(h)
398 def estimated_hours=(h)
399 write_attribute :estimated_hours, (h.is_a?(String) ? h.to_hours : h)
399 write_attribute :estimated_hours, (h.is_a?(String) ? h.to_hours : h)
400 end
400 end
401
401
402 safe_attributes 'project_id',
402 safe_attributes 'project_id',
403 'tracker_id',
403 'tracker_id',
404 'status_id',
404 'status_id',
405 'category_id',
405 'category_id',
406 'assigned_to_id',
406 'assigned_to_id',
407 'priority_id',
407 'priority_id',
408 'fixed_version_id',
408 'fixed_version_id',
409 'subject',
409 'subject',
410 'description',
410 'description',
411 'start_date',
411 'start_date',
412 'due_date',
412 'due_date',
413 'done_ratio',
413 'done_ratio',
414 'estimated_hours',
414 'estimated_hours',
415 'custom_field_values',
415 'custom_field_values',
416 'custom_fields',
416 'custom_fields',
417 'lock_version',
417 'lock_version',
418 'notes',
418 'notes',
419 :if => lambda {|issue, user| issue.new_record? || user.allowed_to?(:edit_issues, issue.project) }
419 :if => lambda {|issue, user| issue.new_record? || user.allowed_to?(:edit_issues, issue.project) }
420
420
421 safe_attributes 'notes',
421 safe_attributes 'notes',
422 :if => lambda {|issue, user| user.allowed_to?(:add_issue_notes, issue.project)}
422 :if => lambda {|issue, user| user.allowed_to?(:add_issue_notes, issue.project)}
423
423
424 safe_attributes 'private_notes',
424 safe_attributes 'private_notes',
425 :if => lambda {|issue, user| !issue.new_record? && user.allowed_to?(:set_notes_private, issue.project)}
425 :if => lambda {|issue, user| !issue.new_record? && user.allowed_to?(:set_notes_private, issue.project)}
426
426
427 safe_attributes 'watcher_user_ids',
427 safe_attributes 'watcher_user_ids',
428 :if => lambda {|issue, user| issue.new_record? && user.allowed_to?(:add_issue_watchers, issue.project)}
428 :if => lambda {|issue, user| issue.new_record? && user.allowed_to?(:add_issue_watchers, issue.project)}
429
429
430 safe_attributes 'is_private',
430 safe_attributes 'is_private',
431 :if => lambda {|issue, user|
431 :if => lambda {|issue, user|
432 user.allowed_to?(:set_issues_private, issue.project) ||
432 user.allowed_to?(:set_issues_private, issue.project) ||
433 (issue.author_id == user.id && user.allowed_to?(:set_own_issues_private, issue.project))
433 (issue.author_id == user.id && user.allowed_to?(:set_own_issues_private, issue.project))
434 }
434 }
435
435
436 safe_attributes 'parent_issue_id',
436 safe_attributes 'parent_issue_id',
437 :if => lambda {|issue, user| (issue.new_record? || user.allowed_to?(:edit_issues, issue.project)) &&
437 :if => lambda {|issue, user| (issue.new_record? || user.allowed_to?(:edit_issues, issue.project)) &&
438 user.allowed_to?(:manage_subtasks, issue.project)}
438 user.allowed_to?(:manage_subtasks, issue.project)}
439
439
440 def safe_attribute_names(user=nil)
440 def safe_attribute_names(user=nil)
441 names = super
441 names = super
442 names -= disabled_core_fields
442 names -= disabled_core_fields
443 names -= read_only_attribute_names(user)
443 names -= read_only_attribute_names(user)
444 if new_record?
444 if new_record?
445 # Make sure that project_id can always be set for new issues
445 # Make sure that project_id can always be set for new issues
446 names |= %w(project_id)
446 names |= %w(project_id)
447 end
447 end
448 if dates_derived?
448 if dates_derived?
449 names -= %w(start_date due_date)
449 names -= %w(start_date due_date)
450 end
450 end
451 if priority_derived?
451 if priority_derived?
452 names -= %w(priority_id)
452 names -= %w(priority_id)
453 end
453 end
454 if done_ratio_derived?
454 if done_ratio_derived?
455 names -= %w(done_ratio)
455 names -= %w(done_ratio)
456 end
456 end
457 names
457 names
458 end
458 end
459
459
460 # Safely sets attributes
460 # Safely sets attributes
461 # Should be called from controllers instead of #attributes=
461 # Should be called from controllers instead of #attributes=
462 # attr_accessible is too rough because we still want things like
462 # attr_accessible is too rough because we still want things like
463 # Issue.new(:project => foo) to work
463 # Issue.new(:project => foo) to work
464 def safe_attributes=(attrs, user=User.current)
464 def safe_attributes=(attrs, user=User.current)
465 return unless attrs.is_a?(Hash)
465 return unless attrs.is_a?(Hash)
466
466
467 attrs = attrs.deep_dup
467 attrs = attrs.deep_dup
468
468
469 # Project and Tracker must be set before since new_statuses_allowed_to depends on it.
469 # Project and Tracker must be set before since new_statuses_allowed_to depends on it.
470 if (p = attrs.delete('project_id')) && safe_attribute?('project_id')
470 if (p = attrs.delete('project_id')) && safe_attribute?('project_id')
471 if allowed_target_projects(user).where(:id => p.to_i).exists?
471 if allowed_target_projects(user).where(:id => p.to_i).exists?
472 self.project_id = p
472 self.project_id = p
473 end
473 end
474
474
475 if project_id_changed? && attrs['category_id'].to_s == category_id_was.to_s
475 if project_id_changed? && attrs['category_id'].to_s == category_id_was.to_s
476 # Discard submitted category on previous project
476 # Discard submitted category on previous project
477 attrs.delete('category_id')
477 attrs.delete('category_id')
478 end
478 end
479 end
479 end
480
480
481 if (t = attrs.delete('tracker_id')) && safe_attribute?('tracker_id')
481 if (t = attrs.delete('tracker_id')) && safe_attribute?('tracker_id')
482 self.tracker_id = t
482 self.tracker_id = t
483 end
483 end
484 if project
484 if project
485 # Set the default tracker to accept custom field values
485 # Set the default tracker to accept custom field values
486 # even if tracker is not specified
486 # even if tracker is not specified
487 self.tracker ||= project.trackers.first
487 self.tracker ||= project.trackers.first
488 end
488 end
489
489
490 statuses_allowed = new_statuses_allowed_to(user)
490 statuses_allowed = new_statuses_allowed_to(user)
491 if (s = attrs.delete('status_id')) && safe_attribute?('status_id')
491 if (s = attrs.delete('status_id')) && safe_attribute?('status_id')
492 if statuses_allowed.collect(&:id).include?(s.to_i)
492 if statuses_allowed.collect(&:id).include?(s.to_i)
493 self.status_id = s
493 self.status_id = s
494 end
494 end
495 end
495 end
496 if new_record? && !statuses_allowed.include?(status)
496 if new_record? && !statuses_allowed.include?(status)
497 self.status = statuses_allowed.first || default_status
497 self.status = statuses_allowed.first || default_status
498 end
498 end
499 if (u = attrs.delete('assigned_to_id')) && safe_attribute?('assigned_to_id')
499 if (u = attrs.delete('assigned_to_id')) && safe_attribute?('assigned_to_id')
500 if u.blank?
500 if u.blank?
501 self.assigned_to_id = nil
501 self.assigned_to_id = nil
502 else
502 else
503 u = u.to_i
503 u = u.to_i
504 if assignable_users.any?{|assignable_user| assignable_user.id == u}
504 if assignable_users.any?{|assignable_user| assignable_user.id == u}
505 self.assigned_to_id = u
505 self.assigned_to_id = u
506 end
506 end
507 end
507 end
508 end
508 end
509
509
510
510
511 attrs = delete_unsafe_attributes(attrs, user)
511 attrs = delete_unsafe_attributes(attrs, user)
512 return if attrs.empty?
512 return if attrs.empty?
513
513
514 if attrs['parent_issue_id'].present?
514 if attrs['parent_issue_id'].present?
515 s = attrs['parent_issue_id'].to_s
515 s = attrs['parent_issue_id'].to_s
516 unless (m = s.match(%r{\A#?(\d+)\z})) && (m[1] == parent_id.to_s || Issue.visible(user).exists?(m[1]))
516 unless (m = s.match(%r{\A#?(\d+)\z})) && (m[1] == parent_id.to_s || Issue.visible(user).exists?(m[1]))
517 @invalid_parent_issue_id = attrs.delete('parent_issue_id')
517 @invalid_parent_issue_id = attrs.delete('parent_issue_id')
518 end
518 end
519 end
519 end
520
520
521 if attrs['custom_field_values'].present?
521 if attrs['custom_field_values'].present?
522 editable_custom_field_ids = editable_custom_field_values(user).map {|v| v.custom_field_id.to_s}
522 editable_custom_field_ids = editable_custom_field_values(user).map {|v| v.custom_field_id.to_s}
523 attrs['custom_field_values'].select! {|k, v| editable_custom_field_ids.include?(k.to_s)}
523 attrs['custom_field_values'].select! {|k, v| editable_custom_field_ids.include?(k.to_s)}
524 end
524 end
525
525
526 if attrs['custom_fields'].present?
526 if attrs['custom_fields'].present?
527 editable_custom_field_ids = editable_custom_field_values(user).map {|v| v.custom_field_id.to_s}
527 editable_custom_field_ids = editable_custom_field_values(user).map {|v| v.custom_field_id.to_s}
528 attrs['custom_fields'].select! {|c| editable_custom_field_ids.include?(c['id'].to_s)}
528 attrs['custom_fields'].select! {|c| editable_custom_field_ids.include?(c['id'].to_s)}
529 end
529 end
530
530
531 # mass-assignment security bypass
531 # mass-assignment security bypass
532 assign_attributes attrs, :without_protection => true
532 assign_attributes attrs, :without_protection => true
533 end
533 end
534
534
535 def disabled_core_fields
535 def disabled_core_fields
536 tracker ? tracker.disabled_core_fields : []
536 tracker ? tracker.disabled_core_fields : []
537 end
537 end
538
538
539 # Returns the custom_field_values that can be edited by the given user
539 # Returns the custom_field_values that can be edited by the given user
540 def editable_custom_field_values(user=nil)
540 def editable_custom_field_values(user=nil)
541 visible_custom_field_values(user).reject do |value|
541 visible_custom_field_values(user).reject do |value|
542 read_only_attribute_names(user).include?(value.custom_field_id.to_s)
542 read_only_attribute_names(user).include?(value.custom_field_id.to_s)
543 end
543 end
544 end
544 end
545
545
546 # Returns the custom fields that can be edited by the given user
546 # Returns the custom fields that can be edited by the given user
547 def editable_custom_fields(user=nil)
547 def editable_custom_fields(user=nil)
548 editable_custom_field_values(user).map(&:custom_field).uniq
548 editable_custom_field_values(user).map(&:custom_field).uniq
549 end
549 end
550
550
551 # Returns the names of attributes that are read-only for user or the current user
551 # Returns the names of attributes that are read-only for user or the current user
552 # For users with multiple roles, the read-only fields are the intersection of
552 # For users with multiple roles, the read-only fields are the intersection of
553 # read-only fields of each role
553 # read-only fields of each role
554 # The result is an array of strings where sustom fields are represented with their ids
554 # The result is an array of strings where sustom fields are represented with their ids
555 #
555 #
556 # Examples:
556 # Examples:
557 # issue.read_only_attribute_names # => ['due_date', '2']
557 # issue.read_only_attribute_names # => ['due_date', '2']
558 # issue.read_only_attribute_names(user) # => []
558 # issue.read_only_attribute_names(user) # => []
559 def read_only_attribute_names(user=nil)
559 def read_only_attribute_names(user=nil)
560 workflow_rule_by_attribute(user).reject {|attr, rule| rule != 'readonly'}.keys
560 workflow_rule_by_attribute(user).reject {|attr, rule| rule != 'readonly'}.keys
561 end
561 end
562
562
563 # Returns the names of required attributes for user or the current user
563 # Returns the names of required attributes for user or the current user
564 # For users with multiple roles, the required fields are the intersection of
564 # For users with multiple roles, the required fields are the intersection of
565 # required fields of each role
565 # required fields of each role
566 # The result is an array of strings where sustom fields are represented with their ids
566 # The result is an array of strings where sustom fields are represented with their ids
567 #
567 #
568 # Examples:
568 # Examples:
569 # issue.required_attribute_names # => ['due_date', '2']
569 # issue.required_attribute_names # => ['due_date', '2']
570 # issue.required_attribute_names(user) # => []
570 # issue.required_attribute_names(user) # => []
571 def required_attribute_names(user=nil)
571 def required_attribute_names(user=nil)
572 workflow_rule_by_attribute(user).reject {|attr, rule| rule != 'required'}.keys
572 workflow_rule_by_attribute(user).reject {|attr, rule| rule != 'required'}.keys
573 end
573 end
574
574
575 # Returns true if the attribute is required for user
575 # Returns true if the attribute is required for user
576 def required_attribute?(name, user=nil)
576 def required_attribute?(name, user=nil)
577 required_attribute_names(user).include?(name.to_s)
577 required_attribute_names(user).include?(name.to_s)
578 end
578 end
579
579
580 # Returns a hash of the workflow rule by attribute for the given user
580 # Returns a hash of the workflow rule by attribute for the given user
581 #
581 #
582 # Examples:
582 # Examples:
583 # issue.workflow_rule_by_attribute # => {'due_date' => 'required', 'start_date' => 'readonly'}
583 # issue.workflow_rule_by_attribute # => {'due_date' => 'required', 'start_date' => 'readonly'}
584 def workflow_rule_by_attribute(user=nil)
584 def workflow_rule_by_attribute(user=nil)
585 return @workflow_rule_by_attribute if @workflow_rule_by_attribute && user.nil?
585 return @workflow_rule_by_attribute if @workflow_rule_by_attribute && user.nil?
586
586
587 user_real = user || User.current
587 user_real = user || User.current
588 roles = user_real.admin ? Role.all.to_a : user_real.roles_for_project(project)
588 roles = user_real.admin ? Role.all.to_a : user_real.roles_for_project(project)
589 roles = roles.select(&:consider_workflow?)
589 roles = roles.select(&:consider_workflow?)
590 return {} if roles.empty?
590 return {} if roles.empty?
591
591
592 result = {}
592 result = {}
593 workflow_permissions = WorkflowPermission.where(:tracker_id => tracker_id, :old_status_id => status_id, :role_id => roles.map(&:id)).to_a
593 workflow_permissions = WorkflowPermission.where(:tracker_id => tracker_id, :old_status_id => status_id, :role_id => roles.map(&:id)).to_a
594 if workflow_permissions.any?
594 if workflow_permissions.any?
595 workflow_rules = workflow_permissions.inject({}) do |h, wp|
595 workflow_rules = workflow_permissions.inject({}) do |h, wp|
596 h[wp.field_name] ||= {}
596 h[wp.field_name] ||= {}
597 h[wp.field_name][wp.role_id] = wp.rule
597 h[wp.field_name][wp.role_id] = wp.rule
598 h
598 h
599 end
599 end
600 fields_with_roles = {}
600 fields_with_roles = {}
601 IssueCustomField.where(:visible => false).joins(:roles).pluck(:id, "role_id").each do |field_id, role_id|
601 IssueCustomField.where(:visible => false).joins(:roles).pluck(:id, "role_id").each do |field_id, role_id|
602 fields_with_roles[field_id] ||= []
602 fields_with_roles[field_id] ||= []
603 fields_with_roles[field_id] << role_id
603 fields_with_roles[field_id] << role_id
604 end
604 end
605 roles.each do |role|
605 roles.each do |role|
606 fields_with_roles.each do |field_id, role_ids|
606 fields_with_roles.each do |field_id, role_ids|
607 unless role_ids.include?(role.id)
607 unless role_ids.include?(role.id)
608 field_name = field_id.to_s
608 field_name = field_id.to_s
609 workflow_rules[field_name] ||= {}
609 workflow_rules[field_name] ||= {}
610 workflow_rules[field_name][role.id] = 'readonly'
610 workflow_rules[field_name][role.id] = 'readonly'
611 end
611 end
612 end
612 end
613 end
613 end
614 workflow_rules.each do |attr, rules|
614 workflow_rules.each do |attr, rules|
615 next if rules.size < roles.size
615 next if rules.size < roles.size
616 uniq_rules = rules.values.uniq
616 uniq_rules = rules.values.uniq
617 if uniq_rules.size == 1
617 if uniq_rules.size == 1
618 result[attr] = uniq_rules.first
618 result[attr] = uniq_rules.first
619 else
619 else
620 result[attr] = 'required'
620 result[attr] = 'required'
621 end
621 end
622 end
622 end
623 end
623 end
624 @workflow_rule_by_attribute = result if user.nil?
624 @workflow_rule_by_attribute = result if user.nil?
625 result
625 result
626 end
626 end
627 private :workflow_rule_by_attribute
627 private :workflow_rule_by_attribute
628
628
629 def done_ratio
629 def done_ratio
630 if Issue.use_status_for_done_ratio? && status && status.default_done_ratio
630 if Issue.use_status_for_done_ratio? && status && status.default_done_ratio
631 status.default_done_ratio
631 status.default_done_ratio
632 else
632 else
633 read_attribute(:done_ratio)
633 read_attribute(:done_ratio)
634 end
634 end
635 end
635 end
636
636
637 def self.use_status_for_done_ratio?
637 def self.use_status_for_done_ratio?
638 Setting.issue_done_ratio == 'issue_status'
638 Setting.issue_done_ratio == 'issue_status'
639 end
639 end
640
640
641 def self.use_field_for_done_ratio?
641 def self.use_field_for_done_ratio?
642 Setting.issue_done_ratio == 'issue_field'
642 Setting.issue_done_ratio == 'issue_field'
643 end
643 end
644
644
645 def validate_issue
645 def validate_issue
646 if due_date && start_date && (start_date_changed? || due_date_changed?) && due_date < start_date
646 if due_date && start_date && (start_date_changed? || due_date_changed?) && due_date < start_date
647 errors.add :due_date, :greater_than_start_date
647 errors.add :due_date, :greater_than_start_date
648 end
648 end
649
649
650 if start_date && start_date_changed? && soonest_start && start_date < soonest_start
650 if start_date && start_date_changed? && soonest_start && start_date < soonest_start
651 errors.add :start_date, :earlier_than_minimum_start_date, :date => format_date(soonest_start)
651 errors.add :start_date, :earlier_than_minimum_start_date, :date => format_date(soonest_start)
652 end
652 end
653
653
654 if fixed_version
654 if fixed_version
655 if !assignable_versions.include?(fixed_version)
655 if !assignable_versions.include?(fixed_version)
656 errors.add :fixed_version_id, :inclusion
656 errors.add :fixed_version_id, :inclusion
657 elsif reopening? && fixed_version.closed?
657 elsif reopening? && fixed_version.closed?
658 errors.add :base, I18n.t(:error_can_not_reopen_issue_on_closed_version)
658 errors.add :base, I18n.t(:error_can_not_reopen_issue_on_closed_version)
659 end
659 end
660 end
660 end
661
661
662 # Checks that the issue can not be added/moved to a disabled tracker
662 # Checks that the issue can not be added/moved to a disabled tracker
663 if project && (tracker_id_changed? || project_id_changed?)
663 if project && (tracker_id_changed? || project_id_changed?)
664 unless project.trackers.include?(tracker)
664 unless project.trackers.include?(tracker)
665 errors.add :tracker_id, :inclusion
665 errors.add :tracker_id, :inclusion
666 end
666 end
667 end
667 end
668
668
669 # Checks parent issue assignment
669 # Checks parent issue assignment
670 if @invalid_parent_issue_id.present?
670 if @invalid_parent_issue_id.present?
671 errors.add :parent_issue_id, :invalid
671 errors.add :parent_issue_id, :invalid
672 elsif @parent_issue
672 elsif @parent_issue
673 if !valid_parent_project?(@parent_issue)
673 if !valid_parent_project?(@parent_issue)
674 errors.add :parent_issue_id, :invalid
674 errors.add :parent_issue_id, :invalid
675 elsif (@parent_issue != parent) && (all_dependent_issues.include?(@parent_issue) || @parent_issue.all_dependent_issues.include?(self))
675 elsif (@parent_issue != parent) && (all_dependent_issues.include?(@parent_issue) || @parent_issue.all_dependent_issues.include?(self))
676 errors.add :parent_issue_id, :invalid
676 errors.add :parent_issue_id, :invalid
677 elsif !new_record?
677 elsif !new_record?
678 # moving an existing issue
678 # moving an existing issue
679 if move_possible?(@parent_issue)
679 if move_possible?(@parent_issue)
680 # move accepted
680 # move accepted
681 else
681 else
682 errors.add :parent_issue_id, :invalid
682 errors.add :parent_issue_id, :invalid
683 end
683 end
684 end
684 end
685 end
685 end
686 end
686 end
687
687
688 # Validates the issue against additional workflow requirements
688 # Validates the issue against additional workflow requirements
689 def validate_required_fields
689 def validate_required_fields
690 user = new_record? ? author : current_journal.try(:user)
690 user = new_record? ? author : current_journal.try(:user)
691
691
692 required_attribute_names(user).each do |attribute|
692 required_attribute_names(user).each do |attribute|
693 if attribute =~ /^\d+$/
693 if attribute =~ /^\d+$/
694 attribute = attribute.to_i
694 attribute = attribute.to_i
695 v = custom_field_values.detect {|v| v.custom_field_id == attribute }
695 v = custom_field_values.detect {|v| v.custom_field_id == attribute }
696 if v && Array(v.value).detect(&:present?).nil?
696 if v && Array(v.value).detect(&:present?).nil?
697 errors.add :base, v.custom_field.name + ' ' + l('activerecord.errors.messages.blank')
697 errors.add :base, v.custom_field.name + ' ' + l('activerecord.errors.messages.blank')
698 end
698 end
699 else
699 else
700 if respond_to?(attribute) && send(attribute).blank? && !disabled_core_fields.include?(attribute)
700 if respond_to?(attribute) && send(attribute).blank? && !disabled_core_fields.include?(attribute)
701 next if attribute == 'category_id' && project.try(:issue_categories).blank?
701 next if attribute == 'category_id' && project.try(:issue_categories).blank?
702 next if attribute == 'fixed_version_id' && assignable_versions.blank?
702 next if attribute == 'fixed_version_id' && assignable_versions.blank?
703 errors.add attribute, :blank
703 errors.add attribute, :blank
704 end
704 end
705 end
705 end
706 end
706 end
707 end
707 end
708
708
709 # Overrides Redmine::Acts::Customizable::InstanceMethods#validate_custom_field_values
709 # Overrides Redmine::Acts::Customizable::InstanceMethods#validate_custom_field_values
710 # so that custom values that are not editable are not validated (eg. a custom field that
710 # so that custom values that are not editable are not validated (eg. a custom field that
711 # is marked as required should not trigger a validation error if the user is not allowed
711 # is marked as required should not trigger a validation error if the user is not allowed
712 # to edit this field).
712 # to edit this field).
713 def validate_custom_field_values
713 def validate_custom_field_values
714 user = new_record? ? author : current_journal.try(:user)
714 user = new_record? ? author : current_journal.try(:user)
715 if new_record? || custom_field_values_changed?
715 if new_record? || custom_field_values_changed?
716 editable_custom_field_values(user).each(&:validate_value)
716 editable_custom_field_values(user).each(&:validate_value)
717 end
717 end
718 end
718 end
719
719
720 # Set the done_ratio using the status if that setting is set. This will keep the done_ratios
720 # Set the done_ratio using the status if that setting is set. This will keep the done_ratios
721 # even if the user turns off the setting later
721 # even if the user turns off the setting later
722 def update_done_ratio_from_issue_status
722 def update_done_ratio_from_issue_status
723 if Issue.use_status_for_done_ratio? && status && status.default_done_ratio
723 if Issue.use_status_for_done_ratio? && status && status.default_done_ratio
724 self.done_ratio = status.default_done_ratio
724 self.done_ratio = status.default_done_ratio
725 end
725 end
726 end
726 end
727
727
728 def init_journal(user, notes = "")
728 def init_journal(user, notes = "")
729 @current_journal ||= Journal.new(:journalized => self, :user => user, :notes => notes)
729 @current_journal ||= Journal.new(:journalized => self, :user => user, :notes => notes)
730 end
730 end
731
731
732 # Returns the current journal or nil if it's not initialized
732 # Returns the current journal or nil if it's not initialized
733 def current_journal
733 def current_journal
734 @current_journal
734 @current_journal
735 end
735 end
736
736
737 # Returns the names of attributes that are journalized when updating the issue
737 # Returns the names of attributes that are journalized when updating the issue
738 def journalized_attribute_names
738 def journalized_attribute_names
739 names = Issue.column_names - %w(id root_id lft rgt lock_version created_on updated_on closed_on)
739 names = Issue.column_names - %w(id root_id lft rgt lock_version created_on updated_on closed_on)
740 if tracker
740 if tracker
741 names -= tracker.disabled_core_fields
741 names -= tracker.disabled_core_fields
742 end
742 end
743 names
743 names
744 end
744 end
745
745
746 # Returns the id of the last journal or nil
746 # Returns the id of the last journal or nil
747 def last_journal_id
747 def last_journal_id
748 if new_record?
748 if new_record?
749 nil
749 nil
750 else
750 else
751 journals.maximum(:id)
751 journals.maximum(:id)
752 end
752 end
753 end
753 end
754
754
755 # Returns a scope for journals that have an id greater than journal_id
755 # Returns a scope for journals that have an id greater than journal_id
756 def journals_after(journal_id)
756 def journals_after(journal_id)
757 scope = journals.reorder("#{Journal.table_name}.id ASC")
757 scope = journals.reorder("#{Journal.table_name}.id ASC")
758 if journal_id.present?
758 if journal_id.present?
759 scope = scope.where("#{Journal.table_name}.id > ?", journal_id.to_i)
759 scope = scope.where("#{Journal.table_name}.id > ?", journal_id.to_i)
760 end
760 end
761 scope
761 scope
762 end
762 end
763
763
764 # Returns the initial status of the issue
764 # Returns the initial status of the issue
765 # Returns nil for a new issue
765 # Returns nil for a new issue
766 def status_was
766 def status_was
767 if status_id_changed?
767 if status_id_changed?
768 if status_id_was.to_i > 0
768 if status_id_was.to_i > 0
769 @status_was ||= IssueStatus.find_by_id(status_id_was)
769 @status_was ||= IssueStatus.find_by_id(status_id_was)
770 end
770 end
771 else
771 else
772 @status_was ||= status
772 @status_was ||= status
773 end
773 end
774 end
774 end
775
775
776 # Return true if the issue is closed, otherwise false
776 # Return true if the issue is closed, otherwise false
777 def closed?
777 def closed?
778 status.present? && status.is_closed?
778 status.present? && status.is_closed?
779 end
779 end
780
780
781 # Returns true if the issue was closed when loaded
781 # Returns true if the issue was closed when loaded
782 def was_closed?
782 def was_closed?
783 status_was.present? && status_was.is_closed?
783 status_was.present? && status_was.is_closed?
784 end
784 end
785
785
786 # Return true if the issue is being reopened
786 # Return true if the issue is being reopened
787 def reopening?
787 def reopening?
788 if new_record?
788 if new_record?
789 false
789 false
790 else
790 else
791 status_id_changed? && !closed? && was_closed?
791 status_id_changed? && !closed? && was_closed?
792 end
792 end
793 end
793 end
794 alias :reopened? :reopening?
794 alias :reopened? :reopening?
795
795
796 # Return true if the issue is being closed
796 # Return true if the issue is being closed
797 def closing?
797 def closing?
798 if new_record?
798 if new_record?
799 closed?
799 closed?
800 else
800 else
801 status_id_changed? && closed? && !was_closed?
801 status_id_changed? && closed? && !was_closed?
802 end
802 end
803 end
803 end
804
804
805 # Returns true if the issue is overdue
805 # Returns true if the issue is overdue
806 def overdue?
806 def overdue?
807 due_date.present? && (due_date < Date.today) && !closed?
807 due_date.present? && (due_date < Date.today) && !closed?
808 end
808 end
809
809
810 # Is the amount of work done less than it should for the due date
810 # Is the amount of work done less than it should for the due date
811 def behind_schedule?
811 def behind_schedule?
812 return false if start_date.nil? || due_date.nil?
812 return false if start_date.nil? || due_date.nil?
813 done_date = start_date + ((due_date - start_date + 1) * done_ratio / 100).floor
813 done_date = start_date + ((due_date - start_date + 1) * done_ratio / 100).floor
814 return done_date <= Date.today
814 return done_date <= Date.today
815 end
815 end
816
816
817 # Does this issue have children?
817 # Does this issue have children?
818 def children?
818 def children?
819 !leaf?
819 !leaf?
820 end
820 end
821
821
822 # Users the issue can be assigned to
822 # Users the issue can be assigned to
823 def assignable_users
823 def assignable_users
824 users = project.assignable_users.to_a
824 users = project.assignable_users.to_a
825 users << author if author && author.active?
825 users << author if author && author.active?
826 users << assigned_to if assigned_to
826 users << assigned_to if assigned_to
827 users.uniq.sort
827 users.uniq.sort
828 end
828 end
829
829
830 # Versions that the issue can be assigned to
830 # Versions that the issue can be assigned to
831 def assignable_versions
831 def assignable_versions
832 return @assignable_versions if @assignable_versions
832 return @assignable_versions if @assignable_versions
833
833
834 versions = project.shared_versions.open.to_a
834 versions = project.shared_versions.open.to_a
835 if fixed_version
835 if fixed_version
836 if fixed_version_id_changed?
836 if fixed_version_id_changed?
837 # nothing to do
837 # nothing to do
838 elsif project_id_changed?
838 elsif project_id_changed?
839 if project.shared_versions.include?(fixed_version)
839 if project.shared_versions.include?(fixed_version)
840 versions << fixed_version
840 versions << fixed_version
841 end
841 end
842 else
842 else
843 versions << fixed_version
843 versions << fixed_version
844 end
844 end
845 end
845 end
846 @assignable_versions = versions.uniq.sort
846 @assignable_versions = versions.uniq.sort
847 end
847 end
848
848
849 # Returns true if this issue is blocked by another issue that is still open
849 # Returns true if this issue is blocked by another issue that is still open
850 def blocked?
850 def blocked?
851 !relations_to.detect {|ir| ir.relation_type == 'blocks' && !ir.issue_from.closed?}.nil?
851 !relations_to.detect {|ir| ir.relation_type == 'blocks' && !ir.issue_from.closed?}.nil?
852 end
852 end
853
853
854 # Returns the default status of the issue based on its tracker
854 # Returns the default status of the issue based on its tracker
855 # Returns nil if tracker is nil
855 # Returns nil if tracker is nil
856 def default_status
856 def default_status
857 tracker.try(:default_status)
857 tracker.try(:default_status)
858 end
858 end
859
859
860 # Returns an array of statuses that user is able to apply
860 # Returns an array of statuses that user is able to apply
861 def new_statuses_allowed_to(user=User.current, include_default=false)
861 def new_statuses_allowed_to(user=User.current, include_default=false)
862 if new_record? && @copied_from
862 if new_record? && @copied_from
863 [default_status, @copied_from.status].compact.uniq.sort
863 [default_status, @copied_from.status].compact.uniq.sort
864 else
864 else
865 initial_status = nil
865 initial_status = nil
866 if new_record?
866 if new_record?
867 # nop
867 # nop
868 elsif tracker_id_changed?
868 elsif tracker_id_changed?
869 if Tracker.where(:id => tracker_id_was, :default_status_id => status_id_was).any?
869 if Tracker.where(:id => tracker_id_was, :default_status_id => status_id_was).any?
870 initial_status = default_status
870 initial_status = default_status
871 elsif tracker.issue_status_ids.include?(status_id_was)
871 elsif tracker.issue_status_ids.include?(status_id_was)
872 initial_status = IssueStatus.find_by_id(status_id_was)
872 initial_status = IssueStatus.find_by_id(status_id_was)
873 else
873 else
874 initial_status = default_status
874 initial_status = default_status
875 end
875 end
876 else
876 else
877 initial_status = status_was
877 initial_status = status_was
878 end
878 end
879
879
880 initial_assigned_to_id = assigned_to_id_changed? ? assigned_to_id_was : assigned_to_id
880 initial_assigned_to_id = assigned_to_id_changed? ? assigned_to_id_was : assigned_to_id
881 assignee_transitions_allowed = initial_assigned_to_id.present? &&
881 assignee_transitions_allowed = initial_assigned_to_id.present? &&
882 (user.id == initial_assigned_to_id || user.group_ids.include?(initial_assigned_to_id))
882 (user.id == initial_assigned_to_id || user.group_ids.include?(initial_assigned_to_id))
883
883
884 statuses = []
884 statuses = []
885 statuses += IssueStatus.new_statuses_allowed(
885 statuses += IssueStatus.new_statuses_allowed(
886 initial_status,
886 initial_status,
887 user.admin ? Role.all.to_a : user.roles_for_project(project),
887 user.admin ? Role.all.to_a : user.roles_for_project(project),
888 tracker,
888 tracker,
889 author == user,
889 author == user,
890 assignee_transitions_allowed
890 assignee_transitions_allowed
891 )
891 )
892 statuses << initial_status unless statuses.empty?
892 statuses << initial_status unless statuses.empty?
893 statuses << default_status if include_default || (new_record? && statuses.empty?)
893 statuses << default_status if include_default || (new_record? && statuses.empty?)
894 statuses = statuses.compact.uniq.sort
894 statuses = statuses.compact.uniq.sort
895 if blocked?
895 if blocked?
896 statuses.reject!(&:is_closed?)
896 statuses.reject!(&:is_closed?)
897 end
897 end
898 statuses
898 statuses
899 end
899 end
900 end
900 end
901
901
902 # Returns the previous assignee (user or group) if changed
902 # Returns the previous assignee (user or group) if changed
903 def assigned_to_was
903 def assigned_to_was
904 # assigned_to_id_was is reset before after_save callbacks
904 # assigned_to_id_was is reset before after_save callbacks
905 user_id = @previous_assigned_to_id || assigned_to_id_was
905 user_id = @previous_assigned_to_id || assigned_to_id_was
906 if user_id && user_id != assigned_to_id
906 if user_id && user_id != assigned_to_id
907 @assigned_to_was ||= Principal.find_by_id(user_id)
907 @assigned_to_was ||= Principal.find_by_id(user_id)
908 end
908 end
909 end
909 end
910
910
911 # Returns the original tracker
911 # Returns the original tracker
912 def tracker_was
912 def tracker_was
913 Tracker.find_by_id(tracker_id_was)
913 Tracker.find_by_id(tracker_id_was)
914 end
914 end
915
915
916 # Returns the users that should be notified
916 # Returns the users that should be notified
917 def notified_users
917 def notified_users
918 notified = []
918 notified = []
919 # Author and assignee are always notified unless they have been
919 # Author and assignee are always notified unless they have been
920 # locked or don't want to be notified
920 # locked or don't want to be notified
921 notified << author if author
921 notified << author if author
922 if assigned_to
922 if assigned_to
923 notified += (assigned_to.is_a?(Group) ? assigned_to.users : [assigned_to])
923 notified += (assigned_to.is_a?(Group) ? assigned_to.users : [assigned_to])
924 end
924 end
925 if assigned_to_was
925 if assigned_to_was
926 notified += (assigned_to_was.is_a?(Group) ? assigned_to_was.users : [assigned_to_was])
926 notified += (assigned_to_was.is_a?(Group) ? assigned_to_was.users : [assigned_to_was])
927 end
927 end
928 notified = notified.select {|u| u.active? && u.notify_about?(self)}
928 notified = notified.select {|u| u.active? && u.notify_about?(self)}
929
929
930 notified += project.notified_users
930 notified += project.notified_users
931 notified.uniq!
931 notified.uniq!
932 # Remove users that can not view the issue
932 # Remove users that can not view the issue
933 notified.reject! {|user| !visible?(user)}
933 notified.reject! {|user| !visible?(user)}
934 notified
934 notified
935 end
935 end
936
936
937 # Returns the email addresses that should be notified
937 # Returns the email addresses that should be notified
938 def recipients
938 def recipients
939 notified_users.collect(&:mail)
939 notified_users.collect(&:mail)
940 end
940 end
941
941
942 def each_notification(users, &block)
942 def each_notification(users, &block)
943 if users.any?
943 if users.any?
944 if custom_field_values.detect {|value| !value.custom_field.visible?}
944 if custom_field_values.detect {|value| !value.custom_field.visible?}
945 users_by_custom_field_visibility = users.group_by do |user|
945 users_by_custom_field_visibility = users.group_by do |user|
946 visible_custom_field_values(user).map(&:custom_field_id).sort
946 visible_custom_field_values(user).map(&:custom_field_id).sort
947 end
947 end
948 users_by_custom_field_visibility.values.each do |users|
948 users_by_custom_field_visibility.values.each do |users|
949 yield(users)
949 yield(users)
950 end
950 end
951 else
951 else
952 yield(users)
952 yield(users)
953 end
953 end
954 end
954 end
955 end
955 end
956
956
957 def notify?
957 def notify?
958 @notify != false
958 @notify != false
959 end
959 end
960
960
961 def notify=(arg)
961 def notify=(arg)
962 @notify = arg
962 @notify = arg
963 end
963 end
964
964
965 # Returns the number of hours spent on this issue
965 # Returns the number of hours spent on this issue
966 def spent_hours
966 def spent_hours
967 @spent_hours ||= time_entries.sum(:hours) || 0
967 @spent_hours ||= time_entries.sum(:hours) || 0
968 end
968 end
969
969
970 # Returns the total number of hours spent on this issue and its descendants
970 # Returns the total number of hours spent on this issue and its descendants
971 def total_spent_hours
971 def total_spent_hours
972 @total_spent_hours ||= if leaf?
972 @total_spent_hours ||= if leaf?
973 spent_hours
973 spent_hours
974 else
974 else
975 self_and_descendants.joins(:time_entries).sum("#{TimeEntry.table_name}.hours").to_f || 0.0
975 self_and_descendants.joins(:time_entries).sum("#{TimeEntry.table_name}.hours").to_f || 0.0
976 end
976 end
977 end
977 end
978
978
979 def total_estimated_hours
979 def total_estimated_hours
980 if leaf?
980 if leaf?
981 estimated_hours
981 estimated_hours
982 else
982 else
983 @total_estimated_hours ||= self_and_descendants.sum(:estimated_hours)
983 @total_estimated_hours ||= self_and_descendants.sum(:estimated_hours)
984 end
984 end
985 end
985 end
986
986
987 def relations
987 def relations
988 @relations ||= IssueRelation::Relations.new(self, (relations_from + relations_to).sort)
988 @relations ||= IssueRelation::Relations.new(self, (relations_from + relations_to).sort)
989 end
989 end
990
990
991 # Preloads relations for a collection of issues
991 # Preloads relations for a collection of issues
992 def self.load_relations(issues)
992 def self.load_relations(issues)
993 if issues.any?
993 if issues.any?
994 relations = IssueRelation.where("issue_from_id IN (:ids) OR issue_to_id IN (:ids)", :ids => issues.map(&:id)).all
994 relations = IssueRelation.where("issue_from_id IN (:ids) OR issue_to_id IN (:ids)", :ids => issues.map(&:id)).all
995 issues.each do |issue|
995 issues.each do |issue|
996 issue.instance_variable_set "@relations", relations.select {|r| r.issue_from_id == issue.id || r.issue_to_id == issue.id}
996 issue.instance_variable_set "@relations", relations.select {|r| r.issue_from_id == issue.id || r.issue_to_id == issue.id}
997 end
997 end
998 end
998 end
999 end
999 end
1000
1000
1001 # Preloads visible spent time for a collection of issues
1001 # Preloads visible spent time for a collection of issues
1002 def self.load_visible_spent_hours(issues, user=User.current)
1002 def self.load_visible_spent_hours(issues, user=User.current)
1003 if issues.any?
1003 if issues.any?
1004 hours_by_issue_id = TimeEntry.visible(user).where(:issue_id => issues.map(&:id)).group(:issue_id).sum(:hours)
1004 hours_by_issue_id = TimeEntry.visible(user).where(:issue_id => issues.map(&:id)).group(:issue_id).sum(:hours)
1005 issues.each do |issue|
1005 issues.each do |issue|
1006 issue.instance_variable_set "@spent_hours", (hours_by_issue_id[issue.id] || 0)
1006 issue.instance_variable_set "@spent_hours", (hours_by_issue_id[issue.id] || 0)
1007 end
1007 end
1008 end
1008 end
1009 end
1009 end
1010
1010
1011 # Preloads visible total spent time for a collection of issues
1011 # Preloads visible total spent time for a collection of issues
1012 def self.load_visible_total_spent_hours(issues, user=User.current)
1012 def self.load_visible_total_spent_hours(issues, user=User.current)
1013 if issues.any?
1013 if issues.any?
1014 hours_by_issue_id = TimeEntry.visible(user).joins(:issue).
1014 hours_by_issue_id = TimeEntry.visible(user).joins(:issue).
1015 joins("JOIN #{Issue.table_name} parent ON parent.root_id = #{Issue.table_name}.root_id" +
1015 joins("JOIN #{Issue.table_name} parent ON parent.root_id = #{Issue.table_name}.root_id" +
1016 " AND parent.lft <= #{Issue.table_name}.lft AND parent.rgt >= #{Issue.table_name}.rgt").
1016 " AND parent.lft <= #{Issue.table_name}.lft AND parent.rgt >= #{Issue.table_name}.rgt").
1017 where("parent.id IN (?)", issues.map(&:id)).group("parent.id").sum(:hours)
1017 where("parent.id IN (?)", issues.map(&:id)).group("parent.id").sum(:hours)
1018 issues.each do |issue|
1018 issues.each do |issue|
1019 issue.instance_variable_set "@total_spent_hours", (hours_by_issue_id[issue.id] || 0)
1019 issue.instance_variable_set "@total_spent_hours", (hours_by_issue_id[issue.id] || 0)
1020 end
1020 end
1021 end
1021 end
1022 end
1022 end
1023
1023
1024 # Preloads visible relations for a collection of issues
1024 # Preloads visible relations for a collection of issues
1025 def self.load_visible_relations(issues, user=User.current)
1025 def self.load_visible_relations(issues, user=User.current)
1026 if issues.any?
1026 if issues.any?
1027 issue_ids = issues.map(&:id)
1027 issue_ids = issues.map(&:id)
1028 # Relations with issue_from in given issues and visible issue_to
1028 # Relations with issue_from in given issues and visible issue_to
1029 relations_from = IssueRelation.joins(:issue_to => :project).
1029 relations_from = IssueRelation.joins(:issue_to => :project).
1030 where(visible_condition(user)).where(:issue_from_id => issue_ids).to_a
1030 where(visible_condition(user)).where(:issue_from_id => issue_ids).to_a
1031 # Relations with issue_to in given issues and visible issue_from
1031 # Relations with issue_to in given issues and visible issue_from
1032 relations_to = IssueRelation.joins(:issue_from => :project).
1032 relations_to = IssueRelation.joins(:issue_from => :project).
1033 where(visible_condition(user)).
1033 where(visible_condition(user)).
1034 where(:issue_to_id => issue_ids).to_a
1034 where(:issue_to_id => issue_ids).to_a
1035 issues.each do |issue|
1035 issues.each do |issue|
1036 relations =
1036 relations =
1037 relations_from.select {|relation| relation.issue_from_id == issue.id} +
1037 relations_from.select {|relation| relation.issue_from_id == issue.id} +
1038 relations_to.select {|relation| relation.issue_to_id == issue.id}
1038 relations_to.select {|relation| relation.issue_to_id == issue.id}
1039
1039
1040 issue.instance_variable_set "@relations", IssueRelation::Relations.new(issue, relations.sort)
1040 issue.instance_variable_set "@relations", IssueRelation::Relations.new(issue, relations.sort)
1041 end
1041 end
1042 end
1042 end
1043 end
1043 end
1044
1044
1045 # Returns a scope of the given issues and their descendants
1046 def self.self_and_descendants(issues)
1047 Issue.joins("JOIN #{Issue.table_name} ancestors" +
1048 " ON ancestors.root_id = #{Issue.table_name}.root_id" +
1049 " AND ancestors.lft <= #{Issue.table_name}.lft AND ancestors.rgt >= #{Issue.table_name}.rgt"
1050 ).
1051 where(:ancestors => {:id => issues.map(&:id)})
1052 end
1053
1045 # Finds an issue relation given its id.
1054 # Finds an issue relation given its id.
1046 def find_relation(relation_id)
1055 def find_relation(relation_id)
1047 IssueRelation.where("issue_to_id = ? OR issue_from_id = ?", id, id).find(relation_id)
1056 IssueRelation.where("issue_to_id = ? OR issue_from_id = ?", id, id).find(relation_id)
1048 end
1057 end
1049
1058
1050 # Returns all the other issues that depend on the issue
1059 # Returns all the other issues that depend on the issue
1051 # The algorithm is a modified breadth first search (bfs)
1060 # The algorithm is a modified breadth first search (bfs)
1052 def all_dependent_issues(except=[])
1061 def all_dependent_issues(except=[])
1053 # The found dependencies
1062 # The found dependencies
1054 dependencies = []
1063 dependencies = []
1055
1064
1056 # The visited flag for every node (issue) used by the breadth first search
1065 # The visited flag for every node (issue) used by the breadth first search
1057 eNOT_DISCOVERED = 0 # The issue is "new" to the algorithm, it has not seen it before.
1066 eNOT_DISCOVERED = 0 # The issue is "new" to the algorithm, it has not seen it before.
1058
1067
1059 ePROCESS_ALL = 1 # The issue is added to the queue. Process both children and relations of
1068 ePROCESS_ALL = 1 # The issue is added to the queue. Process both children and relations of
1060 # the issue when it is processed.
1069 # the issue when it is processed.
1061
1070
1062 ePROCESS_RELATIONS_ONLY = 2 # The issue was added to the queue and will be output as dependent issue,
1071 ePROCESS_RELATIONS_ONLY = 2 # The issue was added to the queue and will be output as dependent issue,
1063 # but its children will not be added to the queue when it is processed.
1072 # but its children will not be added to the queue when it is processed.
1064
1073
1065 eRELATIONS_PROCESSED = 3 # The related issues, the parent issue and the issue itself have been added to
1074 eRELATIONS_PROCESSED = 3 # The related issues, the parent issue and the issue itself have been added to
1066 # the queue, but its children have not been added.
1075 # the queue, but its children have not been added.
1067
1076
1068 ePROCESS_CHILDREN_ONLY = 4 # The relations and the parent of the issue have been added to the queue, but
1077 ePROCESS_CHILDREN_ONLY = 4 # The relations and the parent of the issue have been added to the queue, but
1069 # the children still need to be processed.
1078 # the children still need to be processed.
1070
1079
1071 eALL_PROCESSED = 5 # The issue and all its children, its parent and its related issues have been
1080 eALL_PROCESSED = 5 # The issue and all its children, its parent and its related issues have been
1072 # added as dependent issues. It needs no further processing.
1081 # added as dependent issues. It needs no further processing.
1073
1082
1074 issue_status = Hash.new(eNOT_DISCOVERED)
1083 issue_status = Hash.new(eNOT_DISCOVERED)
1075
1084
1076 # The queue
1085 # The queue
1077 queue = []
1086 queue = []
1078
1087
1079 # Initialize the bfs, add start node (self) to the queue
1088 # Initialize the bfs, add start node (self) to the queue
1080 queue << self
1089 queue << self
1081 issue_status[self] = ePROCESS_ALL
1090 issue_status[self] = ePROCESS_ALL
1082
1091
1083 while (!queue.empty?) do
1092 while (!queue.empty?) do
1084 current_issue = queue.shift
1093 current_issue = queue.shift
1085 current_issue_status = issue_status[current_issue]
1094 current_issue_status = issue_status[current_issue]
1086 dependencies << current_issue
1095 dependencies << current_issue
1087
1096
1088 # Add parent to queue, if not already in it.
1097 # Add parent to queue, if not already in it.
1089 parent = current_issue.parent
1098 parent = current_issue.parent
1090 parent_status = issue_status[parent]
1099 parent_status = issue_status[parent]
1091
1100
1092 if parent && (parent_status == eNOT_DISCOVERED) && !except.include?(parent)
1101 if parent && (parent_status == eNOT_DISCOVERED) && !except.include?(parent)
1093 queue << parent
1102 queue << parent
1094 issue_status[parent] = ePROCESS_RELATIONS_ONLY
1103 issue_status[parent] = ePROCESS_RELATIONS_ONLY
1095 end
1104 end
1096
1105
1097 # Add children to queue, but only if they are not already in it and
1106 # Add children to queue, but only if they are not already in it and
1098 # the children of the current node need to be processed.
1107 # the children of the current node need to be processed.
1099 if (current_issue_status == ePROCESS_CHILDREN_ONLY || current_issue_status == ePROCESS_ALL)
1108 if (current_issue_status == ePROCESS_CHILDREN_ONLY || current_issue_status == ePROCESS_ALL)
1100 current_issue.children.each do |child|
1109 current_issue.children.each do |child|
1101 next if except.include?(child)
1110 next if except.include?(child)
1102
1111
1103 if (issue_status[child] == eNOT_DISCOVERED)
1112 if (issue_status[child] == eNOT_DISCOVERED)
1104 queue << child
1113 queue << child
1105 issue_status[child] = ePROCESS_ALL
1114 issue_status[child] = ePROCESS_ALL
1106 elsif (issue_status[child] == eRELATIONS_PROCESSED)
1115 elsif (issue_status[child] == eRELATIONS_PROCESSED)
1107 queue << child
1116 queue << child
1108 issue_status[child] = ePROCESS_CHILDREN_ONLY
1117 issue_status[child] = ePROCESS_CHILDREN_ONLY
1109 elsif (issue_status[child] == ePROCESS_RELATIONS_ONLY)
1118 elsif (issue_status[child] == ePROCESS_RELATIONS_ONLY)
1110 queue << child
1119 queue << child
1111 issue_status[child] = ePROCESS_ALL
1120 issue_status[child] = ePROCESS_ALL
1112 end
1121 end
1113 end
1122 end
1114 end
1123 end
1115
1124
1116 # Add related issues to the queue, if they are not already in it.
1125 # Add related issues to the queue, if they are not already in it.
1117 current_issue.relations_from.map(&:issue_to).each do |related_issue|
1126 current_issue.relations_from.map(&:issue_to).each do |related_issue|
1118 next if except.include?(related_issue)
1127 next if except.include?(related_issue)
1119
1128
1120 if (issue_status[related_issue] == eNOT_DISCOVERED)
1129 if (issue_status[related_issue] == eNOT_DISCOVERED)
1121 queue << related_issue
1130 queue << related_issue
1122 issue_status[related_issue] = ePROCESS_ALL
1131 issue_status[related_issue] = ePROCESS_ALL
1123 elsif (issue_status[related_issue] == eRELATIONS_PROCESSED)
1132 elsif (issue_status[related_issue] == eRELATIONS_PROCESSED)
1124 queue << related_issue
1133 queue << related_issue
1125 issue_status[related_issue] = ePROCESS_CHILDREN_ONLY
1134 issue_status[related_issue] = ePROCESS_CHILDREN_ONLY
1126 elsif (issue_status[related_issue] == ePROCESS_RELATIONS_ONLY)
1135 elsif (issue_status[related_issue] == ePROCESS_RELATIONS_ONLY)
1127 queue << related_issue
1136 queue << related_issue
1128 issue_status[related_issue] = ePROCESS_ALL
1137 issue_status[related_issue] = ePROCESS_ALL
1129 end
1138 end
1130 end
1139 end
1131
1140
1132 # Set new status for current issue
1141 # Set new status for current issue
1133 if (current_issue_status == ePROCESS_ALL) || (current_issue_status == ePROCESS_CHILDREN_ONLY)
1142 if (current_issue_status == ePROCESS_ALL) || (current_issue_status == ePROCESS_CHILDREN_ONLY)
1134 issue_status[current_issue] = eALL_PROCESSED
1143 issue_status[current_issue] = eALL_PROCESSED
1135 elsif (current_issue_status == ePROCESS_RELATIONS_ONLY)
1144 elsif (current_issue_status == ePROCESS_RELATIONS_ONLY)
1136 issue_status[current_issue] = eRELATIONS_PROCESSED
1145 issue_status[current_issue] = eRELATIONS_PROCESSED
1137 end
1146 end
1138 end # while
1147 end # while
1139
1148
1140 # Remove the issues from the "except" parameter from the result array
1149 # Remove the issues from the "except" parameter from the result array
1141 dependencies -= except
1150 dependencies -= except
1142 dependencies.delete(self)
1151 dependencies.delete(self)
1143
1152
1144 dependencies
1153 dependencies
1145 end
1154 end
1146
1155
1147 # Returns an array of issues that duplicate this one
1156 # Returns an array of issues that duplicate this one
1148 def duplicates
1157 def duplicates
1149 relations_to.select {|r| r.relation_type == IssueRelation::TYPE_DUPLICATES}.collect {|r| r.issue_from}
1158 relations_to.select {|r| r.relation_type == IssueRelation::TYPE_DUPLICATES}.collect {|r| r.issue_from}
1150 end
1159 end
1151
1160
1152 # Returns the due date or the target due date if any
1161 # Returns the due date or the target due date if any
1153 # Used on gantt chart
1162 # Used on gantt chart
1154 def due_before
1163 def due_before
1155 due_date || (fixed_version ? fixed_version.effective_date : nil)
1164 due_date || (fixed_version ? fixed_version.effective_date : nil)
1156 end
1165 end
1157
1166
1158 # Returns the time scheduled for this issue.
1167 # Returns the time scheduled for this issue.
1159 #
1168 #
1160 # Example:
1169 # Example:
1161 # Start Date: 2/26/09, End Date: 3/04/09
1170 # Start Date: 2/26/09, End Date: 3/04/09
1162 # duration => 6
1171 # duration => 6
1163 def duration
1172 def duration
1164 (start_date && due_date) ? due_date - start_date : 0
1173 (start_date && due_date) ? due_date - start_date : 0
1165 end
1174 end
1166
1175
1167 # Returns the duration in working days
1176 # Returns the duration in working days
1168 def working_duration
1177 def working_duration
1169 (start_date && due_date) ? working_days(start_date, due_date) : 0
1178 (start_date && due_date) ? working_days(start_date, due_date) : 0
1170 end
1179 end
1171
1180
1172 def soonest_start(reload=false)
1181 def soonest_start(reload=false)
1173 if @soonest_start.nil? || reload
1182 if @soonest_start.nil? || reload
1174 dates = relations_to(reload).collect{|relation| relation.successor_soonest_start}
1183 dates = relations_to(reload).collect{|relation| relation.successor_soonest_start}
1175 p = @parent_issue || parent
1184 p = @parent_issue || parent
1176 if p && Setting.parent_issue_dates == 'derived'
1185 if p && Setting.parent_issue_dates == 'derived'
1177 dates << p.soonest_start
1186 dates << p.soonest_start
1178 end
1187 end
1179 @soonest_start = dates.compact.max
1188 @soonest_start = dates.compact.max
1180 end
1189 end
1181 @soonest_start
1190 @soonest_start
1182 end
1191 end
1183
1192
1184 # Sets start_date on the given date or the next working day
1193 # Sets start_date on the given date or the next working day
1185 # and changes due_date to keep the same working duration.
1194 # and changes due_date to keep the same working duration.
1186 def reschedule_on(date)
1195 def reschedule_on(date)
1187 wd = working_duration
1196 wd = working_duration
1188 date = next_working_date(date)
1197 date = next_working_date(date)
1189 self.start_date = date
1198 self.start_date = date
1190 self.due_date = add_working_days(date, wd)
1199 self.due_date = add_working_days(date, wd)
1191 end
1200 end
1192
1201
1193 # Reschedules the issue on the given date or the next working day and saves the record.
1202 # Reschedules the issue on the given date or the next working day and saves the record.
1194 # If the issue is a parent task, this is done by rescheduling its subtasks.
1203 # If the issue is a parent task, this is done by rescheduling its subtasks.
1195 def reschedule_on!(date)
1204 def reschedule_on!(date)
1196 return if date.nil?
1205 return if date.nil?
1197 if leaf? || !dates_derived?
1206 if leaf? || !dates_derived?
1198 if start_date.nil? || start_date != date
1207 if start_date.nil? || start_date != date
1199 if start_date && start_date > date
1208 if start_date && start_date > date
1200 # Issue can not be moved earlier than its soonest start date
1209 # Issue can not be moved earlier than its soonest start date
1201 date = [soonest_start(true), date].compact.max
1210 date = [soonest_start(true), date].compact.max
1202 end
1211 end
1203 reschedule_on(date)
1212 reschedule_on(date)
1204 begin
1213 begin
1205 save
1214 save
1206 rescue ActiveRecord::StaleObjectError
1215 rescue ActiveRecord::StaleObjectError
1207 reload
1216 reload
1208 reschedule_on(date)
1217 reschedule_on(date)
1209 save
1218 save
1210 end
1219 end
1211 end
1220 end
1212 else
1221 else
1213 leaves.each do |leaf|
1222 leaves.each do |leaf|
1214 if leaf.start_date
1223 if leaf.start_date
1215 # Only move subtask if it starts at the same date as the parent
1224 # Only move subtask if it starts at the same date as the parent
1216 # or if it starts before the given date
1225 # or if it starts before the given date
1217 if start_date == leaf.start_date || date > leaf.start_date
1226 if start_date == leaf.start_date || date > leaf.start_date
1218 leaf.reschedule_on!(date)
1227 leaf.reschedule_on!(date)
1219 end
1228 end
1220 else
1229 else
1221 leaf.reschedule_on!(date)
1230 leaf.reschedule_on!(date)
1222 end
1231 end
1223 end
1232 end
1224 end
1233 end
1225 end
1234 end
1226
1235
1227 def dates_derived?
1236 def dates_derived?
1228 !leaf? && Setting.parent_issue_dates == 'derived'
1237 !leaf? && Setting.parent_issue_dates == 'derived'
1229 end
1238 end
1230
1239
1231 def priority_derived?
1240 def priority_derived?
1232 !leaf? && Setting.parent_issue_priority == 'derived'
1241 !leaf? && Setting.parent_issue_priority == 'derived'
1233 end
1242 end
1234
1243
1235 def done_ratio_derived?
1244 def done_ratio_derived?
1236 !leaf? && Setting.parent_issue_done_ratio == 'derived'
1245 !leaf? && Setting.parent_issue_done_ratio == 'derived'
1237 end
1246 end
1238
1247
1239 def <=>(issue)
1248 def <=>(issue)
1240 if issue.nil?
1249 if issue.nil?
1241 -1
1250 -1
1242 elsif root_id != issue.root_id
1251 elsif root_id != issue.root_id
1243 (root_id || 0) <=> (issue.root_id || 0)
1252 (root_id || 0) <=> (issue.root_id || 0)
1244 else
1253 else
1245 (lft || 0) <=> (issue.lft || 0)
1254 (lft || 0) <=> (issue.lft || 0)
1246 end
1255 end
1247 end
1256 end
1248
1257
1249 def to_s
1258 def to_s
1250 "#{tracker} ##{id}: #{subject}"
1259 "#{tracker} ##{id}: #{subject}"
1251 end
1260 end
1252
1261
1253 # Returns a string of css classes that apply to the issue
1262 # Returns a string of css classes that apply to the issue
1254 def css_classes(user=User.current)
1263 def css_classes(user=User.current)
1255 s = "issue tracker-#{tracker_id} status-#{status_id} #{priority.try(:css_classes)}"
1264 s = "issue tracker-#{tracker_id} status-#{status_id} #{priority.try(:css_classes)}"
1256 s << ' closed' if closed?
1265 s << ' closed' if closed?
1257 s << ' overdue' if overdue?
1266 s << ' overdue' if overdue?
1258 s << ' child' if child?
1267 s << ' child' if child?
1259 s << ' parent' unless leaf?
1268 s << ' parent' unless leaf?
1260 s << ' private' if is_private?
1269 s << ' private' if is_private?
1261 if user.logged?
1270 if user.logged?
1262 s << ' created-by-me' if author_id == user.id
1271 s << ' created-by-me' if author_id == user.id
1263 s << ' assigned-to-me' if assigned_to_id == user.id
1272 s << ' assigned-to-me' if assigned_to_id == user.id
1264 s << ' assigned-to-my-group' if user.groups.any? {|g| g.id == assigned_to_id}
1273 s << ' assigned-to-my-group' if user.groups.any? {|g| g.id == assigned_to_id}
1265 end
1274 end
1266 s
1275 s
1267 end
1276 end
1268
1277
1269 # Unassigns issues from +version+ if it's no longer shared with issue's project
1278 # Unassigns issues from +version+ if it's no longer shared with issue's project
1270 def self.update_versions_from_sharing_change(version)
1279 def self.update_versions_from_sharing_change(version)
1271 # Update issues assigned to the version
1280 # Update issues assigned to the version
1272 update_versions(["#{Issue.table_name}.fixed_version_id = ?", version.id])
1281 update_versions(["#{Issue.table_name}.fixed_version_id = ?", version.id])
1273 end
1282 end
1274
1283
1275 # Unassigns issues from versions that are no longer shared
1284 # Unassigns issues from versions that are no longer shared
1276 # after +project+ was moved
1285 # after +project+ was moved
1277 def self.update_versions_from_hierarchy_change(project)
1286 def self.update_versions_from_hierarchy_change(project)
1278 moved_project_ids = project.self_and_descendants.reload.collect(&:id)
1287 moved_project_ids = project.self_and_descendants.reload.collect(&:id)
1279 # Update issues of the moved projects and issues assigned to a version of a moved project
1288 # Update issues of the moved projects and issues assigned to a version of a moved project
1280 Issue.update_versions(
1289 Issue.update_versions(
1281 ["#{Version.table_name}.project_id IN (?) OR #{Issue.table_name}.project_id IN (?)",
1290 ["#{Version.table_name}.project_id IN (?) OR #{Issue.table_name}.project_id IN (?)",
1282 moved_project_ids, moved_project_ids]
1291 moved_project_ids, moved_project_ids]
1283 )
1292 )
1284 end
1293 end
1285
1294
1286 def parent_issue_id=(arg)
1295 def parent_issue_id=(arg)
1287 s = arg.to_s.strip.presence
1296 s = arg.to_s.strip.presence
1288 if s && (m = s.match(%r{\A#?(\d+)\z})) && (@parent_issue = Issue.find_by_id(m[1]))
1297 if s && (m = s.match(%r{\A#?(\d+)\z})) && (@parent_issue = Issue.find_by_id(m[1]))
1289 @invalid_parent_issue_id = nil
1298 @invalid_parent_issue_id = nil
1290 elsif s.blank?
1299 elsif s.blank?
1291 @parent_issue = nil
1300 @parent_issue = nil
1292 @invalid_parent_issue_id = nil
1301 @invalid_parent_issue_id = nil
1293 else
1302 else
1294 @parent_issue = nil
1303 @parent_issue = nil
1295 @invalid_parent_issue_id = arg
1304 @invalid_parent_issue_id = arg
1296 end
1305 end
1297 end
1306 end
1298
1307
1299 def parent_issue_id
1308 def parent_issue_id
1300 if @invalid_parent_issue_id
1309 if @invalid_parent_issue_id
1301 @invalid_parent_issue_id
1310 @invalid_parent_issue_id
1302 elsif instance_variable_defined? :@parent_issue
1311 elsif instance_variable_defined? :@parent_issue
1303 @parent_issue.nil? ? nil : @parent_issue.id
1312 @parent_issue.nil? ? nil : @parent_issue.id
1304 else
1313 else
1305 parent_id
1314 parent_id
1306 end
1315 end
1307 end
1316 end
1308
1317
1309 def set_parent_id
1318 def set_parent_id
1310 self.parent_id = parent_issue_id
1319 self.parent_id = parent_issue_id
1311 end
1320 end
1312
1321
1313 # Returns true if issue's project is a valid
1322 # Returns true if issue's project is a valid
1314 # parent issue project
1323 # parent issue project
1315 def valid_parent_project?(issue=parent)
1324 def valid_parent_project?(issue=parent)
1316 return true if issue.nil? || issue.project_id == project_id
1325 return true if issue.nil? || issue.project_id == project_id
1317
1326
1318 case Setting.cross_project_subtasks
1327 case Setting.cross_project_subtasks
1319 when 'system'
1328 when 'system'
1320 true
1329 true
1321 when 'tree'
1330 when 'tree'
1322 issue.project.root == project.root
1331 issue.project.root == project.root
1323 when 'hierarchy'
1332 when 'hierarchy'
1324 issue.project.is_or_is_ancestor_of?(project) || issue.project.is_descendant_of?(project)
1333 issue.project.is_or_is_ancestor_of?(project) || issue.project.is_descendant_of?(project)
1325 when 'descendants'
1334 when 'descendants'
1326 issue.project.is_or_is_ancestor_of?(project)
1335 issue.project.is_or_is_ancestor_of?(project)
1327 else
1336 else
1328 false
1337 false
1329 end
1338 end
1330 end
1339 end
1331
1340
1332 # Returns an issue scope based on project and scope
1341 # Returns an issue scope based on project and scope
1333 def self.cross_project_scope(project, scope=nil)
1342 def self.cross_project_scope(project, scope=nil)
1334 if project.nil?
1343 if project.nil?
1335 return Issue
1344 return Issue
1336 end
1345 end
1337 case scope
1346 case scope
1338 when 'all', 'system'
1347 when 'all', 'system'
1339 Issue
1348 Issue
1340 when 'tree'
1349 when 'tree'
1341 Issue.joins(:project).where("(#{Project.table_name}.lft >= :lft AND #{Project.table_name}.rgt <= :rgt)",
1350 Issue.joins(:project).where("(#{Project.table_name}.lft >= :lft AND #{Project.table_name}.rgt <= :rgt)",
1342 :lft => project.root.lft, :rgt => project.root.rgt)
1351 :lft => project.root.lft, :rgt => project.root.rgt)
1343 when 'hierarchy'
1352 when 'hierarchy'
1344 Issue.joins(:project).where("(#{Project.table_name}.lft >= :lft AND #{Project.table_name}.rgt <= :rgt) OR (#{Project.table_name}.lft < :lft AND #{Project.table_name}.rgt > :rgt)",
1353 Issue.joins(:project).where("(#{Project.table_name}.lft >= :lft AND #{Project.table_name}.rgt <= :rgt) OR (#{Project.table_name}.lft < :lft AND #{Project.table_name}.rgt > :rgt)",
1345 :lft => project.lft, :rgt => project.rgt)
1354 :lft => project.lft, :rgt => project.rgt)
1346 when 'descendants'
1355 when 'descendants'
1347 Issue.joins(:project).where("(#{Project.table_name}.lft >= :lft AND #{Project.table_name}.rgt <= :rgt)",
1356 Issue.joins(:project).where("(#{Project.table_name}.lft >= :lft AND #{Project.table_name}.rgt <= :rgt)",
1348 :lft => project.lft, :rgt => project.rgt)
1357 :lft => project.lft, :rgt => project.rgt)
1349 else
1358 else
1350 Issue.where(:project_id => project.id)
1359 Issue.where(:project_id => project.id)
1351 end
1360 end
1352 end
1361 end
1353
1362
1354 def self.by_tracker(project)
1363 def self.by_tracker(project)
1355 count_and_group_by(:project => project, :association => :tracker)
1364 count_and_group_by(:project => project, :association => :tracker)
1356 end
1365 end
1357
1366
1358 def self.by_version(project)
1367 def self.by_version(project)
1359 count_and_group_by(:project => project, :association => :fixed_version)
1368 count_and_group_by(:project => project, :association => :fixed_version)
1360 end
1369 end
1361
1370
1362 def self.by_priority(project)
1371 def self.by_priority(project)
1363 count_and_group_by(:project => project, :association => :priority)
1372 count_and_group_by(:project => project, :association => :priority)
1364 end
1373 end
1365
1374
1366 def self.by_category(project)
1375 def self.by_category(project)
1367 count_and_group_by(:project => project, :association => :category)
1376 count_and_group_by(:project => project, :association => :category)
1368 end
1377 end
1369
1378
1370 def self.by_assigned_to(project)
1379 def self.by_assigned_to(project)
1371 count_and_group_by(:project => project, :association => :assigned_to)
1380 count_and_group_by(:project => project, :association => :assigned_to)
1372 end
1381 end
1373
1382
1374 def self.by_author(project)
1383 def self.by_author(project)
1375 count_and_group_by(:project => project, :association => :author)
1384 count_and_group_by(:project => project, :association => :author)
1376 end
1385 end
1377
1386
1378 def self.by_subproject(project)
1387 def self.by_subproject(project)
1379 r = count_and_group_by(:project => project, :with_subprojects => true, :association => :project)
1388 r = count_and_group_by(:project => project, :with_subprojects => true, :association => :project)
1380 r.reject {|r| r["project_id"] == project.id.to_s}
1389 r.reject {|r| r["project_id"] == project.id.to_s}
1381 end
1390 end
1382
1391
1383 # Query generator for selecting groups of issue counts for a project
1392 # Query generator for selecting groups of issue counts for a project
1384 # based on specific criteria
1393 # based on specific criteria
1385 #
1394 #
1386 # Options
1395 # Options
1387 # * project - Project to search in.
1396 # * project - Project to search in.
1388 # * with_subprojects - Includes subprojects issues if set to true.
1397 # * with_subprojects - Includes subprojects issues if set to true.
1389 # * association - Symbol. Association for grouping.
1398 # * association - Symbol. Association for grouping.
1390 def self.count_and_group_by(options)
1399 def self.count_and_group_by(options)
1391 assoc = reflect_on_association(options[:association])
1400 assoc = reflect_on_association(options[:association])
1392 select_field = assoc.foreign_key
1401 select_field = assoc.foreign_key
1393
1402
1394 Issue.
1403 Issue.
1395 visible(User.current, :project => options[:project], :with_subprojects => options[:with_subprojects]).
1404 visible(User.current, :project => options[:project], :with_subprojects => options[:with_subprojects]).
1396 joins(:status, assoc.name).
1405 joins(:status, assoc.name).
1397 group(:status_id, :is_closed, select_field).
1406 group(:status_id, :is_closed, select_field).
1398 count.
1407 count.
1399 map do |columns, total|
1408 map do |columns, total|
1400 status_id, is_closed, field_value = columns
1409 status_id, is_closed, field_value = columns
1401 is_closed = ['t', 'true', '1'].include?(is_closed.to_s)
1410 is_closed = ['t', 'true', '1'].include?(is_closed.to_s)
1402 {
1411 {
1403 "status_id" => status_id.to_s,
1412 "status_id" => status_id.to_s,
1404 "closed" => is_closed,
1413 "closed" => is_closed,
1405 select_field => field_value.to_s,
1414 select_field => field_value.to_s,
1406 "total" => total.to_s
1415 "total" => total.to_s
1407 }
1416 }
1408 end
1417 end
1409 end
1418 end
1410
1419
1411 # Returns a scope of projects that user can assign the issue to
1420 # Returns a scope of projects that user can assign the issue to
1412 def allowed_target_projects(user=User.current)
1421 def allowed_target_projects(user=User.current)
1413 current_project = new_record? ? nil : project
1422 current_project = new_record? ? nil : project
1414 self.class.allowed_target_projects(user, current_project)
1423 self.class.allowed_target_projects(user, current_project)
1415 end
1424 end
1416
1425
1417 # Returns a scope of projects that user can assign issues to
1426 # Returns a scope of projects that user can assign issues to
1418 # If current_project is given, it will be included in the scope
1427 # If current_project is given, it will be included in the scope
1419 def self.allowed_target_projects(user=User.current, current_project=nil)
1428 def self.allowed_target_projects(user=User.current, current_project=nil)
1420 condition = Project.allowed_to_condition(user, :add_issues)
1429 condition = Project.allowed_to_condition(user, :add_issues)
1421 if current_project
1430 if current_project
1422 condition = ["(#{condition}) OR #{Project.table_name}.id = ?", current_project.id]
1431 condition = ["(#{condition}) OR #{Project.table_name}.id = ?", current_project.id]
1423 end
1432 end
1424 Project.where(condition).having_trackers
1433 Project.where(condition).having_trackers
1425 end
1434 end
1426
1435
1427 private
1436 private
1428
1437
1429 def after_project_change
1438 def after_project_change
1430 # Update project_id on related time entries
1439 # Update project_id on related time entries
1431 TimeEntry.where({:issue_id => id}).update_all(["project_id = ?", project_id])
1440 TimeEntry.where({:issue_id => id}).update_all(["project_id = ?", project_id])
1432
1441
1433 # Delete issue relations
1442 # Delete issue relations
1434 unless Setting.cross_project_issue_relations?
1443 unless Setting.cross_project_issue_relations?
1435 relations_from.clear
1444 relations_from.clear
1436 relations_to.clear
1445 relations_to.clear
1437 end
1446 end
1438
1447
1439 # Move subtasks that were in the same project
1448 # Move subtasks that were in the same project
1440 children.each do |child|
1449 children.each do |child|
1441 next unless child.project_id == project_id_was
1450 next unless child.project_id == project_id_was
1442 # Change project and keep project
1451 # Change project and keep project
1443 child.send :project=, project, true
1452 child.send :project=, project, true
1444 unless child.save
1453 unless child.save
1445 raise ActiveRecord::Rollback
1454 raise ActiveRecord::Rollback
1446 end
1455 end
1447 end
1456 end
1448 end
1457 end
1449
1458
1450 # Callback for after the creation of an issue by copy
1459 # Callback for after the creation of an issue by copy
1451 # * adds a "copied to" relation with the copied issue
1460 # * adds a "copied to" relation with the copied issue
1452 # * copies subtasks from the copied issue
1461 # * copies subtasks from the copied issue
1453 def after_create_from_copy
1462 def after_create_from_copy
1454 return unless copy? && !@after_create_from_copy_handled
1463 return unless copy? && !@after_create_from_copy_handled
1455
1464
1456 if (@copied_from.project_id == project_id || Setting.cross_project_issue_relations?) && @copy_options[:link] != false
1465 if (@copied_from.project_id == project_id || Setting.cross_project_issue_relations?) && @copy_options[:link] != false
1457 if @current_journal
1466 if @current_journal
1458 @copied_from.init_journal(@current_journal.user)
1467 @copied_from.init_journal(@current_journal.user)
1459 end
1468 end
1460 relation = IssueRelation.new(:issue_from => @copied_from, :issue_to => self, :relation_type => IssueRelation::TYPE_COPIED_TO)
1469 relation = IssueRelation.new(:issue_from => @copied_from, :issue_to => self, :relation_type => IssueRelation::TYPE_COPIED_TO)
1461 unless relation.save
1470 unless relation.save
1462 logger.error "Could not create relation while copying ##{@copied_from.id} to ##{id} due to validation errors: #{relation.errors.full_messages.join(', ')}" if logger
1471 logger.error "Could not create relation while copying ##{@copied_from.id} to ##{id} due to validation errors: #{relation.errors.full_messages.join(', ')}" if logger
1463 end
1472 end
1464 end
1473 end
1465
1474
1466 unless @copied_from.leaf? || @copy_options[:subtasks] == false
1475 unless @copied_from.leaf? || @copy_options[:subtasks] == false
1467 copy_options = (@copy_options || {}).merge(:subtasks => false)
1476 copy_options = (@copy_options || {}).merge(:subtasks => false)
1468 copied_issue_ids = {@copied_from.id => self.id}
1477 copied_issue_ids = {@copied_from.id => self.id}
1469 @copied_from.reload.descendants.reorder("#{Issue.table_name}.lft").each do |child|
1478 @copied_from.reload.descendants.reorder("#{Issue.table_name}.lft").each do |child|
1470 # Do not copy self when copying an issue as a descendant of the copied issue
1479 # Do not copy self when copying an issue as a descendant of the copied issue
1471 next if child == self
1480 next if child == self
1472 # Do not copy subtasks of issues that were not copied
1481 # Do not copy subtasks of issues that were not copied
1473 next unless copied_issue_ids[child.parent_id]
1482 next unless copied_issue_ids[child.parent_id]
1474 # Do not copy subtasks that are not visible to avoid potential disclosure of private data
1483 # Do not copy subtasks that are not visible to avoid potential disclosure of private data
1475 unless child.visible?
1484 unless child.visible?
1476 logger.error "Subtask ##{child.id} was not copied during ##{@copied_from.id} copy because it is not visible to the current user" if logger
1485 logger.error "Subtask ##{child.id} was not copied during ##{@copied_from.id} copy because it is not visible to the current user" if logger
1477 next
1486 next
1478 end
1487 end
1479 copy = Issue.new.copy_from(child, copy_options)
1488 copy = Issue.new.copy_from(child, copy_options)
1480 if @current_journal
1489 if @current_journal
1481 copy.init_journal(@current_journal.user)
1490 copy.init_journal(@current_journal.user)
1482 end
1491 end
1483 copy.author = author
1492 copy.author = author
1484 copy.project = project
1493 copy.project = project
1485 copy.parent_issue_id = copied_issue_ids[child.parent_id]
1494 copy.parent_issue_id = copied_issue_ids[child.parent_id]
1486 unless copy.save
1495 unless copy.save
1487 logger.error "Could not copy subtask ##{child.id} while copying ##{@copied_from.id} to ##{id} due to validation errors: #{copy.errors.full_messages.join(', ')}" if logger
1496 logger.error "Could not copy subtask ##{child.id} while copying ##{@copied_from.id} to ##{id} due to validation errors: #{copy.errors.full_messages.join(', ')}" if logger
1488 next
1497 next
1489 end
1498 end
1490 copied_issue_ids[child.id] = copy.id
1499 copied_issue_ids[child.id] = copy.id
1491 end
1500 end
1492 end
1501 end
1493 @after_create_from_copy_handled = true
1502 @after_create_from_copy_handled = true
1494 end
1503 end
1495
1504
1496 def update_nested_set_attributes
1505 def update_nested_set_attributes
1497 if parent_id_changed?
1506 if parent_id_changed?
1498 update_nested_set_attributes_on_parent_change
1507 update_nested_set_attributes_on_parent_change
1499 end
1508 end
1500 remove_instance_variable(:@parent_issue) if instance_variable_defined?(:@parent_issue)
1509 remove_instance_variable(:@parent_issue) if instance_variable_defined?(:@parent_issue)
1501 end
1510 end
1502
1511
1503 # Updates the nested set for when an existing issue is moved
1512 # Updates the nested set for when an existing issue is moved
1504 def update_nested_set_attributes_on_parent_change
1513 def update_nested_set_attributes_on_parent_change
1505 former_parent_id = parent_id_was
1514 former_parent_id = parent_id_was
1506 # delete invalid relations of all descendants
1515 # delete invalid relations of all descendants
1507 self_and_descendants.each do |issue|
1516 self_and_descendants.each do |issue|
1508 issue.relations.each do |relation|
1517 issue.relations.each do |relation|
1509 relation.destroy unless relation.valid?
1518 relation.destroy unless relation.valid?
1510 end
1519 end
1511 end
1520 end
1512 # update former parent
1521 # update former parent
1513 recalculate_attributes_for(former_parent_id) if former_parent_id
1522 recalculate_attributes_for(former_parent_id) if former_parent_id
1514 end
1523 end
1515
1524
1516 def update_parent_attributes
1525 def update_parent_attributes
1517 if parent_id
1526 if parent_id
1518 recalculate_attributes_for(parent_id)
1527 recalculate_attributes_for(parent_id)
1519 association(:parent).reset
1528 association(:parent).reset
1520 end
1529 end
1521 end
1530 end
1522
1531
1523 def recalculate_attributes_for(issue_id)
1532 def recalculate_attributes_for(issue_id)
1524 if issue_id && p = Issue.find_by_id(issue_id)
1533 if issue_id && p = Issue.find_by_id(issue_id)
1525 if p.priority_derived?
1534 if p.priority_derived?
1526 # priority = highest priority of children
1535 # priority = highest priority of children
1527 if priority_position = p.children.joins(:priority).maximum("#{IssuePriority.table_name}.position")
1536 if priority_position = p.children.joins(:priority).maximum("#{IssuePriority.table_name}.position")
1528 p.priority = IssuePriority.find_by_position(priority_position)
1537 p.priority = IssuePriority.find_by_position(priority_position)
1529 end
1538 end
1530 end
1539 end
1531
1540
1532 if p.dates_derived?
1541 if p.dates_derived?
1533 # start/due dates = lowest/highest dates of children
1542 # start/due dates = lowest/highest dates of children
1534 p.start_date = p.children.minimum(:start_date)
1543 p.start_date = p.children.minimum(:start_date)
1535 p.due_date = p.children.maximum(:due_date)
1544 p.due_date = p.children.maximum(:due_date)
1536 if p.start_date && p.due_date && p.due_date < p.start_date
1545 if p.start_date && p.due_date && p.due_date < p.start_date
1537 p.start_date, p.due_date = p.due_date, p.start_date
1546 p.start_date, p.due_date = p.due_date, p.start_date
1538 end
1547 end
1539 end
1548 end
1540
1549
1541 if p.done_ratio_derived?
1550 if p.done_ratio_derived?
1542 # done ratio = weighted average ratio of leaves
1551 # done ratio = weighted average ratio of leaves
1543 unless Issue.use_status_for_done_ratio? && p.status && p.status.default_done_ratio
1552 unless Issue.use_status_for_done_ratio? && p.status && p.status.default_done_ratio
1544 child_count = p.children.count
1553 child_count = p.children.count
1545 if child_count > 0
1554 if child_count > 0
1546 average = p.children.where("estimated_hours > 0").average(:estimated_hours).to_f
1555 average = p.children.where("estimated_hours > 0").average(:estimated_hours).to_f
1547 if average == 0
1556 if average == 0
1548 average = 1
1557 average = 1
1549 end
1558 end
1550 done = p.children.joins(:status).
1559 done = p.children.joins(:status).
1551 sum("COALESCE(CASE WHEN estimated_hours > 0 THEN estimated_hours ELSE NULL END, #{average}) " +
1560 sum("COALESCE(CASE WHEN estimated_hours > 0 THEN estimated_hours ELSE NULL END, #{average}) " +
1552 "* (CASE WHEN is_closed = #{self.class.connection.quoted_true} THEN 100 ELSE COALESCE(done_ratio, 0) END)").to_f
1561 "* (CASE WHEN is_closed = #{self.class.connection.quoted_true} THEN 100 ELSE COALESCE(done_ratio, 0) END)").to_f
1553 progress = done / (average * child_count)
1562 progress = done / (average * child_count)
1554 p.done_ratio = progress.round
1563 p.done_ratio = progress.round
1555 end
1564 end
1556 end
1565 end
1557 end
1566 end
1558
1567
1559 # ancestors will be recursively updated
1568 # ancestors will be recursively updated
1560 p.save(:validate => false)
1569 p.save(:validate => false)
1561 end
1570 end
1562 end
1571 end
1563
1572
1564 # Update issues so their versions are not pointing to a
1573 # Update issues so their versions are not pointing to a
1565 # fixed_version that is not shared with the issue's project
1574 # fixed_version that is not shared with the issue's project
1566 def self.update_versions(conditions=nil)
1575 def self.update_versions(conditions=nil)
1567 # Only need to update issues with a fixed_version from
1576 # Only need to update issues with a fixed_version from
1568 # a different project and that is not systemwide shared
1577 # a different project and that is not systemwide shared
1569 Issue.joins(:project, :fixed_version).
1578 Issue.joins(:project, :fixed_version).
1570 where("#{Issue.table_name}.fixed_version_id IS NOT NULL" +
1579 where("#{Issue.table_name}.fixed_version_id IS NOT NULL" +
1571 " AND #{Issue.table_name}.project_id <> #{Version.table_name}.project_id" +
1580 " AND #{Issue.table_name}.project_id <> #{Version.table_name}.project_id" +
1572 " AND #{Version.table_name}.sharing <> 'system'").
1581 " AND #{Version.table_name}.sharing <> 'system'").
1573 where(conditions).each do |issue|
1582 where(conditions).each do |issue|
1574 next if issue.project.nil? || issue.fixed_version.nil?
1583 next if issue.project.nil? || issue.fixed_version.nil?
1575 unless issue.project.shared_versions.include?(issue.fixed_version)
1584 unless issue.project.shared_versions.include?(issue.fixed_version)
1576 issue.init_journal(User.current)
1585 issue.init_journal(User.current)
1577 issue.fixed_version = nil
1586 issue.fixed_version = nil
1578 issue.save
1587 issue.save
1579 end
1588 end
1580 end
1589 end
1581 end
1590 end
1582
1591
1583 # Callback on file attachment
1592 # Callback on file attachment
1584 def attachment_added(attachment)
1593 def attachment_added(attachment)
1585 if current_journal && !attachment.new_record?
1594 if current_journal && !attachment.new_record?
1586 current_journal.journalize_attachment(attachment, :added)
1595 current_journal.journalize_attachment(attachment, :added)
1587 end
1596 end
1588 end
1597 end
1589
1598
1590 # Callback on attachment deletion
1599 # Callback on attachment deletion
1591 def attachment_removed(attachment)
1600 def attachment_removed(attachment)
1592 if current_journal && !attachment.new_record?
1601 if current_journal && !attachment.new_record?
1593 current_journal.journalize_attachment(attachment, :removed)
1602 current_journal.journalize_attachment(attachment, :removed)
1594 current_journal.save
1603 current_journal.save
1595 end
1604 end
1596 end
1605 end
1597
1606
1598 # Called after a relation is added
1607 # Called after a relation is added
1599 def relation_added(relation)
1608 def relation_added(relation)
1600 if current_journal
1609 if current_journal
1601 current_journal.journalize_relation(relation, :added)
1610 current_journal.journalize_relation(relation, :added)
1602 current_journal.save
1611 current_journal.save
1603 end
1612 end
1604 end
1613 end
1605
1614
1606 # Called after a relation is removed
1615 # Called after a relation is removed
1607 def relation_removed(relation)
1616 def relation_removed(relation)
1608 if current_journal
1617 if current_journal
1609 current_journal.journalize_relation(relation, :removed)
1618 current_journal.journalize_relation(relation, :removed)
1610 current_journal.save
1619 current_journal.save
1611 end
1620 end
1612 end
1621 end
1613
1622
1614 # Default assignment based on category
1623 # Default assignment based on category
1615 def default_assign
1624 def default_assign
1616 if assigned_to.nil? && category && category.assigned_to
1625 if assigned_to.nil? && category && category.assigned_to
1617 self.assigned_to = category.assigned_to
1626 self.assigned_to = category.assigned_to
1618 end
1627 end
1619 end
1628 end
1620
1629
1621 # Updates start/due dates of following issues
1630 # Updates start/due dates of following issues
1622 def reschedule_following_issues
1631 def reschedule_following_issues
1623 if start_date_changed? || due_date_changed?
1632 if start_date_changed? || due_date_changed?
1624 relations_from.each do |relation|
1633 relations_from.each do |relation|
1625 relation.set_issue_to_dates
1634 relation.set_issue_to_dates
1626 end
1635 end
1627 end
1636 end
1628 end
1637 end
1629
1638
1630 # Closes duplicates if the issue is being closed
1639 # Closes duplicates if the issue is being closed
1631 def close_duplicates
1640 def close_duplicates
1632 if closing?
1641 if closing?
1633 duplicates.each do |duplicate|
1642 duplicates.each do |duplicate|
1634 # Reload is needed in case the duplicate was updated by a previous duplicate
1643 # Reload is needed in case the duplicate was updated by a previous duplicate
1635 duplicate.reload
1644 duplicate.reload
1636 # Don't re-close it if it's already closed
1645 # Don't re-close it if it's already closed
1637 next if duplicate.closed?
1646 next if duplicate.closed?
1638 # Same user and notes
1647 # Same user and notes
1639 if @current_journal
1648 if @current_journal
1640 duplicate.init_journal(@current_journal.user, @current_journal.notes)
1649 duplicate.init_journal(@current_journal.user, @current_journal.notes)
1641 duplicate.private_notes = @current_journal.private_notes
1650 duplicate.private_notes = @current_journal.private_notes
1642 end
1651 end
1643 duplicate.update_attribute :status, self.status
1652 duplicate.update_attribute :status, self.status
1644 end
1653 end
1645 end
1654 end
1646 end
1655 end
1647
1656
1648 # Make sure updated_on is updated when adding a note and set updated_on now
1657 # Make sure updated_on is updated when adding a note and set updated_on now
1649 # so we can set closed_on with the same value on closing
1658 # so we can set closed_on with the same value on closing
1650 def force_updated_on_change
1659 def force_updated_on_change
1651 if @current_journal || changed?
1660 if @current_journal || changed?
1652 self.updated_on = current_time_from_proper_timezone
1661 self.updated_on = current_time_from_proper_timezone
1653 if new_record?
1662 if new_record?
1654 self.created_on = updated_on
1663 self.created_on = updated_on
1655 end
1664 end
1656 end
1665 end
1657 end
1666 end
1658
1667
1659 # Callback for setting closed_on when the issue is closed.
1668 # Callback for setting closed_on when the issue is closed.
1660 # The closed_on attribute stores the time of the last closing
1669 # The closed_on attribute stores the time of the last closing
1661 # and is preserved when the issue is reopened.
1670 # and is preserved when the issue is reopened.
1662 def update_closed_on
1671 def update_closed_on
1663 if closing?
1672 if closing?
1664 self.closed_on = updated_on
1673 self.closed_on = updated_on
1665 end
1674 end
1666 end
1675 end
1667
1676
1668 # Saves the changes in a Journal
1677 # Saves the changes in a Journal
1669 # Called after_save
1678 # Called after_save
1670 def create_journal
1679 def create_journal
1671 if current_journal
1680 if current_journal
1672 current_journal.save
1681 current_journal.save
1673 end
1682 end
1674 end
1683 end
1675
1684
1676 def send_notification
1685 def send_notification
1677 if notify? && Setting.notified_events.include?('issue_added')
1686 if notify? && Setting.notified_events.include?('issue_added')
1678 Mailer.deliver_issue_add(self)
1687 Mailer.deliver_issue_add(self)
1679 end
1688 end
1680 end
1689 end
1681
1690
1682 # Stores the previous assignee so we can still have access
1691 # Stores the previous assignee so we can still have access
1683 # to it during after_save callbacks (assigned_to_id_was is reset)
1692 # to it during after_save callbacks (assigned_to_id_was is reset)
1684 def set_assigned_to_was
1693 def set_assigned_to_was
1685 @previous_assigned_to_id = assigned_to_id_was
1694 @previous_assigned_to_id = assigned_to_id_was
1686 end
1695 end
1687
1696
1688 # Clears the previous assignee at the end of after_save callbacks
1697 # Clears the previous assignee at the end of after_save callbacks
1689 def clear_assigned_to_was
1698 def clear_assigned_to_was
1690 @assigned_to_was = nil
1699 @assigned_to_was = nil
1691 @previous_assigned_to_id = nil
1700 @previous_assigned_to_id = nil
1692 end
1701 end
1693
1702
1694 def clear_disabled_fields
1703 def clear_disabled_fields
1695 if tracker
1704 if tracker
1696 tracker.disabled_core_fields.each do |attribute|
1705 tracker.disabled_core_fields.each do |attribute|
1697 send "#{attribute}=", nil
1706 send "#{attribute}=", nil
1698 end
1707 end
1699 self.done_ratio ||= 0
1708 self.done_ratio ||= 0
1700 end
1709 end
1701 end
1710 end
1702 end
1711 end
@@ -1,15 +1,17
1 <h2><%= l(:label_confirmation) %></h2>
1 <h2><%= l(:label_confirmation) %></h2>
2
2
3 <%= form_tag({}, :method => :delete) do %>
3 <%= form_tag({}, :method => :delete) do %>
4 <%= @issues.collect {|i| hidden_field_tag('ids[]', i.id, :id => nil)}.join("\n").html_safe %>
4 <%= @issues.collect {|i| hidden_field_tag('ids[]', i.id, :id => nil)}.join("\n").html_safe %>
5 <div class="box">
5 <div class="box">
6 <p><strong><%= l(:text_destroy_time_entries_question, :hours => number_with_precision(@hours, :precision => 2)) %></strong></p>
6 <p><strong><%= l(:text_destroy_time_entries_question, :hours => number_with_precision(@hours, :precision => 2)) %></strong></p>
7 <p>
7 <p>
8 <label><%= radio_button_tag 'todo', 'destroy', true %> <%= l(:text_destroy_time_entries) %></label><br />
8 <label><%= radio_button_tag 'todo', 'destroy', true %> <%= l(:text_destroy_time_entries) %></label><br />
9 <label><%= radio_button_tag 'todo', 'nullify', false %> <%= l(:text_assign_time_entries_to_project) %></label><br />
9 <label><%= radio_button_tag 'todo', 'nullify', false %> <%= l(:text_assign_time_entries_to_project) %></label><br />
10 <% if @project %>
10 <label><%= radio_button_tag 'todo', 'reassign', false, :onchange => 'if (this.checked) { $("#reassign_to_id").focus(); }' %> <%= l(:text_reassign_time_entries) %></label>
11 <label><%= radio_button_tag 'todo', 'reassign', false, :onchange => 'if (this.checked) { $("#reassign_to_id").focus(); }' %> <%= l(:text_reassign_time_entries) %></label>
11 <%= text_field_tag 'reassign_to_id', params[:reassign_to_id], :size => 6, :onfocus => '$("#todo_reassign").attr("checked", true);' %>
12 <%= text_field_tag 'reassign_to_id', params[:reassign_to_id], :size => 6, :onfocus => '$("#todo_reassign").attr("checked", true);' %>
13 <% end %>
12 </p>
14 </p>
13 </div>
15 </div>
14 <%= submit_tag l(:button_apply) %>
16 <%= submit_tag l(:button_apply) %>
15 <% end %>
17 <% end %>
@@ -1,1184 +1,1186
1 ar:
1 ar:
2 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
2 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
3 direction: rtl
3 direction: rtl
4 date:
4 date:
5 formats:
5 formats:
6 # Use the strftime parameters for formats.
6 # Use the strftime parameters for formats.
7 # When no format has been given, it uses default.
7 # When no format has been given, it uses default.
8 # You can provide other formats here if you like!
8 # You can provide other formats here if you like!
9 default: "%m/%d/%Y"
9 default: "%m/%d/%Y"
10 short: "%b %d"
10 short: "%b %d"
11 long: "%B %d, %Y"
11 long: "%B %d, %Y"
12
12
13 day_names: [الاحد, الاثنين, الثلاثاء, الاربعاء, الخميس, الجمعة, السبت]
13 day_names: [الاحد, الاثنين, الثلاثاء, الاربعاء, الخميس, الجمعة, السبت]
14 abbr_day_names: [أح, اث, ث, ار, خ, ج, س]
14 abbr_day_names: [أح, اث, ث, ار, خ, ج, س]
15
15
16 # Don't forget the nil at the beginning; there's no such thing as a 0th month
16 # Don't forget the nil at the beginning; there's no such thing as a 0th month
17 month_names: [~, كانون الثاني, شباط, آذار, نيسان, أيار, حزيران, تموز, آب, أيلول, تشرين الأول, تشرين الثاني, كانون الأول]
17 month_names: [~, كانون الثاني, شباط, آذار, نيسان, أيار, حزيران, تموز, آب, أيلول, تشرين الأول, تشرين الثاني, كانون الأول]
18 abbr_month_names: [~, كانون الثاني, شباط, آذار, نيسان, أيار, حزيران, تموز, آب, أيلول, تشرين الأول, تشرين الثاني, كانون الأول]
18 abbr_month_names: [~, كانون الثاني, شباط, آذار, نيسان, أيار, حزيران, تموز, آب, أيلول, تشرين الأول, تشرين الثاني, كانون الأول]
19 # Used in date_select and datime_select.
19 # Used in date_select and datime_select.
20 order:
20 order:
21 - :السنة
21 - :السنة
22 - :الشهر
22 - :الشهر
23 - :اليوم
23 - :اليوم
24
24
25 time:
25 time:
26 formats:
26 formats:
27 default: "%m/%d/%Y %I:%M %p"
27 default: "%m/%d/%Y %I:%M %p"
28 time: "%I:%M %p"
28 time: "%I:%M %p"
29 short: "%d %b %H:%M"
29 short: "%d %b %H:%M"
30 long: "%B %d, %Y %H:%M"
30 long: "%B %d, %Y %H:%M"
31 am: "صباحا"
31 am: "صباحا"
32 pm: "مساءاً"
32 pm: "مساءاً"
33
33
34 datetime:
34 datetime:
35 distance_in_words:
35 distance_in_words:
36 half_a_minute: "نصف دقيقة"
36 half_a_minute: "نصف دقيقة"
37 less_than_x_seconds:
37 less_than_x_seconds:
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 one: "أقل من دقيقة"
44 one: "أقل من دقيقة"
45 other: "دقائق%{count}أقل من "
45 other: "دقائق%{count}أقل من "
46 x_minutes:
46 x_minutes:
47 one: "دقيقة"
47 one: "دقيقة"
48 other: "%{count} دقائق"
48 other: "%{count} دقائق"
49 about_x_hours:
49 about_x_hours:
50 one: "حوالي ساعة"
50 one: "حوالي ساعة"
51 other: "ساعات %{count}حوالي "
51 other: "ساعات %{count}حوالي "
52 x_hours:
52 x_hours:
53 one: "%{count} ساعة"
53 one: "%{count} ساعة"
54 other: "%{count} ساعات"
54 other: "%{count} ساعات"
55 x_days:
55 x_days:
56 one: "يوم"
56 one: "يوم"
57 other: "%{count} أيام"
57 other: "%{count} أيام"
58 about_x_months:
58 about_x_months:
59 one: "حوالي شهر"
59 one: "حوالي شهر"
60 other: "أشهر %{count} حوالي"
60 other: "أشهر %{count} حوالي"
61 x_months:
61 x_months:
62 one: "شهر"
62 one: "شهر"
63 other: "%{count} أشهر"
63 other: "%{count} أشهر"
64 about_x_years:
64 about_x_years:
65 one: "حوالي سنة"
65 one: "حوالي سنة"
66 other: "سنوات %{count}حوالي "
66 other: "سنوات %{count}حوالي "
67 over_x_years:
67 over_x_years:
68 one: "اكثر من سنة"
68 one: "اكثر من سنة"
69 other: "سنوات %{count}أكثر من "
69 other: "سنوات %{count}أكثر من "
70 almost_x_years:
70 almost_x_years:
71 one: "تقريبا سنة"
71 one: "تقريبا سنة"
72 other: "سنوات %{count} نقريبا"
72 other: "سنوات %{count} نقريبا"
73 number:
73 number:
74 format:
74 format:
75 separator: "."
75 separator: "."
76 delimiter: ""
76 delimiter: ""
77 precision: 3
77 precision: 3
78
78
79 human:
79 human:
80 format:
80 format:
81 delimiter: ""
81 delimiter: ""
82 precision: 3
82 precision: 3
83 storage_units:
83 storage_units:
84 format: "%n %u"
84 format: "%n %u"
85 units:
85 units:
86 byte:
86 byte:
87 one: "Byte"
87 one: "Byte"
88 other: "Bytes"
88 other: "Bytes"
89 kb: "KB"
89 kb: "KB"
90 mb: "MB"
90 mb: "MB"
91 gb: "GB"
91 gb: "GB"
92 tb: "TB"
92 tb: "TB"
93
93
94 # Used in array.to_sentence.
94 # Used in array.to_sentence.
95 support:
95 support:
96 array:
96 array:
97 sentence_connector: "و"
97 sentence_connector: "و"
98 skip_last_comma: خطأ
98 skip_last_comma: خطأ
99
99
100 activerecord:
100 activerecord:
101 errors:
101 errors:
102 template:
102 template:
103 header:
103 header:
104 one: " %{model} خطأ يمنع تخزين"
104 one: " %{model} خطأ يمنع تخزين"
105 other: " %{model} يمنع تخزين%{count}خطأ رقم "
105 other: " %{model} يمنع تخزين%{count}خطأ رقم "
106 messages:
106 messages:
107 inclusion: "غير مدرجة على القائمة"
107 inclusion: "غير مدرجة على القائمة"
108 exclusion: "محجوز"
108 exclusion: "محجوز"
109 invalid: "غير صالح"
109 invalid: "غير صالح"
110 confirmation: "غير متطابق"
110 confirmation: "غير متطابق"
111 accepted: "مقبولة"
111 accepted: "مقبولة"
112 empty: "لا يمكن ان تكون فارغة"
112 empty: "لا يمكن ان تكون فارغة"
113 blank: "لا يمكن ان تكون فارغة"
113 blank: "لا يمكن ان تكون فارغة"
114 too_long: " %{count} طويلة جدا، الحد الاقصى هو "
114 too_long: " %{count} طويلة جدا، الحد الاقصى هو "
115 too_short: " %{count} قصيرة جدا، الحد الادنى هو "
115 too_short: " %{count} قصيرة جدا، الحد الادنى هو "
116 wrong_length: " %{count} خطأ في الطول، يجب ان يكون "
116 wrong_length: " %{count} خطأ في الطول، يجب ان يكون "
117 taken: "لقد اتخذت سابقا"
117 taken: "لقد اتخذت سابقا"
118 not_a_number: "ليس رقما"
118 not_a_number: "ليس رقما"
119 not_a_date: "ليس تاريخا صالحا"
119 not_a_date: "ليس تاريخا صالحا"
120 greater_than: "%{count}يجب ان تكون اكثر من "
120 greater_than: "%{count}يجب ان تكون اكثر من "
121 greater_than_or_equal_to: "%{count} يجب ان تكون اكثر من او تساوي"
121 greater_than_or_equal_to: "%{count} يجب ان تكون اكثر من او تساوي"
122 equal_to: "%{count}يجب ان تساوي"
122 equal_to: "%{count}يجب ان تساوي"
123 less_than: " %{count}يجب ان تكون اقل من"
123 less_than: " %{count}يجب ان تكون اقل من"
124 less_than_or_equal_to: " %{count} يجب ان تكون اقل من او تساوي"
124 less_than_or_equal_to: " %{count} يجب ان تكون اقل من او تساوي"
125 odd: "must be odd"
125 odd: "must be odd"
126 even: "must be even"
126 even: "must be even"
127 greater_than_start_date: "يجب ان تكون اكثر من تاريخ البداية"
127 greater_than_start_date: "يجب ان تكون اكثر من تاريخ البداية"
128 not_same_project: "لا ينتمي الى نفس المشروع"
128 not_same_project: "لا ينتمي الى نفس المشروع"
129 circular_dependency: "هذه العلاقة سوف تخلق علاقة تبعية دائرية"
129 circular_dependency: "هذه العلاقة سوف تخلق علاقة تبعية دائرية"
130 cant_link_an_issue_with_a_descendant: "لا يمكن ان تكون المشكلة مرتبطة بواحدة من المهام الفرعية"
130 cant_link_an_issue_with_a_descendant: "لا يمكن ان تكون المشكلة مرتبطة بواحدة من المهام الفرعية"
131 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
131 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
132
132
133 actionview_instancetag_blank_option: الرجاء التحديد
133 actionview_instancetag_blank_option: الرجاء التحديد
134
134
135 general_text_No: 'لا'
135 general_text_No: 'لا'
136 general_text_Yes: 'نعم'
136 general_text_Yes: 'نعم'
137 general_text_no: 'لا'
137 general_text_no: 'لا'
138 general_text_yes: 'نعم'
138 general_text_yes: 'نعم'
139 general_lang_name: 'Arabic (عربي)'
139 general_lang_name: 'Arabic (عربي)'
140 general_csv_separator: ','
140 general_csv_separator: ','
141 general_csv_decimal_separator: '.'
141 general_csv_decimal_separator: '.'
142 general_csv_encoding: ISO-8859-1
142 general_csv_encoding: ISO-8859-1
143 general_pdf_fontname: DejaVuSans
143 general_pdf_fontname: DejaVuSans
144 general_pdf_monospaced_fontname: DejaVuSansMono
144 general_pdf_monospaced_fontname: DejaVuSansMono
145 general_first_day_of_week: '7'
145 general_first_day_of_week: '7'
146
146
147 notice_account_updated: لقد تم تجديد الحساب بنجاح.
147 notice_account_updated: لقد تم تجديد الحساب بنجاح.
148 notice_account_invalid_creditentials: اسم المستخدم او كلمة المرور غير صحيحة
148 notice_account_invalid_creditentials: اسم المستخدم او كلمة المرور غير صحيحة
149 notice_account_password_updated: لقد تم تجديد كلمة المرور بنجاح.
149 notice_account_password_updated: لقد تم تجديد كلمة المرور بنجاح.
150 notice_account_wrong_password: كلمة المرور غير صحيحة
150 notice_account_wrong_password: كلمة المرور غير صحيحة
151 notice_account_register_done: لقد تم انشاء حسابك بنجاح، الرجاء تأكيد الطلب من البريد الالكتروني
151 notice_account_register_done: لقد تم انشاء حسابك بنجاح، الرجاء تأكيد الطلب من البريد الالكتروني
152 notice_account_unknown_email: مستخدم غير معروف.
152 notice_account_unknown_email: مستخدم غير معروف.
153 notice_can_t_change_password: هذا الحساب يستخدم جهاز خارجي غير مصرح به لا يمكن تغير كلمة المرور
153 notice_can_t_change_password: هذا الحساب يستخدم جهاز خارجي غير مصرح به لا يمكن تغير كلمة المرور
154 notice_account_lost_email_sent: لقد تم ارسال رسالة على بريدك بالتعليمات اللازمة لتغير كلمة المرور
154 notice_account_lost_email_sent: لقد تم ارسال رسالة على بريدك بالتعليمات اللازمة لتغير كلمة المرور
155 notice_account_activated: لقد تم تفعيل حسابك، يمكنك الدخول الان
155 notice_account_activated: لقد تم تفعيل حسابك، يمكنك الدخول الان
156 notice_successful_create: لقد تم الانشاء بنجاح
156 notice_successful_create: لقد تم الانشاء بنجاح
157 notice_successful_update: لقد تم التحديث بنجاح
157 notice_successful_update: لقد تم التحديث بنجاح
158 notice_successful_delete: لقد تم الحذف بنجاح
158 notice_successful_delete: لقد تم الحذف بنجاح
159 notice_successful_connection: لقد تم الربط بنجاح
159 notice_successful_connection: لقد تم الربط بنجاح
160 notice_file_not_found: الصفحة التي تحاول الدخول اليها غير موجوده او تم حذفها
160 notice_file_not_found: الصفحة التي تحاول الدخول اليها غير موجوده او تم حذفها
161 notice_locking_conflict: تم تحديث البيانات عن طريق مستخدم آخر.
161 notice_locking_conflict: تم تحديث البيانات عن طريق مستخدم آخر.
162 notice_not_authorized: غير مصرح لك الدخول الى هذه المنطقة.
162 notice_not_authorized: غير مصرح لك الدخول الى هذه المنطقة.
163 notice_not_authorized_archived_project: المشروع الذي تحاول الدخول اليه تم ارشفته
163 notice_not_authorized_archived_project: المشروع الذي تحاول الدخول اليه تم ارشفته
164 notice_email_sent: "%{value}تم ارسال رسالة الى "
164 notice_email_sent: "%{value}تم ارسال رسالة الى "
165 notice_email_error: " (%{value})لقد حدث خطأ ما اثناء ارسال الرسالة الى "
165 notice_email_error: " (%{value})لقد حدث خطأ ما اثناء ارسال الرسالة الى "
166 notice_feeds_access_key_reseted: كلمة الدخول Atomلقد تم تعديل .
166 notice_feeds_access_key_reseted: كلمة الدخول Atomلقد تم تعديل .
167 notice_api_access_key_reseted: كلمة الدخولAPIلقد تم تعديل .
167 notice_api_access_key_reseted: كلمة الدخولAPIلقد تم تعديل .
168 notice_failed_to_save_issues: "فشل في حفظ الملف"
168 notice_failed_to_save_issues: "فشل في حفظ الملف"
169 notice_failed_to_save_members: "فشل في حفظ الاعضاء: %{errors}."
169 notice_failed_to_save_members: "فشل في حفظ الاعضاء: %{errors}."
170 notice_no_issue_selected: "لم يتم تحديد شيء، الرجاء تحديد المسألة التي تريد"
170 notice_no_issue_selected: "لم يتم تحديد شيء، الرجاء تحديد المسألة التي تريد"
171 notice_account_pending: "لقد تم انشاء حسابك، الرجاء الانتظار حتى تتم الموافقة"
171 notice_account_pending: "لقد تم انشاء حسابك، الرجاء الانتظار حتى تتم الموافقة"
172 notice_default_data_loaded: تم تحميل التكوين الافتراضي بنجاح
172 notice_default_data_loaded: تم تحميل التكوين الافتراضي بنجاح
173 notice_unable_delete_version: غير قادر على مسح النسخة.
173 notice_unable_delete_version: غير قادر على مسح النسخة.
174 notice_unable_delete_time_entry: غير قادر على مسح وقت الدخول.
174 notice_unable_delete_time_entry: غير قادر على مسح وقت الدخول.
175 notice_issue_done_ratios_updated: لقد تم تحديث النسب.
175 notice_issue_done_ratios_updated: لقد تم تحديث النسب.
176 notice_gantt_chart_truncated: " (%{max})لقد تم اقتطاع الرسم البياني لانه تجاوز الاحد الاقصى لعدد العناصر المسموح عرضها "
176 notice_gantt_chart_truncated: " (%{max})لقد تم اقتطاع الرسم البياني لانه تجاوز الاحد الاقصى لعدد العناصر المسموح عرضها "
177 notice_issue_successful_create: "%{id}لقد تم انشاء "
177 notice_issue_successful_create: "%{id}لقد تم انشاء "
178
178
179
179
180 error_can_t_load_default_data: "لم يتم تحميل التكوين الافتراضي كاملا %{value}"
180 error_can_t_load_default_data: "لم يتم تحميل التكوين الافتراضي كاملا %{value}"
181 error_scm_not_found: "لم يتم العثور على ادخال في المستودع"
181 error_scm_not_found: "لم يتم العثور على ادخال في المستودع"
182 error_scm_command_failed: "حدث خطأ عند محاولة الوصول الى المستودع: %{value}"
182 error_scm_command_failed: "حدث خطأ عند محاولة الوصول الى المستودع: %{value}"
183 error_scm_annotate: "الادخال غير موجود."
183 error_scm_annotate: "الادخال غير موجود."
184 error_scm_annotate_big_text_file: "لا يمكن حفظ الادخال لانه تجاوز الحد الاقصى لحجم الملف."
184 error_scm_annotate_big_text_file: "لا يمكن حفظ الادخال لانه تجاوز الحد الاقصى لحجم الملف."
185 error_issue_not_found_in_project: 'لم يتم العثور على المخرج او انه ينتمي الى مشروع اخر'
185 error_issue_not_found_in_project: 'لم يتم العثور على المخرج او انه ينتمي الى مشروع اخر'
186 error_no_tracker_in_project: 'لا يوجد انواع بنود عمل لهذا المشروع، الرجاء التحقق من إعدادات المشروع. '
186 error_no_tracker_in_project: 'لا يوجد انواع بنود عمل لهذا المشروع، الرجاء التحقق من إعدادات المشروع. '
187 error_no_default_issue_status: 'لم يتم التعرف على اي وضع افتراضي، الرجاء التحقق من التكوين الخاص بك (اذهب الى إدارة-إصدار الحالات)'
187 error_no_default_issue_status: 'لم يتم التعرف على اي وضع افتراضي، الرجاء التحقق من التكوين الخاص بك (اذهب الى إدارة-إصدار الحالات)'
188 error_can_not_delete_custom_field: غير قادر على حذف الحقل المظلل
188 error_can_not_delete_custom_field: غير قادر على حذف الحقل المظلل
189 error_can_not_delete_tracker: "هذا النوع من بنود العمل يحتوي على بنود نشطة ولا يمكن حذفه"
189 error_can_not_delete_tracker: "هذا النوع من بنود العمل يحتوي على بنود نشطة ولا يمكن حذفه"
190 error_can_not_remove_role: "هذا الدور قيد الاستخدام، لا يمكن حذفه"
190 error_can_not_remove_role: "هذا الدور قيد الاستخدام، لا يمكن حذفه"
191 error_can_not_reopen_issue_on_closed_version: 'لا يمكن إعادة فتح بند عمل معين لاصدار مقفل'
191 error_can_not_reopen_issue_on_closed_version: 'لا يمكن إعادة فتح بند عمل معين لاصدار مقفل'
192 error_can_not_archive_project: لا يمكن ارشفة هذا المشروع
192 error_can_not_archive_project: لا يمكن ارشفة هذا المشروع
193 error_issue_done_ratios_not_updated: "لم يتم تحديث النسب"
193 error_issue_done_ratios_not_updated: "لم يتم تحديث النسب"
194 error_workflow_copy_source: 'الرجاء اختيار نوع بند العمل او الادوار'
194 error_workflow_copy_source: 'الرجاء اختيار نوع بند العمل او الادوار'
195 error_workflow_copy_target: 'الرجاء اختيار نوع بند العمل المستهدف او الادوار المستهدفة'
195 error_workflow_copy_target: 'الرجاء اختيار نوع بند العمل المستهدف او الادوار المستهدفة'
196 error_unable_delete_issue_status: 'غير قادر على حذف حالة بند العمل'
196 error_unable_delete_issue_status: 'غير قادر على حذف حالة بند العمل'
197 error_unable_to_connect: "تعذر الاتصال(%{value})"
197 error_unable_to_connect: "تعذر الاتصال(%{value})"
198 error_attachment_too_big: " (%{max_size})لا يمكن تحميل هذا الملف، لقد تجاوز الحد الاقصى المسموح به "
198 error_attachment_too_big: " (%{max_size})لا يمكن تحميل هذا الملف، لقد تجاوز الحد الاقصى المسموح به "
199 warning_attachments_not_saved: "%{count}تعذر حفظ الملف"
199 warning_attachments_not_saved: "%{count}تعذر حفظ الملف"
200
200
201 mail_subject_lost_password: " %{value}كلمة المرور الخاصة بك "
201 mail_subject_lost_password: " %{value}كلمة المرور الخاصة بك "
202 mail_body_lost_password: 'لتغير كلمة المرور، انقر على الروابط التالية:'
202 mail_body_lost_password: 'لتغير كلمة المرور، انقر على الروابط التالية:'
203 mail_subject_register: " %{value}تفعيل حسابك "
203 mail_subject_register: " %{value}تفعيل حسابك "
204 mail_body_register: 'لتفعيل حسابك، انقر على الروابط التالية:'
204 mail_body_register: 'لتفعيل حسابك، انقر على الروابط التالية:'
205 mail_body_account_information_external: " %{value}اصبح بامكانك استخدام حسابك للدخول"
205 mail_body_account_information_external: " %{value}اصبح بامكانك استخدام حسابك للدخول"
206 mail_body_account_information: معلومات حسابك
206 mail_body_account_information: معلومات حسابك
207 mail_subject_account_activation_request: "%{value}طلب تفعيل الحساب "
207 mail_subject_account_activation_request: "%{value}طلب تفعيل الحساب "
208 mail_body_account_activation_request: " (%{value})تم تسجيل حساب جديد، بانتظار الموافقة:"
208 mail_body_account_activation_request: " (%{value})تم تسجيل حساب جديد، بانتظار الموافقة:"
209 mail_subject_reminder: "%{count}تم تأجيل المهام التالية "
209 mail_subject_reminder: "%{count}تم تأجيل المهام التالية "
210 mail_body_reminder: "%{count}يجب ان تقوم بتسليم المهام التالية:"
210 mail_body_reminder: "%{count}يجب ان تقوم بتسليم المهام التالية:"
211 mail_subject_wiki_content_added: "'%{id}' تم اضافة صفحة ويكي"
211 mail_subject_wiki_content_added: "'%{id}' تم اضافة صفحة ويكي"
212 mail_body_wiki_content_added: "The '%{id}' تم اضافة صفحة ويكي من قبل %{author}."
212 mail_body_wiki_content_added: "The '%{id}' تم اضافة صفحة ويكي من قبل %{author}."
213 mail_subject_wiki_content_updated: "'%{id}' تم تحديث صفحة ويكي"
213 mail_subject_wiki_content_updated: "'%{id}' تم تحديث صفحة ويكي"
214 mail_body_wiki_content_updated: "The '%{id}'تم تحديث صفحة ويكي من قبل %{author}."
214 mail_body_wiki_content_updated: "The '%{id}'تم تحديث صفحة ويكي من قبل %{author}."
215
215
216
216
217 field_name: الاسم
217 field_name: الاسم
218 field_description: الوصف
218 field_description: الوصف
219 field_summary: الملخص
219 field_summary: الملخص
220 field_is_required: مطلوب
220 field_is_required: مطلوب
221 field_firstname: الاسم الاول
221 field_firstname: الاسم الاول
222 field_lastname: الاسم الاخير
222 field_lastname: الاسم الاخير
223 field_mail: البريد الالكتروني
223 field_mail: البريد الالكتروني
224 field_filename: اسم الملف
224 field_filename: اسم الملف
225 field_filesize: حجم الملف
225 field_filesize: حجم الملف
226 field_downloads: التنزيل
226 field_downloads: التنزيل
227 field_author: المؤلف
227 field_author: المؤلف
228 field_created_on: تم الانشاء في
228 field_created_on: تم الانشاء في
229 field_updated_on: تم التحديث
229 field_updated_on: تم التحديث
230 field_field_format: تنسيق الحقل
230 field_field_format: تنسيق الحقل
231 field_is_for_all: لكل المشروعات
231 field_is_for_all: لكل المشروعات
232 field_possible_values: قيم محتملة
232 field_possible_values: قيم محتملة
233 field_regexp: التعبير العادي
233 field_regexp: التعبير العادي
234 field_min_length: الحد الادنى للطول
234 field_min_length: الحد الادنى للطول
235 field_max_length: الحد الاعلى للطول
235 field_max_length: الحد الاعلى للطول
236 field_value: القيمة
236 field_value: القيمة
237 field_category: الفئة
237 field_category: الفئة
238 field_title: العنوان
238 field_title: العنوان
239 field_project: المشروع
239 field_project: المشروع
240 field_issue: بند العمل
240 field_issue: بند العمل
241 field_status: الحالة
241 field_status: الحالة
242 field_notes: ملاحظات
242 field_notes: ملاحظات
243 field_is_closed: بند العمل مغلق
243 field_is_closed: بند العمل مغلق
244 field_is_default: القيمة الافتراضية
244 field_is_default: القيمة الافتراضية
245 field_tracker: نوع بند العمل
245 field_tracker: نوع بند العمل
246 field_subject: الموضوع
246 field_subject: الموضوع
247 field_due_date: تاريخ النهاية
247 field_due_date: تاريخ النهاية
248 field_assigned_to: المحال اليه
248 field_assigned_to: المحال اليه
249 field_priority: الأولوية
249 field_priority: الأولوية
250 field_fixed_version: الاصدار المستهدف
250 field_fixed_version: الاصدار المستهدف
251 field_user: المستخدم
251 field_user: المستخدم
252 field_principal: الرئيسي
252 field_principal: الرئيسي
253 field_role: دور
253 field_role: دور
254 field_homepage: الصفحة الرئيسية
254 field_homepage: الصفحة الرئيسية
255 field_is_public: عام
255 field_is_public: عام
256 field_parent: مشروع فرعي من
256 field_parent: مشروع فرعي من
257 field_is_in_roadmap: معروض في خارطة الطريق
257 field_is_in_roadmap: معروض في خارطة الطريق
258 field_login: تسجيل الدخول
258 field_login: تسجيل الدخول
259 field_mail_notification: ملاحظات على البريد الالكتروني
259 field_mail_notification: ملاحظات على البريد الالكتروني
260 field_admin: المدير
260 field_admin: المدير
261 field_last_login_on: اخر اتصال
261 field_last_login_on: اخر اتصال
262 field_language: لغة
262 field_language: لغة
263 field_effective_date: تاريخ
263 field_effective_date: تاريخ
264 field_password: كلمة المرور
264 field_password: كلمة المرور
265 field_new_password: كلمة المرور الجديدة
265 field_new_password: كلمة المرور الجديدة
266 field_password_confirmation: تأكيد
266 field_password_confirmation: تأكيد
267 field_version: إصدار
267 field_version: إصدار
268 field_type: نوع
268 field_type: نوع
269 field_host: المضيف
269 field_host: المضيف
270 field_port: المنفذ
270 field_port: المنفذ
271 field_account: الحساب
271 field_account: الحساب
272 field_base_dn: DN قاعدة
272 field_base_dn: DN قاعدة
273 field_attr_login: سمة الدخول
273 field_attr_login: سمة الدخول
274 field_attr_firstname: سمة الاسم الاول
274 field_attr_firstname: سمة الاسم الاول
275 field_attr_lastname: سمة الاسم الاخير
275 field_attr_lastname: سمة الاسم الاخير
276 field_attr_mail: سمة البريد الالكتروني
276 field_attr_mail: سمة البريد الالكتروني
277 field_onthefly: إنشاء حساب مستخدم على تحرك
277 field_onthefly: إنشاء حساب مستخدم على تحرك
278 field_start_date: تاريخ البداية
278 field_start_date: تاريخ البداية
279 field_done_ratio: "نسبة الانجاز"
279 field_done_ratio: "نسبة الانجاز"
280 field_auth_source: وضع المصادقة
280 field_auth_source: وضع المصادقة
281 field_hide_mail: إخفاء بريدي الإلكتروني
281 field_hide_mail: إخفاء بريدي الإلكتروني
282 field_comments: تعليق
282 field_comments: تعليق
283 field_url: رابط
283 field_url: رابط
284 field_start_page: صفحة البداية
284 field_start_page: صفحة البداية
285 field_subproject: المشروع الفرعي
285 field_subproject: المشروع الفرعي
286 field_hours: ساعات
286 field_hours: ساعات
287 field_activity: النشاط
287 field_activity: النشاط
288 field_spent_on: تاريخ
288 field_spent_on: تاريخ
289 field_identifier: المعرف
289 field_identifier: المعرف
290 field_is_filter: استخدم كتصفية
290 field_is_filter: استخدم كتصفية
291 field_issue_to: بنود العمل المتصلة
291 field_issue_to: بنود العمل المتصلة
292 field_delay: تأخير
292 field_delay: تأخير
293 field_assignable: يمكن اسناد بنود العمل الى هذا الدور
293 field_assignable: يمكن اسناد بنود العمل الى هذا الدور
294 field_redirect_existing_links: إعادة توجيه الروابط الموجودة
294 field_redirect_existing_links: إعادة توجيه الروابط الموجودة
295 field_estimated_hours: الوقت المتوقع
295 field_estimated_hours: الوقت المتوقع
296 field_column_names: أعمدة
296 field_column_names: أعمدة
297 field_time_entries: وقت الدخول
297 field_time_entries: وقت الدخول
298 field_time_zone: المنطقة الزمنية
298 field_time_zone: المنطقة الزمنية
299 field_searchable: يمكن البحث فيه
299 field_searchable: يمكن البحث فيه
300 field_default_value: القيمة الافتراضية
300 field_default_value: القيمة الافتراضية
301 field_comments_sorting: اعرض التعليقات
301 field_comments_sorting: اعرض التعليقات
302 field_parent_title: صفحة الوالدين
302 field_parent_title: صفحة الوالدين
303 field_editable: يمكن اعادة تحريره
303 field_editable: يمكن اعادة تحريره
304 field_watcher: مراقب
304 field_watcher: مراقب
305 field_identity_url: افتح الرابط الخاص بالهوية الشخصية
305 field_identity_url: افتح الرابط الخاص بالهوية الشخصية
306 field_content: المحتويات
306 field_content: المحتويات
307 field_group_by: تصنيف النتائج بواسطة
307 field_group_by: تصنيف النتائج بواسطة
308 field_sharing: مشاركة
308 field_sharing: مشاركة
309 field_parent_issue: بند العمل الأصلي
309 field_parent_issue: بند العمل الأصلي
310 field_member_of_group: "مجموعة المحال"
310 field_member_of_group: "مجموعة المحال"
311 field_assigned_to_role: "دور المحال"
311 field_assigned_to_role: "دور المحال"
312 field_text: حقل نصي
312 field_text: حقل نصي
313 field_visible: غير مرئي
313 field_visible: غير مرئي
314 field_warn_on_leaving_unsaved: "الرجاء التحذير عند مغادرة صفحة والنص غير محفوظ"
314 field_warn_on_leaving_unsaved: "الرجاء التحذير عند مغادرة صفحة والنص غير محفوظ"
315 field_issues_visibility: بنود العمل المرئية
315 field_issues_visibility: بنود العمل المرئية
316 field_is_private: خاص
316 field_is_private: خاص
317 field_commit_logs_encoding: رسائل الترميز
317 field_commit_logs_encoding: رسائل الترميز
318 field_scm_path_encoding: ترميز المسار
318 field_scm_path_encoding: ترميز المسار
319 field_path_to_repository: مسار المستودع
319 field_path_to_repository: مسار المستودع
320 field_root_directory: دليل الجذر
320 field_root_directory: دليل الجذر
321 field_cvsroot: CVSجذر
321 field_cvsroot: CVSجذر
322 field_cvs_module: وحدة
322 field_cvs_module: وحدة
323
323
324 setting_app_title: عنوان التطبيق
324 setting_app_title: عنوان التطبيق
325 setting_app_subtitle: العنوان الفرعي للتطبيق
325 setting_app_subtitle: العنوان الفرعي للتطبيق
326 setting_welcome_text: نص الترحيب
326 setting_welcome_text: نص الترحيب
327 setting_default_language: اللغة الافتراضية
327 setting_default_language: اللغة الافتراضية
328 setting_login_required: مطلوب المصادقة
328 setting_login_required: مطلوب المصادقة
329 setting_self_registration: التسجيل الذاتي
329 setting_self_registration: التسجيل الذاتي
330 setting_attachment_max_size: الحد الاقصى للملفات المرفقة
330 setting_attachment_max_size: الحد الاقصى للملفات المرفقة
331 setting_issues_export_limit: الحد الاقصى لتصدير بنود العمل لملفات خارجية
331 setting_issues_export_limit: الحد الاقصى لتصدير بنود العمل لملفات خارجية
332 setting_mail_from: انبعاثات عنوان بريدك
332 setting_mail_from: انبعاثات عنوان بريدك
333 setting_bcc_recipients: مستلمين النسخ المخفية (bcc)
333 setting_bcc_recipients: مستلمين النسخ المخفية (bcc)
334 setting_plain_text_mail: نص عادي (no HTML)
334 setting_plain_text_mail: نص عادي (no HTML)
335 setting_host_name: اسم ومسار المستخدم
335 setting_host_name: اسم ومسار المستخدم
336 setting_text_formatting: تنسيق النص
336 setting_text_formatting: تنسيق النص
337 setting_wiki_compression: ضغط تاريخ الويكي
337 setting_wiki_compression: ضغط تاريخ الويكي
338 setting_feeds_limit: Atom feeds الحد الاقصى لعدد البنود في
338 setting_feeds_limit: Atom feeds الحد الاقصى لعدد البنود في
339 setting_default_projects_public: المشاريع الجديده متاحة للجميع افتراضيا
339 setting_default_projects_public: المشاريع الجديده متاحة للجميع افتراضيا
340 setting_autofetch_changesets: الإحضار التلقائي
340 setting_autofetch_changesets: الإحضار التلقائي
341 setting_sys_api_enabled: من ادارة المستودع WS تمكين
341 setting_sys_api_enabled: من ادارة المستودع WS تمكين
342 setting_commit_ref_keywords: مرجعية الكلمات المفتاحية
342 setting_commit_ref_keywords: مرجعية الكلمات المفتاحية
343 setting_commit_fix_keywords: تصحيح الكلمات المفتاحية
343 setting_commit_fix_keywords: تصحيح الكلمات المفتاحية
344 setting_autologin: الدخول التلقائي
344 setting_autologin: الدخول التلقائي
345 setting_date_format: تنسيق التاريخ
345 setting_date_format: تنسيق التاريخ
346 setting_time_format: تنسيق الوقت
346 setting_time_format: تنسيق الوقت
347 setting_cross_project_issue_relations: السماح بإدراج بنود العمل في هذا المشروع
347 setting_cross_project_issue_relations: السماح بإدراج بنود العمل في هذا المشروع
348 setting_issue_list_default_columns: الاعمدة الافتراضية المعروضة في قائمة بند العمل
348 setting_issue_list_default_columns: الاعمدة الافتراضية المعروضة في قائمة بند العمل
349 setting_repositories_encodings: ترميز المرفقات والمستودعات
349 setting_repositories_encodings: ترميز المرفقات والمستودعات
350 setting_emails_header: رأس رسائل البريد الإلكتروني
350 setting_emails_header: رأس رسائل البريد الإلكتروني
351 setting_emails_footer: ذيل رسائل البريد الإلكتروني
351 setting_emails_footer: ذيل رسائل البريد الإلكتروني
352 setting_protocol: بروتوكول
352 setting_protocol: بروتوكول
353 setting_per_page_options: الكائنات لكل خيارات الصفحة
353 setting_per_page_options: الكائنات لكل خيارات الصفحة
354 setting_user_format: تنسيق عرض المستخدم
354 setting_user_format: تنسيق عرض المستخدم
355 setting_activity_days_default: الايام المعروضة على نشاط المشروع
355 setting_activity_days_default: الايام المعروضة على نشاط المشروع
356 setting_display_subprojects_issues: عرض بنود العمل للمشارع الرئيسية بشكل افتراضي
356 setting_display_subprojects_issues: عرض بنود العمل للمشارع الرئيسية بشكل افتراضي
357 setting_enabled_scm: SCM تمكين
357 setting_enabled_scm: SCM تمكين
358 setting_mail_handler_body_delimiters: "اقتطاع رسائل البريد الإلكتروني بعد هذه الخطوط"
358 setting_mail_handler_body_delimiters: "اقتطاع رسائل البريد الإلكتروني بعد هذه الخطوط"
359 setting_mail_handler_api_enabled: للرسائل الواردةWS تمكين
359 setting_mail_handler_api_enabled: للرسائل الواردةWS تمكين
360 setting_mail_handler_api_key: API مفتاح
360 setting_mail_handler_api_key: API مفتاح
361 setting_sequential_project_identifiers: انشاء معرفات المشروع المتسلسلة
361 setting_sequential_project_identifiers: انشاء معرفات المشروع المتسلسلة
362 setting_gravatar_enabled: كأيقونة مستخدمGravatar استخدام
362 setting_gravatar_enabled: كأيقونة مستخدمGravatar استخدام
363 setting_gravatar_default: الافتراضيةGravatar صورة
363 setting_gravatar_default: الافتراضيةGravatar صورة
364 setting_diff_max_lines_displayed: الحد الاقصى لعدد الخطوط
364 setting_diff_max_lines_displayed: الحد الاقصى لعدد الخطوط
365 setting_file_max_size_displayed: الحد الأقصى لحجم النص المعروض على الملفات المرفقة
365 setting_file_max_size_displayed: الحد الأقصى لحجم النص المعروض على الملفات المرفقة
366 setting_repository_log_display_limit: الحد الاقصى لعدد التنقيحات المعروضة على ملف السجل
366 setting_repository_log_display_limit: الحد الاقصى لعدد التنقيحات المعروضة على ملف السجل
367 setting_openid: السماح بدخول اسم المستخدم المفتوح والتسجيل
367 setting_openid: السماح بدخول اسم المستخدم المفتوح والتسجيل
368 setting_password_min_length: الحد الادني لطول كلمة المرور
368 setting_password_min_length: الحد الادني لطول كلمة المرور
369 setting_new_project_user_role_id: الدور المسند الى المستخدم غير المسؤول الذي يقوم بإنشاء المشروع
369 setting_new_project_user_role_id: الدور المسند الى المستخدم غير المسؤول الذي يقوم بإنشاء المشروع
370 setting_default_projects_modules: تمكين الوحدات النمطية للمشاريع الجديدة بشكل افتراضي
370 setting_default_projects_modules: تمكين الوحدات النمطية للمشاريع الجديدة بشكل افتراضي
371 setting_issue_done_ratio: حساب نسبة بند العمل المنتهية
371 setting_issue_done_ratio: حساب نسبة بند العمل المنتهية
372 setting_issue_done_ratio_issue_field: استخدم حقل بند العمل
372 setting_issue_done_ratio_issue_field: استخدم حقل بند العمل
373 setting_issue_done_ratio_issue_status: استخدم وضع بند العمل
373 setting_issue_done_ratio_issue_status: استخدم وضع بند العمل
374 setting_start_of_week: بدأ التقويم
374 setting_start_of_week: بدأ التقويم
375 setting_rest_api_enabled: تمكين باقي خدمات الويب
375 setting_rest_api_enabled: تمكين باقي خدمات الويب
376 setting_cache_formatted_text: النص المسبق تنسيقه في ذاكرة التخزين المؤقت
376 setting_cache_formatted_text: النص المسبق تنسيقه في ذاكرة التخزين المؤقت
377 setting_default_notification_option: خيار الاعلام الافتراضي
377 setting_default_notification_option: خيار الاعلام الافتراضي
378 setting_commit_logtime_enabled: تميكن وقت الدخول
378 setting_commit_logtime_enabled: تميكن وقت الدخول
379 setting_commit_logtime_activity_id: النشاط في وقت الدخول
379 setting_commit_logtime_activity_id: النشاط في وقت الدخول
380 setting_gantt_items_limit: الحد الاقصى لعدد العناصر المعروضة على مخطط جانت
380 setting_gantt_items_limit: الحد الاقصى لعدد العناصر المعروضة على مخطط جانت
381 setting_issue_group_assignment: السماح للإحالة الى المجموعات
381 setting_issue_group_assignment: السماح للإحالة الى المجموعات
382 setting_default_issue_start_date_to_creation_date: استخدام التاريخ الحالي كتاريخ بدأ لبنود العمل الجديدة
382 setting_default_issue_start_date_to_creation_date: استخدام التاريخ الحالي كتاريخ بدأ لبنود العمل الجديدة
383
383
384 permission_add_project: إنشاء مشروع
384 permission_add_project: إنشاء مشروع
385 permission_add_subprojects: إنشاء مشاريع فرعية
385 permission_add_subprojects: إنشاء مشاريع فرعية
386 permission_edit_project: تعديل مشروع
386 permission_edit_project: تعديل مشروع
387 permission_select_project_modules: تحديد شكل المشروع
387 permission_select_project_modules: تحديد شكل المشروع
388 permission_manage_members: إدارة الاعضاء
388 permission_manage_members: إدارة الاعضاء
389 permission_manage_project_activities: ادارة اصدارات المشروع
389 permission_manage_project_activities: ادارة اصدارات المشروع
390 permission_manage_versions: ادارة الاصدارات
390 permission_manage_versions: ادارة الاصدارات
391 permission_manage_categories: ادارة انواع بنود العمل
391 permission_manage_categories: ادارة انواع بنود العمل
392 permission_view_issues: عرض بنود العمل
392 permission_view_issues: عرض بنود العمل
393 permission_add_issues: اضافة بنود العمل
393 permission_add_issues: اضافة بنود العمل
394 permission_edit_issues: تعديل بنود العمل
394 permission_edit_issues: تعديل بنود العمل
395 permission_manage_issue_relations: ادارة علاقات بنود العمل
395 permission_manage_issue_relations: ادارة علاقات بنود العمل
396 permission_set_issues_private: تعين بنود العمل عامة او خاصة
396 permission_set_issues_private: تعين بنود العمل عامة او خاصة
397 permission_set_own_issues_private: تعين بنود العمل الخاصة بك كبنود عمل عامة او خاصة
397 permission_set_own_issues_private: تعين بنود العمل الخاصة بك كبنود عمل عامة او خاصة
398 permission_add_issue_notes: اضافة ملاحظات
398 permission_add_issue_notes: اضافة ملاحظات
399 permission_edit_issue_notes: تعديل ملاحظات
399 permission_edit_issue_notes: تعديل ملاحظات
400 permission_edit_own_issue_notes: تعديل ملاحظاتك
400 permission_edit_own_issue_notes: تعديل ملاحظاتك
401 permission_move_issues: تحريك بنود العمل
401 permission_move_issues: تحريك بنود العمل
402 permission_delete_issues: حذف بنود العمل
402 permission_delete_issues: حذف بنود العمل
403 permission_manage_public_queries: ادارة الاستعلامات العامة
403 permission_manage_public_queries: ادارة الاستعلامات العامة
404 permission_save_queries: حفظ الاستعلامات
404 permission_save_queries: حفظ الاستعلامات
405 permission_view_gantt: عرض طريقة"جانت"
405 permission_view_gantt: عرض طريقة"جانت"
406 permission_view_calendar: عرض التقويم
406 permission_view_calendar: عرض التقويم
407 permission_view_issue_watchers: عرض قائمة المراقبين
407 permission_view_issue_watchers: عرض قائمة المراقبين
408 permission_add_issue_watchers: اضافة مراقبين
408 permission_add_issue_watchers: اضافة مراقبين
409 permission_delete_issue_watchers: حذف مراقبين
409 permission_delete_issue_watchers: حذف مراقبين
410 permission_log_time: الوقت المستغرق بالدخول
410 permission_log_time: الوقت المستغرق بالدخول
411 permission_view_time_entries: عرض الوقت المستغرق
411 permission_view_time_entries: عرض الوقت المستغرق
412 permission_edit_time_entries: تعديل الدخولات الزمنية
412 permission_edit_time_entries: تعديل الدخولات الزمنية
413 permission_edit_own_time_entries: تعديل الدخولات الشخصية
413 permission_edit_own_time_entries: تعديل الدخولات الشخصية
414 permission_manage_news: ادارة الاخبار
414 permission_manage_news: ادارة الاخبار
415 permission_comment_news: اخبار التعليقات
415 permission_comment_news: اخبار التعليقات
416 permission_view_documents: عرض المستندات
416 permission_view_documents: عرض المستندات
417 permission_manage_files: ادارة الملفات
417 permission_manage_files: ادارة الملفات
418 permission_view_files: عرض الملفات
418 permission_view_files: عرض الملفات
419 permission_manage_wiki: ادارة ويكي
419 permission_manage_wiki: ادارة ويكي
420 permission_rename_wiki_pages: اعادة تسمية صفحات ويكي
420 permission_rename_wiki_pages: اعادة تسمية صفحات ويكي
421 permission_delete_wiki_pages: حذق صفحات ويكي
421 permission_delete_wiki_pages: حذق صفحات ويكي
422 permission_view_wiki_pages: عرض ويكي
422 permission_view_wiki_pages: عرض ويكي
423 permission_view_wiki_edits: عرض تاريخ ويكي
423 permission_view_wiki_edits: عرض تاريخ ويكي
424 permission_edit_wiki_pages: تعديل صفحات ويكي
424 permission_edit_wiki_pages: تعديل صفحات ويكي
425 permission_delete_wiki_pages_attachments: حذف المرفقات
425 permission_delete_wiki_pages_attachments: حذف المرفقات
426 permission_protect_wiki_pages: حماية صفحات ويكي
426 permission_protect_wiki_pages: حماية صفحات ويكي
427 permission_manage_repository: ادارة المستودعات
427 permission_manage_repository: ادارة المستودعات
428 permission_browse_repository: استعراض المستودعات
428 permission_browse_repository: استعراض المستودعات
429 permission_view_changesets: عرض طاقم التغيير
429 permission_view_changesets: عرض طاقم التغيير
430 permission_commit_access: الوصول
430 permission_commit_access: الوصول
431 permission_manage_boards: ادارة المنتديات
431 permission_manage_boards: ادارة المنتديات
432 permission_view_messages: عرض الرسائل
432 permission_view_messages: عرض الرسائل
433 permission_add_messages: نشر الرسائل
433 permission_add_messages: نشر الرسائل
434 permission_edit_messages: تحرير الرسائل
434 permission_edit_messages: تحرير الرسائل
435 permission_edit_own_messages: تحرير الرسائل الخاصة
435 permission_edit_own_messages: تحرير الرسائل الخاصة
436 permission_delete_messages: حذف الرسائل
436 permission_delete_messages: حذف الرسائل
437 permission_delete_own_messages: حذف الرسائل الخاصة
437 permission_delete_own_messages: حذف الرسائل الخاصة
438 permission_export_wiki_pages: تصدير صفحات ويكي
438 permission_export_wiki_pages: تصدير صفحات ويكي
439 permission_manage_subtasks: ادارة المهام الفرعية
439 permission_manage_subtasks: ادارة المهام الفرعية
440
440
441 project_module_issue_tracking: تعقب بنود العمل
441 project_module_issue_tracking: تعقب بنود العمل
442 project_module_time_tracking: التعقب الزمني
442 project_module_time_tracking: التعقب الزمني
443 project_module_news: الاخبار
443 project_module_news: الاخبار
444 project_module_documents: المستندات
444 project_module_documents: المستندات
445 project_module_files: الملفات
445 project_module_files: الملفات
446 project_module_wiki: ويكي
446 project_module_wiki: ويكي
447 project_module_repository: المستودع
447 project_module_repository: المستودع
448 project_module_boards: المنتديات
448 project_module_boards: المنتديات
449 project_module_calendar: التقويم
449 project_module_calendar: التقويم
450 project_module_gantt: جانت
450 project_module_gantt: جانت
451
451
452 label_user: المستخدم
452 label_user: المستخدم
453 label_user_plural: المستخدمين
453 label_user_plural: المستخدمين
454 label_user_new: مستخدم جديد
454 label_user_new: مستخدم جديد
455 label_user_anonymous: مجهول الهوية
455 label_user_anonymous: مجهول الهوية
456 label_project: مشروع
456 label_project: مشروع
457 label_project_new: مشروع جديد
457 label_project_new: مشروع جديد
458 label_project_plural: مشاريع
458 label_project_plural: مشاريع
459 label_x_projects:
459 label_x_projects:
460 zero: لا يوجد مشاريع
460 zero: لا يوجد مشاريع
461 one: مشروع واحد
461 one: مشروع واحد
462 other: "%{count} مشاريع"
462 other: "%{count} مشاريع"
463 label_project_all: كل المشاريع
463 label_project_all: كل المشاريع
464 label_project_latest: احدث المشاريع
464 label_project_latest: احدث المشاريع
465 label_issue: بند عمل
465 label_issue: بند عمل
466 label_issue_new: بند عمل جديد
466 label_issue_new: بند عمل جديد
467 label_issue_plural: بنود عمل
467 label_issue_plural: بنود عمل
468 label_issue_view_all: عرض كل بنود العمل
468 label_issue_view_all: عرض كل بنود العمل
469 label_issues_by: " %{value}بند العمل لصحابها"
469 label_issues_by: " %{value}بند العمل لصحابها"
470 label_issue_added: تم اضافة بند العمل
470 label_issue_added: تم اضافة بند العمل
471 label_issue_updated: تم تحديث بند العمل
471 label_issue_updated: تم تحديث بند العمل
472 label_issue_note_added: تم اضافة الملاحظة
472 label_issue_note_added: تم اضافة الملاحظة
473 label_issue_status_updated: تم تحديث الحالة
473 label_issue_status_updated: تم تحديث الحالة
474 label_issue_priority_updated: تم تحديث الاولويات
474 label_issue_priority_updated: تم تحديث الاولويات
475 label_document: مستند
475 label_document: مستند
476 label_document_new: مستند جديد
476 label_document_new: مستند جديد
477 label_document_plural: مستندات
477 label_document_plural: مستندات
478 label_document_added: تم اضافة مستند
478 label_document_added: تم اضافة مستند
479 label_role: دور
479 label_role: دور
480 label_role_plural: ادوار
480 label_role_plural: ادوار
481 label_role_new: دور جديد
481 label_role_new: دور جديد
482 label_role_and_permissions: الأدوار والصلاحيات
482 label_role_and_permissions: الأدوار والصلاحيات
483 label_role_anonymous: مجهول الهوية
483 label_role_anonymous: مجهول الهوية
484 label_role_non_member: ليس عضو
484 label_role_non_member: ليس عضو
485 label_member: عضو
485 label_member: عضو
486 label_member_new: عضو جديد
486 label_member_new: عضو جديد
487 label_member_plural: اعضاء
487 label_member_plural: اعضاء
488 label_tracker: نوع بند عمل
488 label_tracker: نوع بند عمل
489 label_tracker_plural: أنواع بنود العمل
489 label_tracker_plural: أنواع بنود العمل
490 label_tracker_new: نوع بند عمل جديد
490 label_tracker_new: نوع بند عمل جديد
491 label_workflow: سير العمل
491 label_workflow: سير العمل
492 label_issue_status: حالة بند العمل
492 label_issue_status: حالة بند العمل
493 label_issue_status_plural: حالات بند العمل
493 label_issue_status_plural: حالات بند العمل
494 label_issue_status_new: حالة جديدة
494 label_issue_status_new: حالة جديدة
495 label_issue_category: فئة بند العمل
495 label_issue_category: فئة بند العمل
496 label_issue_category_plural: فئات بنود العمل
496 label_issue_category_plural: فئات بنود العمل
497 label_issue_category_new: فئة جديدة
497 label_issue_category_new: فئة جديدة
498 label_custom_field: تخصيص حقل
498 label_custom_field: تخصيص حقل
499 label_custom_field_plural: تخصيص حقول
499 label_custom_field_plural: تخصيص حقول
500 label_custom_field_new: حقل مخصص جديد
500 label_custom_field_new: حقل مخصص جديد
501 label_enumerations: التعدادات
501 label_enumerations: التعدادات
502 label_enumeration_new: قيمة جديدة
502 label_enumeration_new: قيمة جديدة
503 label_information: معلومة
503 label_information: معلومة
504 label_information_plural: معلومات
504 label_information_plural: معلومات
505 label_please_login: برجى تسجيل الدخول
505 label_please_login: برجى تسجيل الدخول
506 label_register: تسجيل
506 label_register: تسجيل
507 label_login_with_open_id_option: او الدخول بهوية مفتوحة
507 label_login_with_open_id_option: او الدخول بهوية مفتوحة
508 label_password_lost: فقدت كلمة السر
508 label_password_lost: فقدت كلمة السر
509 label_home: "الصفحة الرئيسية"
509 label_home: "الصفحة الرئيسية"
510 label_my_page: الصفحة الخاصة بي
510 label_my_page: الصفحة الخاصة بي
511 label_my_account: حسابي
511 label_my_account: حسابي
512 label_my_projects: مشاريعي الخاصة
512 label_my_projects: مشاريعي الخاصة
513 label_my_page_block: حجب صفحتي الخاصة
513 label_my_page_block: حجب صفحتي الخاصة
514 label_administration: إدارة النظام
514 label_administration: إدارة النظام
515 label_login: تسجيل الدخول
515 label_login: تسجيل الدخول
516 label_logout: تسجيل الخروج
516 label_logout: تسجيل الخروج
517 label_help: مساعدة
517 label_help: مساعدة
518 label_reported_issues: بنود العمل التي أدخلتها
518 label_reported_issues: بنود العمل التي أدخلتها
519 label_assigned_to_me_issues: بنود العمل المسندة إلي
519 label_assigned_to_me_issues: بنود العمل المسندة إلي
520 label_last_login: آخر اتصال
520 label_last_login: آخر اتصال
521 label_registered_on: مسجل على
521 label_registered_on: مسجل على
522 label_activity: النشاط
522 label_activity: النشاط
523 label_overall_activity: النشاط العام
523 label_overall_activity: النشاط العام
524 label_user_activity: "قيمة النشاط"
524 label_user_activity: "قيمة النشاط"
525 label_new: جديدة
525 label_new: جديدة
526 label_logged_as: تم تسجيل دخولك
526 label_logged_as: تم تسجيل دخولك
527 label_environment: البيئة
527 label_environment: البيئة
528 label_authentication: المصادقة
528 label_authentication: المصادقة
529 label_auth_source: وضع المصادقة
529 label_auth_source: وضع المصادقة
530 label_auth_source_new: وضع مصادقة جديدة
530 label_auth_source_new: وضع مصادقة جديدة
531 label_auth_source_plural: أوضاع المصادقة
531 label_auth_source_plural: أوضاع المصادقة
532 label_subproject_plural: مشاريع فرعية
532 label_subproject_plural: مشاريع فرعية
533 label_subproject_new: مشروع فرعي جديد
533 label_subproject_new: مشروع فرعي جديد
534 label_and_its_subprojects: "قيمة المشاريع الفرعية الخاصة بك"
534 label_and_its_subprojects: "قيمة المشاريع الفرعية الخاصة بك"
535 label_min_max_length: الحد الاقصى والادنى للطول
535 label_min_max_length: الحد الاقصى والادنى للطول
536 label_list: قائمة
536 label_list: قائمة
537 label_date: تاريخ
537 label_date: تاريخ
538 label_integer: عدد صحيح
538 label_integer: عدد صحيح
539 label_float: عدد كسري
539 label_float: عدد كسري
540 label_boolean: "نعم/لا"
540 label_boolean: "نعم/لا"
541 label_string: نص
541 label_string: نص
542 label_text: نص طويل
542 label_text: نص طويل
543 label_attribute: سمة
543 label_attribute: سمة
544 label_attribute_plural: السمات
544 label_attribute_plural: السمات
545 label_no_data: لا توجد بيانات للعرض
545 label_no_data: لا توجد بيانات للعرض
546 label_change_status: تغيير الحالة
546 label_change_status: تغيير الحالة
547 label_history: التاريخ
547 label_history: التاريخ
548 label_attachment: الملف
548 label_attachment: الملف
549 label_attachment_new: ملف جديد
549 label_attachment_new: ملف جديد
550 label_attachment_delete: حذف الملف
550 label_attachment_delete: حذف الملف
551 label_attachment_plural: الملفات
551 label_attachment_plural: الملفات
552 label_file_added: الملف المضاف
552 label_file_added: الملف المضاف
553 label_report: تقرير
553 label_report: تقرير
554 label_report_plural: التقارير
554 label_report_plural: التقارير
555 label_news: الأخبار
555 label_news: الأخبار
556 label_news_new: إضافة الأخبار
556 label_news_new: إضافة الأخبار
557 label_news_plural: الأخبار
557 label_news_plural: الأخبار
558 label_news_latest: آخر الأخبار
558 label_news_latest: آخر الأخبار
559 label_news_view_all: عرض كل الأخبار
559 label_news_view_all: عرض كل الأخبار
560 label_news_added: الأخبار المضافة
560 label_news_added: الأخبار المضافة
561 label_news_comment_added: إضافة التعليقات على أخبار
561 label_news_comment_added: إضافة التعليقات على أخبار
562 label_settings: إعدادات
562 label_settings: إعدادات
563 label_overview: لمحة عامة
563 label_overview: لمحة عامة
564 label_version: الإصدار
564 label_version: الإصدار
565 label_version_new: الإصدار الجديد
565 label_version_new: الإصدار الجديد
566 label_version_plural: الإصدارات
566 label_version_plural: الإصدارات
567 label_close_versions: أكملت إغلاق الإصدارات
567 label_close_versions: أكملت إغلاق الإصدارات
568 label_confirmation: تأكيد
568 label_confirmation: تأكيد
569 label_export_to: 'متوفرة أيضا في:'
569 label_export_to: 'متوفرة أيضا في:'
570 label_read: القراءة...
570 label_read: القراءة...
571 label_public_projects: المشاريع العامة
571 label_public_projects: المشاريع العامة
572 label_open_issues: مفتوح
572 label_open_issues: مفتوح
573 label_open_issues_plural: بنود عمل مفتوحة
573 label_open_issues_plural: بنود عمل مفتوحة
574 label_closed_issues: مغلق
574 label_closed_issues: مغلق
575 label_closed_issues_plural: بنود عمل مغلقة
575 label_closed_issues_plural: بنود عمل مغلقة
576 label_x_open_issues_abbr:
576 label_x_open_issues_abbr:
577 zero: 0 مفتوح
577 zero: 0 مفتوح
578 one: 1 مقتوح
578 one: 1 مقتوح
579 other: "%{count} مفتوح"
579 other: "%{count} مفتوح"
580 label_x_closed_issues_abbr:
580 label_x_closed_issues_abbr:
581 zero: 0 مغلق
581 zero: 0 مغلق
582 one: 1 مغلق
582 one: 1 مغلق
583 other: "%{count} مغلق"
583 other: "%{count} مغلق"
584 label_total: الإجمالي
584 label_total: الإجمالي
585 label_permissions: صلاحيات
585 label_permissions: صلاحيات
586 label_current_status: الحالة الحالية
586 label_current_status: الحالة الحالية
587 label_new_statuses_allowed: يسمح بادراج حالات جديدة
587 label_new_statuses_allowed: يسمح بادراج حالات جديدة
588 label_all: جميع
588 label_all: جميع
589 label_none: لا شيء
589 label_none: لا شيء
590 label_nobody: لا أحد
590 label_nobody: لا أحد
591 label_next: القادم
591 label_next: القادم
592 label_previous: السابق
592 label_previous: السابق
593 label_used_by: التي يستخدمها
593 label_used_by: التي يستخدمها
594 label_details: التفاصيل
594 label_details: التفاصيل
595 label_add_note: إضافة ملاحظة
595 label_add_note: إضافة ملاحظة
596 label_calendar: التقويم
596 label_calendar: التقويم
597 label_months_from: بعد أشهر من
597 label_months_from: بعد أشهر من
598 label_gantt: جانت
598 label_gantt: جانت
599 label_internal: الداخلية
599 label_internal: الداخلية
600 label_last_changes: "آخر التغييرات %{count}"
600 label_last_changes: "آخر التغييرات %{count}"
601 label_change_view_all: عرض كافة التغييرات
601 label_change_view_all: عرض كافة التغييرات
602 label_personalize_page: تخصيص هذه الصفحة
602 label_personalize_page: تخصيص هذه الصفحة
603 label_comment: تعليق
603 label_comment: تعليق
604 label_comment_plural: تعليقات
604 label_comment_plural: تعليقات
605 label_x_comments:
605 label_x_comments:
606 zero: لا يوجد تعليقات
606 zero: لا يوجد تعليقات
607 one: تعليق واحد
607 one: تعليق واحد
608 other: "%{count} تعليقات"
608 other: "%{count} تعليقات"
609 label_comment_add: إضافة تعليق
609 label_comment_add: إضافة تعليق
610 label_comment_added: تم إضافة التعليق
610 label_comment_added: تم إضافة التعليق
611 label_comment_delete: حذف التعليقات
611 label_comment_delete: حذف التعليقات
612 label_query: استعلام مخصص
612 label_query: استعلام مخصص
613 label_query_plural: استعلامات مخصصة
613 label_query_plural: استعلامات مخصصة
614 label_query_new: استعلام جديد
614 label_query_new: استعلام جديد
615 label_my_queries: استعلاماتي المخصصة
615 label_my_queries: استعلاماتي المخصصة
616 label_filter_add: إضافة عامل تصفية
616 label_filter_add: إضافة عامل تصفية
617 label_filter_plural: عوامل التصفية
617 label_filter_plural: عوامل التصفية
618 label_equals: يساوي
618 label_equals: يساوي
619 label_not_equals: لا يساوي
619 label_not_equals: لا يساوي
620 label_in_less_than: أقل من
620 label_in_less_than: أقل من
621 label_in_more_than: أكثر من
621 label_in_more_than: أكثر من
622 label_greater_or_equal: '>='
622 label_greater_or_equal: '>='
623 label_less_or_equal: '< ='
623 label_less_or_equal: '< ='
624 label_between: بين
624 label_between: بين
625 label_in: في
625 label_in: في
626 label_today: اليوم
626 label_today: اليوم
627 label_all_time: كل الوقت
627 label_all_time: كل الوقت
628 label_yesterday: بالأمس
628 label_yesterday: بالأمس
629 label_this_week: هذا الأسبوع
629 label_this_week: هذا الأسبوع
630 label_last_week: الأسبوع الماضي
630 label_last_week: الأسبوع الماضي
631 label_last_n_days: "آخر %{count} أيام"
631 label_last_n_days: "آخر %{count} أيام"
632 label_this_month: هذا الشهر
632 label_this_month: هذا الشهر
633 label_last_month: الشهر الماضي
633 label_last_month: الشهر الماضي
634 label_this_year: هذا العام
634 label_this_year: هذا العام
635 label_date_range: نطاق التاريخ
635 label_date_range: نطاق التاريخ
636 label_less_than_ago: أقل من عدد أيام
636 label_less_than_ago: أقل من عدد أيام
637 label_more_than_ago: أكثر من عدد أيام
637 label_more_than_ago: أكثر من عدد أيام
638 label_ago: منذ أيام
638 label_ago: منذ أيام
639 label_contains: يحتوي على
639 label_contains: يحتوي على
640 label_not_contains: لا يحتوي على
640 label_not_contains: لا يحتوي على
641 label_day_plural: أيام
641 label_day_plural: أيام
642 label_repository: المستودع
642 label_repository: المستودع
643 label_repository_plural: المستودعات
643 label_repository_plural: المستودعات
644 label_browse: تصفح
644 label_browse: تصفح
645 label_branch: فرع
645 label_branch: فرع
646 label_tag: ربط
646 label_tag: ربط
647 label_revision: مراجعة
647 label_revision: مراجعة
648 label_revision_plural: تنقيحات
648 label_revision_plural: تنقيحات
649 label_revision_id: " %{value}مراجعة"
649 label_revision_id: " %{value}مراجعة"
650 label_associated_revisions: التنقيحات المرتبطة
650 label_associated_revisions: التنقيحات المرتبطة
651 label_added: مضاف
651 label_added: مضاف
652 label_modified: معدل
652 label_modified: معدل
653 label_copied: منسوخ
653 label_copied: منسوخ
654 label_renamed: إعادة تسمية
654 label_renamed: إعادة تسمية
655 label_deleted: محذوف
655 label_deleted: محذوف
656 label_latest_revision: آخر تنقيح
656 label_latest_revision: آخر تنقيح
657 label_latest_revision_plural: أحدث المراجعات
657 label_latest_revision_plural: أحدث المراجعات
658 label_view_revisions: عرض التنقيحات
658 label_view_revisions: عرض التنقيحات
659 label_view_all_revisions: عرض كافة المراجعات
659 label_view_all_revisions: عرض كافة المراجعات
660 label_max_size: الحد الأقصى للحجم
660 label_max_size: الحد الأقصى للحجم
661 label_sort_highest: التحرك لأعلى مرتبة
661 label_sort_highest: التحرك لأعلى مرتبة
662 label_sort_higher: تحريك لأعلى
662 label_sort_higher: تحريك لأعلى
663 label_sort_lower: تحريك لأسفل
663 label_sort_lower: تحريك لأسفل
664 label_sort_lowest: التحرك لأسفل مرتبة
664 label_sort_lowest: التحرك لأسفل مرتبة
665 label_roadmap: خارطة الطريق
665 label_roadmap: خارطة الطريق
666 label_roadmap_due_in: " %{value}تستحق في "
666 label_roadmap_due_in: " %{value}تستحق في "
667 label_roadmap_overdue: "%{value}تأخير"
667 label_roadmap_overdue: "%{value}تأخير"
668 label_roadmap_no_issues: لا يوجد بنود عمل لهذا الإصدار
668 label_roadmap_no_issues: لا يوجد بنود عمل لهذا الإصدار
669 label_search: البحث
669 label_search: البحث
670 label_result_plural: النتائج
670 label_result_plural: النتائج
671 label_all_words: كل الكلمات
671 label_all_words: كل الكلمات
672 label_wiki: ويكي
672 label_wiki: ويكي
673 label_wiki_edit: تحرير ويكي
673 label_wiki_edit: تحرير ويكي
674 label_wiki_edit_plural: عمليات تحرير ويكي
674 label_wiki_edit_plural: عمليات تحرير ويكي
675 label_wiki_page: صفحة ويكي
675 label_wiki_page: صفحة ويكي
676 label_wiki_page_plural: ويكي صفحات
676 label_wiki_page_plural: ويكي صفحات
677 label_index_by_title: الفهرس حسب العنوان
677 label_index_by_title: الفهرس حسب العنوان
678 label_index_by_date: الفهرس حسب التاريخ
678 label_index_by_date: الفهرس حسب التاريخ
679 label_current_version: الإصدار الحالي
679 label_current_version: الإصدار الحالي
680 label_preview: معاينة
680 label_preview: معاينة
681 label_feed_plural: موجز ويب
681 label_feed_plural: موجز ويب
682 label_changes_details: تفاصيل جميع التغييرات
682 label_changes_details: تفاصيل جميع التغييرات
683 label_issue_tracking: تعقب بنود العمل
683 label_issue_tracking: تعقب بنود العمل
684 label_spent_time: ما تم إنفاقه من الوقت
684 label_spent_time: ما تم إنفاقه من الوقت
685 label_overall_spent_time: الوقت الذي تم انفاقه كاملا
685 label_overall_spent_time: الوقت الذي تم انفاقه كاملا
686 label_f_hour: "%{value} ساعة"
686 label_f_hour: "%{value} ساعة"
687 label_f_hour_plural: "%{value} ساعات"
687 label_f_hour_plural: "%{value} ساعات"
688 label_time_tracking: تعقب الوقت
688 label_time_tracking: تعقب الوقت
689 label_change_plural: التغييرات
689 label_change_plural: التغييرات
690 label_statistics: إحصاءات
690 label_statistics: إحصاءات
691 label_commits_per_month: يثبت في الشهر
691 label_commits_per_month: يثبت في الشهر
692 label_commits_per_author: يثبت لكل مؤلف
692 label_commits_per_author: يثبت لكل مؤلف
693 label_diff: الاختلافات
693 label_diff: الاختلافات
694 label_view_diff: عرض الاختلافات
694 label_view_diff: عرض الاختلافات
695 label_diff_inline: مضمنة
695 label_diff_inline: مضمنة
696 label_diff_side_by_side: جنبا إلى جنب
696 label_diff_side_by_side: جنبا إلى جنب
697 label_options: خيارات
697 label_options: خيارات
698 label_copy_workflow_from: نسخ سير العمل من
698 label_copy_workflow_from: نسخ سير العمل من
699 label_permissions_report: تقرير الصلاحيات
699 label_permissions_report: تقرير الصلاحيات
700 label_watched_issues: بنود العمل المتابعة بريدياً
700 label_watched_issues: بنود العمل المتابعة بريدياً
701 label_related_issues: بنود العمل ذات الصلة
701 label_related_issues: بنود العمل ذات الصلة
702 label_applied_status: الحالة المطبقة
702 label_applied_status: الحالة المطبقة
703 label_loading: تحميل...
703 label_loading: تحميل...
704 label_relation_new: علاقة جديدة
704 label_relation_new: علاقة جديدة
705 label_relation_delete: حذف العلاقة
705 label_relation_delete: حذف العلاقة
706 label_relates_to: ذات علاقة بـ
706 label_relates_to: ذات علاقة بـ
707 label_duplicates: مكرر من
707 label_duplicates: مكرر من
708 label_duplicated_by: مكرر بواسطة
708 label_duplicated_by: مكرر بواسطة
709 label_blocks: يجب تنفيذه قبل
709 label_blocks: يجب تنفيذه قبل
710 label_blocked_by: لا يمكن تنفيذه إلا بعد
710 label_blocked_by: لا يمكن تنفيذه إلا بعد
711 label_precedes: يسبق
711 label_precedes: يسبق
712 label_follows: يتبع
712 label_follows: يتبع
713 label_stay_logged_in: تسجيل الدخول في
713 label_stay_logged_in: تسجيل الدخول في
714 label_disabled: تعطيل
714 label_disabled: تعطيل
715 label_show_completed_versions: إظهار الإصدارات الكاملة
715 label_show_completed_versions: إظهار الإصدارات الكاملة
716 label_me: لي
716 label_me: لي
717 label_board: المنتدى
717 label_board: المنتدى
718 label_board_new: منتدى جديد
718 label_board_new: منتدى جديد
719 label_board_plural: المنتديات
719 label_board_plural: المنتديات
720 label_board_locked: تأمين
720 label_board_locked: تأمين
721 label_board_sticky: لزجة
721 label_board_sticky: لزجة
722 label_topic_plural: المواضيع
722 label_topic_plural: المواضيع
723 label_message_plural: رسائل
723 label_message_plural: رسائل
724 label_message_last: آخر رسالة
724 label_message_last: آخر رسالة
725 label_message_new: رسالة جديدة
725 label_message_new: رسالة جديدة
726 label_message_posted: تم اضافة الرسالة
726 label_message_posted: تم اضافة الرسالة
727 label_reply_plural: الردود
727 label_reply_plural: الردود
728 label_send_information: إرسال معلومات الحساب للمستخدم
728 label_send_information: إرسال معلومات الحساب للمستخدم
729 label_year: سنة
729 label_year: سنة
730 label_month: شهر
730 label_month: شهر
731 label_week: أسبوع
731 label_week: أسبوع
732 label_date_from: من
732 label_date_from: من
733 label_date_to: إلى
733 label_date_to: إلى
734 label_language_based: استناداً إلى لغة المستخدم
734 label_language_based: استناداً إلى لغة المستخدم
735 label_sort_by: " %{value}الترتيب حسب "
735 label_sort_by: " %{value}الترتيب حسب "
736 label_send_test_email: ارسل رسالة الكترونية كاختبار
736 label_send_test_email: ارسل رسالة الكترونية كاختبار
737 label_feeds_access_key: Atom مفتاح دخول
737 label_feeds_access_key: Atom مفتاح دخول
738 label_missing_feeds_access_key: مفقودAtom مفتاح دخول
738 label_missing_feeds_access_key: مفقودAtom مفتاح دخول
739 label_feeds_access_key_created_on: "Atom تم انشاء مفتاح %{value} منذ"
739 label_feeds_access_key_created_on: "Atom تم انشاء مفتاح %{value} منذ"
740 label_module_plural: الوحدات النمطية
740 label_module_plural: الوحدات النمطية
741 label_added_time_by: " تم اضافته من قبل %{author} منذ %{age}"
741 label_added_time_by: " تم اضافته من قبل %{author} منذ %{age}"
742 label_updated_time_by: " تم تحديثه من قبل %{author} منذ %{age}"
742 label_updated_time_by: " تم تحديثه من قبل %{author} منذ %{age}"
743 label_updated_time: "تم التحديث منذ %{value}"
743 label_updated_time: "تم التحديث منذ %{value}"
744 label_jump_to_a_project: الانتقال إلى مشروع...
744 label_jump_to_a_project: الانتقال إلى مشروع...
745 label_file_plural: الملفات
745 label_file_plural: الملفات
746 label_changeset_plural: اعدادات التغير
746 label_changeset_plural: اعدادات التغير
747 label_default_columns: الاعمدة الافتراضية
747 label_default_columns: الاعمدة الافتراضية
748 label_no_change_option: (لا تغيير)
748 label_no_change_option: (لا تغيير)
749 label_bulk_edit_selected_issues: تحرير بنود العمل المظللة
749 label_bulk_edit_selected_issues: تحرير بنود العمل المظللة
750 label_bulk_edit_selected_time_entries: تعديل بنود الأوقات المظللة
750 label_bulk_edit_selected_time_entries: تعديل بنود الأوقات المظللة
751 label_theme: الموضوع
751 label_theme: الموضوع
752 label_default: الافتراضي
752 label_default: الافتراضي
753 label_search_titles_only: البحث في العناوين فقط
753 label_search_titles_only: البحث في العناوين فقط
754 label_user_mail_option_all: "جميع الخيارات"
754 label_user_mail_option_all: "جميع الخيارات"
755 label_user_mail_option_selected: "الخيارات المظللة فقط"
755 label_user_mail_option_selected: "الخيارات المظللة فقط"
756 label_user_mail_option_none: "لم يتم تحديد اي خيارات"
756 label_user_mail_option_none: "لم يتم تحديد اي خيارات"
757 label_user_mail_option_only_my_events: "السماح لي فقط بمشاهدة الاحداث الخاصة"
757 label_user_mail_option_only_my_events: "السماح لي فقط بمشاهدة الاحداث الخاصة"
758 label_user_mail_option_only_assigned: "فقط الخيارات التي تم تعيينها"
758 label_user_mail_option_only_assigned: "فقط الخيارات التي تم تعيينها"
759 label_user_mail_option_only_owner: "فقط للخيارات التي املكها"
759 label_user_mail_option_only_owner: "فقط للخيارات التي املكها"
760 label_user_mail_no_self_notified: "لا تريد إعلامك بالتغيرات التي تجريها بنفسك"
760 label_user_mail_no_self_notified: "لا تريد إعلامك بالتغيرات التي تجريها بنفسك"
761 label_registration_activation_by_email: حساب التنشيط عبر البريد الإلكتروني
761 label_registration_activation_by_email: حساب التنشيط عبر البريد الإلكتروني
762 label_registration_manual_activation: تنشيط الحساب اليدوي
762 label_registration_manual_activation: تنشيط الحساب اليدوي
763 label_registration_automatic_activation: تنشيط الحساب التلقائي
763 label_registration_automatic_activation: تنشيط الحساب التلقائي
764 label_display_per_page: "لكل صفحة: %{value}"
764 label_display_per_page: "لكل صفحة: %{value}"
765 label_age: العمر
765 label_age: العمر
766 label_change_properties: تغيير الخصائص
766 label_change_properties: تغيير الخصائص
767 label_general: عامة
767 label_general: عامة
768 label_more: أكثر
768 label_more: أكثر
769 label_scm: scm
769 label_scm: scm
770 label_plugins: الإضافات
770 label_plugins: الإضافات
771 label_ldap_authentication: مصادقة LDAP
771 label_ldap_authentication: مصادقة LDAP
772 label_downloads_abbr: تنزيل
772 label_downloads_abbr: تنزيل
773 label_optional_description: وصف اختياري
773 label_optional_description: وصف اختياري
774 label_add_another_file: إضافة ملف آخر
774 label_add_another_file: إضافة ملف آخر
775 label_preferences: تفضيلات
775 label_preferences: تفضيلات
776 label_chronological_order: في ترتيب زمني
776 label_chronological_order: في ترتيب زمني
777 label_reverse_chronological_order: في ترتيب زمني عكسي
777 label_reverse_chronological_order: في ترتيب زمني عكسي
778 label_planning: التخطيط
778 label_planning: التخطيط
779 label_incoming_emails: رسائل البريد الإلكتروني الوارد
779 label_incoming_emails: رسائل البريد الإلكتروني الوارد
780 label_generate_key: إنشاء مفتاح
780 label_generate_key: إنشاء مفتاح
781 label_issue_watchers: المراقبون
781 label_issue_watchers: المراقبون
782 label_example: مثال
782 label_example: مثال
783 label_display: العرض
783 label_display: العرض
784 label_sort: فرز
784 label_sort: فرز
785 label_ascending: تصاعدي
785 label_ascending: تصاعدي
786 label_descending: تنازلي
786 label_descending: تنازلي
787 label_date_from_to: من %{start} الى %{end}
787 label_date_from_to: من %{start} الى %{end}
788 label_wiki_content_added: إضافة صفحة ويكي
788 label_wiki_content_added: إضافة صفحة ويكي
789 label_wiki_content_updated: تحديث صفحة ويكي
789 label_wiki_content_updated: تحديث صفحة ويكي
790 label_group: مجموعة
790 label_group: مجموعة
791 label_group_plural: المجموعات
791 label_group_plural: المجموعات
792 label_group_new: مجموعة جديدة
792 label_group_new: مجموعة جديدة
793 label_time_entry_plural: الأوقات المنفقة
793 label_time_entry_plural: الأوقات المنفقة
794 label_version_sharing_none: غير متاح
794 label_version_sharing_none: غير متاح
795 label_version_sharing_descendants: متاح للمشاريع الفرعية
795 label_version_sharing_descendants: متاح للمشاريع الفرعية
796 label_version_sharing_hierarchy: متاح للتسلسل الهرمي للمشروع
796 label_version_sharing_hierarchy: متاح للتسلسل الهرمي للمشروع
797 label_version_sharing_tree: مع شجرة المشروع
797 label_version_sharing_tree: مع شجرة المشروع
798 label_version_sharing_system: مع جميع المشاريع
798 label_version_sharing_system: مع جميع المشاريع
799 label_update_issue_done_ratios: تحديث نسبة الأداء لبند العمل
799 label_update_issue_done_ratios: تحديث نسبة الأداء لبند العمل
800 label_copy_source: المصدر
800 label_copy_source: المصدر
801 label_copy_target: الهدف
801 label_copy_target: الهدف
802 label_copy_same_as_target: مطابق للهدف
802 label_copy_same_as_target: مطابق للهدف
803 label_display_used_statuses_only: عرض الحالات المستخدمة من قبل هذا النوع من بنود العمل فقط
803 label_display_used_statuses_only: عرض الحالات المستخدمة من قبل هذا النوع من بنود العمل فقط
804 label_api_access_key: مفتاح الوصول إلى API
804 label_api_access_key: مفتاح الوصول إلى API
805 label_missing_api_access_key: API لم يتم الحصول على مفتاح الوصول
805 label_missing_api_access_key: API لم يتم الحصول على مفتاح الوصول
806 label_api_access_key_created_on: " API إنشاء مفتاح الوصول إلى"
806 label_api_access_key_created_on: " API إنشاء مفتاح الوصول إلى"
807 label_profile: الملف الشخصي
807 label_profile: الملف الشخصي
808 label_subtask_plural: المهام الفرعية
808 label_subtask_plural: المهام الفرعية
809 label_project_copy_notifications: إرسال إشعار الى البريد الإلكتروني عند نسخ المشروع
809 label_project_copy_notifications: إرسال إشعار الى البريد الإلكتروني عند نسخ المشروع
810 label_principal_search: "البحث عن مستخدم أو مجموعة:"
810 label_principal_search: "البحث عن مستخدم أو مجموعة:"
811 label_user_search: "البحث عن المستخدم:"
811 label_user_search: "البحث عن المستخدم:"
812 label_additional_workflow_transitions_for_author: الانتقالات الإضافية المسموح بها عند المستخدم صاحب البلاغ
812 label_additional_workflow_transitions_for_author: الانتقالات الإضافية المسموح بها عند المستخدم صاحب البلاغ
813 label_additional_workflow_transitions_for_assignee: الانتقالات الإضافية المسموح بها عند المستخدم المحال إليه
813 label_additional_workflow_transitions_for_assignee: الانتقالات الإضافية المسموح بها عند المستخدم المحال إليه
814 label_issues_visibility_all: جميع بنود العمل
814 label_issues_visibility_all: جميع بنود العمل
815 label_issues_visibility_public: جميع بنود العمل الخاصة
815 label_issues_visibility_public: جميع بنود العمل الخاصة
816 label_issues_visibility_own: بنود العمل التي أنشأها المستخدم
816 label_issues_visibility_own: بنود العمل التي أنشأها المستخدم
817 label_git_report_last_commit: اعتماد التقرير الأخير للملفات والدلائل
817 label_git_report_last_commit: اعتماد التقرير الأخير للملفات والدلائل
818 label_parent_revision: الوالدين
818 label_parent_revision: الوالدين
819 label_child_revision: الطفل
819 label_child_revision: الطفل
820 label_export_options: "%{export_format} خيارات التصدير"
820 label_export_options: "%{export_format} خيارات التصدير"
821
821
822 button_login: دخول
822 button_login: دخول
823 button_submit: تثبيت
823 button_submit: تثبيت
824 button_save: حفظ
824 button_save: حفظ
825 button_check_all: تحديد الكل
825 button_check_all: تحديد الكل
826 button_uncheck_all: عدم تحديد الكل
826 button_uncheck_all: عدم تحديد الكل
827 button_collapse_all: تقليص الكل
827 button_collapse_all: تقليص الكل
828 button_expand_all: عرض الكل
828 button_expand_all: عرض الكل
829 button_delete: حذف
829 button_delete: حذف
830 button_create: إنشاء
830 button_create: إنشاء
831 button_create_and_continue: إنشاء واستمرار
831 button_create_and_continue: إنشاء واستمرار
832 button_test: اختبار
832 button_test: اختبار
833 button_edit: تعديل
833 button_edit: تعديل
834 button_edit_associated_wikipage: "تغير صفحة ويكي: %{page_title}"
834 button_edit_associated_wikipage: "تغير صفحة ويكي: %{page_title}"
835 button_add: إضافة
835 button_add: إضافة
836 button_change: تغيير
836 button_change: تغيير
837 button_apply: تطبيق
837 button_apply: تطبيق
838 button_clear: إخلاء الحقول
838 button_clear: إخلاء الحقول
839 button_lock: قفل
839 button_lock: قفل
840 button_unlock: الغاء القفل
840 button_unlock: الغاء القفل
841 button_download: تنزيل
841 button_download: تنزيل
842 button_list: قائمة
842 button_list: قائمة
843 button_view: عرض
843 button_view: عرض
844 button_move: تحرك
844 button_move: تحرك
845 button_move_and_follow: تحرك واتبع
845 button_move_and_follow: تحرك واتبع
846 button_back: رجوع
846 button_back: رجوع
847 button_cancel: إلغاء
847 button_cancel: إلغاء
848 button_activate: تنشيط
848 button_activate: تنشيط
849 button_sort: ترتيب
849 button_sort: ترتيب
850 button_log_time: وقت الدخول
850 button_log_time: وقت الدخول
851 button_rollback: الرجوع الى هذا الاصدار
851 button_rollback: الرجوع الى هذا الاصدار
852 button_watch: تابع عبر البريد
852 button_watch: تابع عبر البريد
853 button_unwatch: إلغاء المتابعة عبر البريد
853 button_unwatch: إلغاء المتابعة عبر البريد
854 button_reply: رد
854 button_reply: رد
855 button_archive: أرشفة
855 button_archive: أرشفة
856 button_unarchive: إلغاء الأرشفة
856 button_unarchive: إلغاء الأرشفة
857 button_reset: إعادة
857 button_reset: إعادة
858 button_rename: إعادة التسمية
858 button_rename: إعادة التسمية
859 button_change_password: تغير كلمة المرور
859 button_change_password: تغير كلمة المرور
860 button_copy: نسخ
860 button_copy: نسخ
861 button_copy_and_follow: نسخ واتباع
861 button_copy_and_follow: نسخ واتباع
862 button_annotate: تعليق
862 button_annotate: تعليق
863 button_update: تحديث
863 button_update: تحديث
864 button_configure: تكوين
864 button_configure: تكوين
865 button_quote: اقتباس
865 button_quote: اقتباس
866 button_duplicate: عمل نسخة
866 button_duplicate: عمل نسخة
867 button_show: إظهار
867 button_show: إظهار
868 button_edit_section: تعديل هذا الجزء
868 button_edit_section: تعديل هذا الجزء
869 button_export: تصدير لملف
869 button_export: تصدير لملف
870
870
871 status_active: نشيط
871 status_active: نشيط
872 status_registered: مسجل
872 status_registered: مسجل
873 status_locked: مقفل
873 status_locked: مقفل
874
874
875 version_status_open: مفتوح
875 version_status_open: مفتوح
876 version_status_locked: مقفل
876 version_status_locked: مقفل
877 version_status_closed: مغلق
877 version_status_closed: مغلق
878
878
879 field_active: فعال
879 field_active: فعال
880
880
881 text_select_mail_notifications: حدد الامور التي يجب ابلاغك بها عن طريق البريد الالكتروني
881 text_select_mail_notifications: حدد الامور التي يجب ابلاغك بها عن طريق البريد الالكتروني
882 text_regexp_info: مثال. ^[A-Z0-9]+$
882 text_regexp_info: مثال. ^[A-Z0-9]+$
883 text_min_max_length_info: الحد الاقصى والادني لطول المعلومات
883 text_min_max_length_info: الحد الاقصى والادني لطول المعلومات
884 text_project_destroy_confirmation: هل أنت متأكد من أنك تريد حذف هذا المشروع والبيانات ذات الصلة؟
884 text_project_destroy_confirmation: هل أنت متأكد من أنك تريد حذف هذا المشروع والبيانات ذات الصلة؟
885 text_subprojects_destroy_warning: "المشاريع الفرعية: %{value} سيتم حذفها أيضاً."
885 text_subprojects_destroy_warning: "المشاريع الفرعية: %{value} سيتم حذفها أيضاً."
886 text_workflow_edit: حدد دوراً و نوع بند عمل لتحرير سير العمل
886 text_workflow_edit: حدد دوراً و نوع بند عمل لتحرير سير العمل
887 text_are_you_sure: هل أنت متأكد؟
887 text_are_you_sure: هل أنت متأكد؟
888 text_journal_changed: "%{label} تغير %{old} الى %{new}"
888 text_journal_changed: "%{label} تغير %{old} الى %{new}"
889 text_journal_changed_no_detail: "%{label} تم التحديث"
889 text_journal_changed_no_detail: "%{label} تم التحديث"
890 text_journal_set_to: "%{label} تغير الى %{value}"
890 text_journal_set_to: "%{label} تغير الى %{value}"
891 text_journal_deleted: "%{label} تم الحذف (%{old})"
891 text_journal_deleted: "%{label} تم الحذف (%{old})"
892 text_journal_added: "%{label} %{value} تم الاضافة"
892 text_journal_added: "%{label} %{value} تم الاضافة"
893 text_tip_issue_begin_day: بند عمل بدأ اليوم
893 text_tip_issue_begin_day: بند عمل بدأ اليوم
894 text_tip_issue_end_day: بند عمل انتهى اليوم
894 text_tip_issue_end_day: بند عمل انتهى اليوم
895 text_tip_issue_begin_end_day: بند عمل بدأ وانتهى اليوم
895 text_tip_issue_begin_end_day: بند عمل بدأ وانتهى اليوم
896 text_caracters_maximum: "%{count} الحد الاقصى."
896 text_caracters_maximum: "%{count} الحد الاقصى."
897 text_caracters_minimum: "الحد الادنى %{count}"
897 text_caracters_minimum: "الحد الادنى %{count}"
898 text_length_between: "الطول %{min} بين %{max} رمز"
898 text_length_between: "الطول %{min} بين %{max} رمز"
899 text_tracker_no_workflow: لم يتم تحديد سير العمل لهذا النوع من بنود العمل
899 text_tracker_no_workflow: لم يتم تحديد سير العمل لهذا النوع من بنود العمل
900 text_unallowed_characters: رموز غير مسموحة
900 text_unallowed_characters: رموز غير مسموحة
901 text_comma_separated: مسموح رموز متنوعة يفصلها فاصلة .
901 text_comma_separated: مسموح رموز متنوعة يفصلها فاصلة .
902 text_line_separated: مسموح رموز متنوعة يفصلها سطور
902 text_line_separated: مسموح رموز متنوعة يفصلها سطور
903 text_issues_ref_in_commit_messages: الارتباط وتغيير حالة بنود العمل في رسائل تحرير الملفات
903 text_issues_ref_in_commit_messages: الارتباط وتغيير حالة بنود العمل في رسائل تحرير الملفات
904 text_issue_added: "بند العمل %{id} تم ابلاغها عن طريق %{author}."
904 text_issue_added: "بند العمل %{id} تم ابلاغها عن طريق %{author}."
905 text_issue_updated: "بند العمل %{id} تم تحديثها عن طريق %{author}."
905 text_issue_updated: "بند العمل %{id} تم تحديثها عن طريق %{author}."
906 text_wiki_destroy_confirmation: هل انت متأكد من رغبتك في حذف هذا الويكي ومحتوياته؟
906 text_wiki_destroy_confirmation: هل انت متأكد من رغبتك في حذف هذا الويكي ومحتوياته؟
907 text_issue_category_destroy_question: "بعض بنود العمل (%{count}) مرتبطة بهذه الفئة، ماذا تريد ان تفعل بها؟"
907 text_issue_category_destroy_question: "بعض بنود العمل (%{count}) مرتبطة بهذه الفئة، ماذا تريد ان تفعل بها؟"
908 text_issue_category_destroy_assignments: حذف الفئة
908 text_issue_category_destroy_assignments: حذف الفئة
909 text_issue_category_reassign_to: اعادة تثبيت البنود في الفئة
909 text_issue_category_reassign_to: اعادة تثبيت البنود في الفئة
910 text_user_mail_option: "بالنسبة للمشاريع غير المحددة، سوف يتم ابلاغك عن المشاريع التي تشاهدها او تشارك بها فقط!"
910 text_user_mail_option: "بالنسبة للمشاريع غير المحددة، سوف يتم ابلاغك عن المشاريع التي تشاهدها او تشارك بها فقط!"
911 text_no_configuration_data: "الادوار والمتتبع وحالات بند العمل ومخطط سير العمل لم يتم تحديد وضعها الافتراضي بعد. "
911 text_no_configuration_data: "الادوار والمتتبع وحالات بند العمل ومخطط سير العمل لم يتم تحديد وضعها الافتراضي بعد. "
912 text_load_default_configuration: تحميل الاعدادات الافتراضية
912 text_load_default_configuration: تحميل الاعدادات الافتراضية
913 text_status_changed_by_changeset: " طبق التغيرات المعينة على %{value}."
913 text_status_changed_by_changeset: " طبق التغيرات المعينة على %{value}."
914 text_time_logged_by_changeset: "تم تطبيق التغيرات المعينة على %{value}."
914 text_time_logged_by_changeset: "تم تطبيق التغيرات المعينة على %{value}."
915 text_issues_destroy_confirmation: هل انت متأكد من حذف البنود المظللة؟'
915 text_issues_destroy_confirmation: هل انت متأكد من حذف البنود المظللة؟'
916 text_issues_destroy_descendants_confirmation: "سوف يؤدي هذا الى حذف %{count} المهام الفرعية ايضا."
916 text_issues_destroy_descendants_confirmation: "سوف يؤدي هذا الى حذف %{count} المهام الفرعية ايضا."
917 text_time_entries_destroy_confirmation: "هل انت متأكد من رغبتك في حذف الادخالات الزمنية المحددة؟"
917 text_time_entries_destroy_confirmation: "هل انت متأكد من رغبتك في حذف الادخالات الزمنية المحددة؟"
918 text_select_project_modules: قم بتحديد الوضع المناسب لهذا المشروع:'
918 text_select_project_modules: قم بتحديد الوضع المناسب لهذا المشروع:'
919 text_default_administrator_account_changed: تم تعديل الاعدادات الافتراضية لحساب المدير
919 text_default_administrator_account_changed: تم تعديل الاعدادات الافتراضية لحساب المدير
920 text_file_repository_writable: المرفقات قابلة للكتابة
920 text_file_repository_writable: المرفقات قابلة للكتابة
921 text_plugin_assets_writable: الدليل المساعد قابل للكتابة
921 text_plugin_assets_writable: الدليل المساعد قابل للكتابة
922 text_destroy_time_entries_question: " ساعة على بند العمل التي تود حذفها، ماذا تريد ان تفعل؟ %{hours} تم تثبيت"
922 text_destroy_time_entries_question: " ساعة على بند العمل التي تود حذفها، ماذا تريد ان تفعل؟ %{hours} تم تثبيت"
923 text_destroy_time_entries: قم بحذف الساعات المسجلة
923 text_destroy_time_entries: قم بحذف الساعات المسجلة
924 text_assign_time_entries_to_project: ثبت الساعات المسجلة على التقرير
924 text_assign_time_entries_to_project: ثبت الساعات المسجلة على التقرير
925 text_reassign_time_entries: 'اعادة تثبيت الساعات المسجلة لبند العمل هذا:'
925 text_reassign_time_entries: 'اعادة تثبيت الساعات المسجلة لبند العمل هذا:'
926 text_user_wrote: "%{value} كتب:"
926 text_user_wrote: "%{value} كتب:"
927 text_enumeration_destroy_question: "%{count} الكائنات المعنية لهذه القيمة"
927 text_enumeration_destroy_question: "%{count} الكائنات المعنية لهذه القيمة"
928 text_enumeration_category_reassign_to: اعادة تثبيت الكائنات التالية لهذه القيمة:'
928 text_enumeration_category_reassign_to: اعادة تثبيت الكائنات التالية لهذه القيمة:'
929 text_email_delivery_not_configured: "لم يتم تسليم البريد الالكتروني"
929 text_email_delivery_not_configured: "لم يتم تسليم البريد الالكتروني"
930 text_diff_truncated: '... لقد تم اقتطاع هذا الجزء لانه تجاوز الحد الاقصى المسموح بعرضه'
930 text_diff_truncated: '... لقد تم اقتطاع هذا الجزء لانه تجاوز الحد الاقصى المسموح بعرضه'
931 text_custom_field_possible_values_info: 'سطر لكل قيمة'
931 text_custom_field_possible_values_info: 'سطر لكل قيمة'
932 text_wiki_page_nullify_children: "الاحتفاظ بصفحات الابن كصفحات جذر"
932 text_wiki_page_nullify_children: "الاحتفاظ بصفحات الابن كصفحات جذر"
933 text_wiki_page_destroy_children: "حذف صفحات الابن وجميع أولادهم"
933 text_wiki_page_destroy_children: "حذف صفحات الابن وجميع أولادهم"
934 text_wiki_page_reassign_children: "إعادة تعيين صفحات تابعة لهذه الصفحة الأصلية"
934 text_wiki_page_reassign_children: "إعادة تعيين صفحات تابعة لهذه الصفحة الأصلية"
935 text_own_membership_delete_confirmation: "انت على وشك إزالة بعض أو كافة الصلاحيات الخاصة بك، لن تكون قادراً على تحرير هذا المشروع بعد ذلك. هل أنت متأكد من أنك تريد المتابعة؟"
935 text_own_membership_delete_confirmation: "انت على وشك إزالة بعض أو كافة الصلاحيات الخاصة بك، لن تكون قادراً على تحرير هذا المشروع بعد ذلك. هل أنت متأكد من أنك تريد المتابعة؟"
936 text_zoom_in: تصغير
936 text_zoom_in: تصغير
937 text_zoom_out: تكبير
937 text_zoom_out: تكبير
938 text_warn_on_leaving_unsaved: "الصفحة تحتوي على نص غير مخزن، سوف يفقد النص اذا تم الخروج من الصفحة."
938 text_warn_on_leaving_unsaved: "الصفحة تحتوي على نص غير مخزن، سوف يفقد النص اذا تم الخروج من الصفحة."
939 text_scm_path_encoding_note: "الافتراضي: UTF-8"
939 text_scm_path_encoding_note: "الافتراضي: UTF-8"
940 text_git_repository_note: مستودع فارغ ومحلي
940 text_git_repository_note: مستودع فارغ ومحلي
941 text_mercurial_repository_note: مستودع محلي
941 text_mercurial_repository_note: مستودع محلي
942 text_scm_command: امر
942 text_scm_command: امر
943 text_scm_command_version: اصدار
943 text_scm_command_version: اصدار
944 text_scm_config: الرجاء اعادة تشغيل التطبيق
944 text_scm_config: الرجاء اعادة تشغيل التطبيق
945 text_scm_command_not_available: الامر غير متوفر، الرجاء التحقق من لوحة التحكم
945 text_scm_command_not_available: الامر غير متوفر، الرجاء التحقق من لوحة التحكم
946
946
947 default_role_manager: مدير
947 default_role_manager: مدير
948 default_role_developer: مطور
948 default_role_developer: مطور
949 default_role_reporter: مراسل
949 default_role_reporter: مراسل
950 default_tracker_bug: الشوائب
950 default_tracker_bug: الشوائب
951 default_tracker_feature: خاصية
951 default_tracker_feature: خاصية
952 default_tracker_support: دعم
952 default_tracker_support: دعم
953 default_issue_status_new: جديد
953 default_issue_status_new: جديد
954 default_issue_status_in_progress: جاري التحميل
954 default_issue_status_in_progress: جاري التحميل
955 default_issue_status_resolved: الحل
955 default_issue_status_resolved: الحل
956 default_issue_status_feedback: التغذية الراجعة
956 default_issue_status_feedback: التغذية الراجعة
957 default_issue_status_closed: مغلق
957 default_issue_status_closed: مغلق
958 default_issue_status_rejected: مرفوض
958 default_issue_status_rejected: مرفوض
959 default_doc_category_user: مستندات المستخدم
959 default_doc_category_user: مستندات المستخدم
960 default_doc_category_tech: المستندات التقنية
960 default_doc_category_tech: المستندات التقنية
961 default_priority_low: قليل
961 default_priority_low: قليل
962 default_priority_normal: عادي
962 default_priority_normal: عادي
963 default_priority_high: عالي
963 default_priority_high: عالي
964 default_priority_urgent: طارئ
964 default_priority_urgent: طارئ
965 default_priority_immediate: طارئ الآن
965 default_priority_immediate: طارئ الآن
966 default_activity_design: تصميم
966 default_activity_design: تصميم
967 default_activity_development: تطوير
967 default_activity_development: تطوير
968
968
969 enumeration_issue_priorities: الاولويات
969 enumeration_issue_priorities: الاولويات
970 enumeration_doc_categories: تصنيف المستندات
970 enumeration_doc_categories: تصنيف المستندات
971 enumeration_activities: الانشطة
971 enumeration_activities: الانشطة
972 enumeration_system_activity: نشاط النظام
972 enumeration_system_activity: نشاط النظام
973 description_filter: فلترة
973 description_filter: فلترة
974 description_search: حقل البحث
974 description_search: حقل البحث
975 description_choose_project: المشاريع
975 description_choose_project: المشاريع
976 description_project_scope: مجال البحث
976 description_project_scope: مجال البحث
977 description_notes: ملاحظات
977 description_notes: ملاحظات
978 description_message_content: محتويات الرسالة
978 description_message_content: محتويات الرسالة
979 description_query_sort_criteria_attribute: نوع الترتيب
979 description_query_sort_criteria_attribute: نوع الترتيب
980 description_query_sort_criteria_direction: اتجاه الترتيب
980 description_query_sort_criteria_direction: اتجاه الترتيب
981 description_user_mail_notification: إعدادات البريد الالكتروني
981 description_user_mail_notification: إعدادات البريد الالكتروني
982 description_available_columns: الاعمدة المتوفرة
982 description_available_columns: الاعمدة المتوفرة
983 description_selected_columns: الاعمدة المحددة
983 description_selected_columns: الاعمدة المحددة
984 description_all_columns: كل الاعمدة
984 description_all_columns: كل الاعمدة
985 description_issue_category_reassign: اختر التصنيف
985 description_issue_category_reassign: اختر التصنيف
986 description_wiki_subpages_reassign: اختر صفحة جديدة
986 description_wiki_subpages_reassign: اختر صفحة جديدة
987 description_date_range_list: اختر المجال من القائمة
987 description_date_range_list: اختر المجال من القائمة
988 description_date_range_interval: اختر المدة عن طريق اختيار تاريخ البداية والنهاية
988 description_date_range_interval: اختر المدة عن طريق اختيار تاريخ البداية والنهاية
989 description_date_from: ادخل تاريخ البداية
989 description_date_from: ادخل تاريخ البداية
990 description_date_to: ادخل تاريخ الانتهاء
990 description_date_to: ادخل تاريخ الانتهاء
991 text_rmagick_available: RMagick available (optional)
991 text_rmagick_available: RMagick available (optional)
992 text_wiki_page_destroy_question: This page has %{descendants} child page(s) and descendant(s). What do you want to do?
992 text_wiki_page_destroy_question: This page has %{descendants} child page(s) and descendant(s). What do you want to do?
993 text_repository_usernames_mapping: |-
993 text_repository_usernames_mapping: |-
994 Select or update the Redmine user mapped to each username found in the repository log.
994 Select or update the Redmine user mapped to each username found in the repository log.
995 Users with the same Redmine and repository username or email are automatically mapped.
995 Users with the same Redmine and repository username or email are automatically mapped.
996 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
996 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
997 label_x_issues:
997 label_x_issues:
998 zero: لا يوجد بنود عمل
998 zero: لا يوجد بنود عمل
999 one: بند عمل واحد
999 one: بند عمل واحد
1000 other: "%{count} بنود عمل"
1000 other: "%{count} بنود عمل"
1001 label_repository_new: New repository
1001 label_repository_new: New repository
1002 field_repository_is_default: Main repository
1002 field_repository_is_default: Main repository
1003 label_copy_attachments: Copy attachments
1003 label_copy_attachments: Copy attachments
1004 label_item_position: "%{position}/%{count}"
1004 label_item_position: "%{position}/%{count}"
1005 label_completed_versions: Completed versions
1005 label_completed_versions: Completed versions
1006 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1006 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1007 field_multiple: Multiple values
1007 field_multiple: Multiple values
1008 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1008 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1009 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1009 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1010 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1010 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1011 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1011 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1012 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1012 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1013 permission_manage_related_issues: Manage related issues
1013 permission_manage_related_issues: Manage related issues
1014 field_auth_source_ldap_filter: LDAP filter
1014 field_auth_source_ldap_filter: LDAP filter
1015 label_search_for_watchers: Search for watchers to add
1015 label_search_for_watchers: Search for watchers to add
1016 notice_account_deleted: Your account has been permanently deleted.
1016 notice_account_deleted: Your account has been permanently deleted.
1017 setting_unsubscribe: Allow users to delete their own account
1017 setting_unsubscribe: Allow users to delete their own account
1018 button_delete_my_account: Delete my account
1018 button_delete_my_account: Delete my account
1019 text_account_destroy_confirmation: |-
1019 text_account_destroy_confirmation: |-
1020 Are you sure you want to proceed?
1020 Are you sure you want to proceed?
1021 Your account will be permanently deleted, with no way to reactivate it.
1021 Your account will be permanently deleted, with no way to reactivate it.
1022 error_session_expired: Your session has expired. Please login again.
1022 error_session_expired: Your session has expired. Please login again.
1023 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1023 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1024 setting_session_lifetime: Session maximum lifetime
1024 setting_session_lifetime: Session maximum lifetime
1025 setting_session_timeout: Session inactivity timeout
1025 setting_session_timeout: Session inactivity timeout
1026 label_session_expiration: Session expiration
1026 label_session_expiration: Session expiration
1027 permission_close_project: Close / reopen the project
1027 permission_close_project: Close / reopen the project
1028 label_show_closed_projects: View closed projects
1028 label_show_closed_projects: View closed projects
1029 button_close: Close
1029 button_close: Close
1030 button_reopen: Reopen
1030 button_reopen: Reopen
1031 project_status_active: active
1031 project_status_active: active
1032 project_status_closed: closed
1032 project_status_closed: closed
1033 project_status_archived: archived
1033 project_status_archived: archived
1034 text_project_closed: This project is closed and read-only.
1034 text_project_closed: This project is closed and read-only.
1035 notice_user_successful_create: User %{id} created.
1035 notice_user_successful_create: User %{id} created.
1036 field_core_fields: Standard fields
1036 field_core_fields: Standard fields
1037 field_timeout: Timeout (in seconds)
1037 field_timeout: Timeout (in seconds)
1038 setting_thumbnails_enabled: Display attachment thumbnails
1038 setting_thumbnails_enabled: Display attachment thumbnails
1039 setting_thumbnails_size: Thumbnails size (in pixels)
1039 setting_thumbnails_size: Thumbnails size (in pixels)
1040 label_status_transitions: Status transitions
1040 label_status_transitions: Status transitions
1041 label_fields_permissions: Fields permissions
1041 label_fields_permissions: Fields permissions
1042 label_readonly: Read-only
1042 label_readonly: Read-only
1043 label_required: Required
1043 label_required: Required
1044 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1044 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1045 field_board_parent: Parent forum
1045 field_board_parent: Parent forum
1046 label_attribute_of_project: Project's %{name}
1046 label_attribute_of_project: Project's %{name}
1047 label_attribute_of_author: Author's %{name}
1047 label_attribute_of_author: Author's %{name}
1048 label_attribute_of_assigned_to: Assignee's %{name}
1048 label_attribute_of_assigned_to: Assignee's %{name}
1049 label_attribute_of_fixed_version: Target version's %{name}
1049 label_attribute_of_fixed_version: Target version's %{name}
1050 label_copy_subtasks: Copy subtasks
1050 label_copy_subtasks: Copy subtasks
1051 label_copied_to: منسوخ لـ
1051 label_copied_to: منسوخ لـ
1052 label_copied_from: منسوخ من
1052 label_copied_from: منسوخ من
1053 label_any_issues_in_project: any issues in project
1053 label_any_issues_in_project: any issues in project
1054 label_any_issues_not_in_project: any issues not in project
1054 label_any_issues_not_in_project: any issues not in project
1055 field_private_notes: Private notes
1055 field_private_notes: Private notes
1056 permission_view_private_notes: View private notes
1056 permission_view_private_notes: View private notes
1057 permission_set_notes_private: Set notes as private
1057 permission_set_notes_private: Set notes as private
1058 label_no_issues_in_project: no issues in project
1058 label_no_issues_in_project: no issues in project
1059 label_any: جميع
1059 label_any: جميع
1060 label_last_n_weeks: آخر %{count} أسبوع/أسابيع
1060 label_last_n_weeks: آخر %{count} أسبوع/أسابيع
1061 setting_cross_project_subtasks: Allow cross-project subtasks
1061 setting_cross_project_subtasks: Allow cross-project subtasks
1062 label_cross_project_descendants: متاح للمشاريع الفرعية
1062 label_cross_project_descendants: متاح للمشاريع الفرعية
1063 label_cross_project_tree: متاح مع شجرة المشروع
1063 label_cross_project_tree: متاح مع شجرة المشروع
1064 label_cross_project_hierarchy: متاح مع التسلسل الهرمي للمشروع
1064 label_cross_project_hierarchy: متاح مع التسلسل الهرمي للمشروع
1065 label_cross_project_system: متاح مع جميع المشاريع
1065 label_cross_project_system: متاح مع جميع المشاريع
1066 button_hide: إخفاء
1066 button_hide: إخفاء
1067 setting_non_working_week_days: "أيام أجازة/راحة أسبوعية"
1067 setting_non_working_week_days: "أيام أجازة/راحة أسبوعية"
1068 label_in_the_next_days: في الأيام المقبلة
1068 label_in_the_next_days: في الأيام المقبلة
1069 label_in_the_past_days: في الأيام الماضية
1069 label_in_the_past_days: في الأيام الماضية
1070 label_attribute_of_user: User's %{name}
1070 label_attribute_of_user: User's %{name}
1071 text_turning_multiple_off: If you disable multiple values, multiple values will be
1071 text_turning_multiple_off: If you disable multiple values, multiple values will be
1072 removed in order to preserve only one value per item.
1072 removed in order to preserve only one value per item.
1073 label_attribute_of_issue: Issue's %{name}
1073 label_attribute_of_issue: Issue's %{name}
1074 permission_add_documents: Add documents
1074 permission_add_documents: Add documents
1075 permission_edit_documents: Edit documents
1075 permission_edit_documents: Edit documents
1076 permission_delete_documents: Delete documents
1076 permission_delete_documents: Delete documents
1077 label_gantt_progress_line: Progress line
1077 label_gantt_progress_line: Progress line
1078 setting_jsonp_enabled: Enable JSONP support
1078 setting_jsonp_enabled: Enable JSONP support
1079 field_inherit_members: Inherit members
1079 field_inherit_members: Inherit members
1080 field_closed_on: Closed
1080 field_closed_on: Closed
1081 field_generate_password: Generate password
1081 field_generate_password: Generate password
1082 setting_default_projects_tracker_ids: Default trackers for new projects
1082 setting_default_projects_tracker_ids: Default trackers for new projects
1083 label_total_time: الإجمالي
1083 label_total_time: الإجمالي
1084 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1084 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1085 to receive a new activation email, please <a href="%{url}">click this link</a>.
1085 to receive a new activation email, please <a href="%{url}">click this link</a>.
1086 notice_account_locked: Your account is locked.
1086 notice_account_locked: Your account is locked.
1087 label_hidden: Hidden
1087 label_hidden: Hidden
1088 label_visibility_private: to me only
1088 label_visibility_private: to me only
1089 label_visibility_roles: to these roles only
1089 label_visibility_roles: to these roles only
1090 label_visibility_public: to any users
1090 label_visibility_public: to any users
1091 field_must_change_passwd: Must change password at next logon
1091 field_must_change_passwd: Must change password at next logon
1092 notice_new_password_must_be_different: The new password must be different from the
1092 notice_new_password_must_be_different: The new password must be different from the
1093 current password
1093 current password
1094 setting_mail_handler_excluded_filenames: Exclude attachments by name
1094 setting_mail_handler_excluded_filenames: Exclude attachments by name
1095 text_convert_available: ImageMagick convert available (optional)
1095 text_convert_available: ImageMagick convert available (optional)
1096 label_link: Link
1096 label_link: Link
1097 label_only: only
1097 label_only: only
1098 label_drop_down_list: drop-down list
1098 label_drop_down_list: drop-down list
1099 label_checkboxes: checkboxes
1099 label_checkboxes: checkboxes
1100 label_link_values_to: Link values to URL
1100 label_link_values_to: Link values to URL
1101 setting_force_default_language_for_anonymous: Force default language for anonymous
1101 setting_force_default_language_for_anonymous: Force default language for anonymous
1102 users
1102 users
1103 setting_force_default_language_for_loggedin: Force default language for logged-in
1103 setting_force_default_language_for_loggedin: Force default language for logged-in
1104 users
1104 users
1105 label_custom_field_select_type: Select the type of object to which the custom field
1105 label_custom_field_select_type: Select the type of object to which the custom field
1106 is to be attached
1106 is to be attached
1107 label_issue_assigned_to_updated: Assignee updated
1107 label_issue_assigned_to_updated: Assignee updated
1108 label_check_for_updates: Check for updates
1108 label_check_for_updates: Check for updates
1109 label_latest_compatible_version: Latest compatible version
1109 label_latest_compatible_version: Latest compatible version
1110 label_unknown_plugin: Unknown plugin
1110 label_unknown_plugin: Unknown plugin
1111 label_radio_buttons: radio buttons
1111 label_radio_buttons: radio buttons
1112 label_group_anonymous: Anonymous users
1112 label_group_anonymous: Anonymous users
1113 label_group_non_member: Non member users
1113 label_group_non_member: Non member users
1114 label_add_projects: Add projects
1114 label_add_projects: Add projects
1115 field_default_status: Default status
1115 field_default_status: Default status
1116 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1116 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1117 field_users_visibility: Users visibility
1117 field_users_visibility: Users visibility
1118 label_users_visibility_all: All active users
1118 label_users_visibility_all: All active users
1119 label_users_visibility_members_of_visible_projects: Members of visible projects
1119 label_users_visibility_members_of_visible_projects: Members of visible projects
1120 label_edit_attachments: Edit attached files
1120 label_edit_attachments: Edit attached files
1121 setting_link_copied_issue: Link issues on copy
1121 setting_link_copied_issue: Link issues on copy
1122 label_link_copied_issue: Link copied issue
1122 label_link_copied_issue: Link copied issue
1123 label_ask: Ask
1123 label_ask: Ask
1124 label_search_attachments_yes: Search attachment filenames and descriptions
1124 label_search_attachments_yes: Search attachment filenames and descriptions
1125 label_search_attachments_no: Do not search attachments
1125 label_search_attachments_no: Do not search attachments
1126 label_search_attachments_only: Search attachments only
1126 label_search_attachments_only: Search attachments only
1127 label_search_open_issues_only: Open issues only
1127 label_search_open_issues_only: Open issues only
1128 field_address: البريد الالكتروني
1128 field_address: البريد الالكتروني
1129 setting_max_additional_emails: Maximum number of additional email addresses
1129 setting_max_additional_emails: Maximum number of additional email addresses
1130 label_email_address_plural: Emails
1130 label_email_address_plural: Emails
1131 label_email_address_add: Add email address
1131 label_email_address_add: Add email address
1132 label_enable_notifications: Enable notifications
1132 label_enable_notifications: Enable notifications
1133 label_disable_notifications: Disable notifications
1133 label_disable_notifications: Disable notifications
1134 setting_search_results_per_page: Search results per page
1134 setting_search_results_per_page: Search results per page
1135 label_blank_value: blank
1135 label_blank_value: blank
1136 permission_copy_issues: Copy issues
1136 permission_copy_issues: Copy issues
1137 error_password_expired: Your password has expired or the administrator requires you
1137 error_password_expired: Your password has expired or the administrator requires you
1138 to change it.
1138 to change it.
1139 field_time_entries_visibility: Time logs visibility
1139 field_time_entries_visibility: Time logs visibility
1140 setting_password_max_age: Require password change after
1140 setting_password_max_age: Require password change after
1141 label_parent_task_attributes: Parent tasks attributes
1141 label_parent_task_attributes: Parent tasks attributes
1142 label_parent_task_attributes_derived: Calculated from subtasks
1142 label_parent_task_attributes_derived: Calculated from subtasks
1143 label_parent_task_attributes_independent: Independent of subtasks
1143 label_parent_task_attributes_independent: Independent of subtasks
1144 label_time_entries_visibility_all: All time entries
1144 label_time_entries_visibility_all: All time entries
1145 label_time_entries_visibility_own: Time entries created by the user
1145 label_time_entries_visibility_own: Time entries created by the user
1146 label_member_management: Member management
1146 label_member_management: Member management
1147 label_member_management_all_roles: All roles
1147 label_member_management_all_roles: All roles
1148 label_member_management_selected_roles_only: Only these roles
1148 label_member_management_selected_roles_only: Only these roles
1149 label_password_required: Confirm your password to continue
1149 label_password_required: Confirm your password to continue
1150 label_total_spent_time: الوقت الذي تم انفاقه كاملا
1150 label_total_spent_time: الوقت الذي تم انفاقه كاملا
1151 notice_import_finished: All %{count} items have been imported.
1151 notice_import_finished: All %{count} items have been imported.
1152 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1152 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1153 imported.'
1153 imported.'
1154 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1154 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1155 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1155 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1156 settings below
1156 settings below
1157 error_can_not_read_import_file: An error occurred while reading the file to import
1157 error_can_not_read_import_file: An error occurred while reading the file to import
1158 permission_import_issues: Import issues
1158 permission_import_issues: Import issues
1159 label_import_issues: Import issues
1159 label_import_issues: Import issues
1160 label_select_file_to_import: Select the file to import
1160 label_select_file_to_import: Select the file to import
1161 label_fields_separator: Field separator
1161 label_fields_separator: Field separator
1162 label_fields_wrapper: Field wrapper
1162 label_fields_wrapper: Field wrapper
1163 label_encoding: Encoding
1163 label_encoding: Encoding
1164 label_comma_char: Comma
1164 label_comma_char: Comma
1165 label_semi_colon_char: Semi colon
1165 label_semi_colon_char: Semi colon
1166 label_quote_char: Quote
1166 label_quote_char: Quote
1167 label_double_quote_char: Double quote
1167 label_double_quote_char: Double quote
1168 label_fields_mapping: Fields mapping
1168 label_fields_mapping: Fields mapping
1169 label_file_content_preview: File content preview
1169 label_file_content_preview: File content preview
1170 label_create_missing_values: Create missing values
1170 label_create_missing_values: Create missing values
1171 button_import: Import
1171 button_import: Import
1172 field_total_estimated_hours: Total estimated time
1172 field_total_estimated_hours: Total estimated time
1173 label_api: API
1173 label_api: API
1174 label_total_plural: Totals
1174 label_total_plural: Totals
1175 label_assigned_issues: Assigned issues
1175 label_assigned_issues: Assigned issues
1176 label_field_format_enumeration: Key/value list
1176 label_field_format_enumeration: Key/value list
1177 label_f_hour_short: '%{value} h'
1177 label_f_hour_short: '%{value} h'
1178 field_default_version: Default version
1178 field_default_version: Default version
1179 error_attachment_extension_not_allowed: Attachment extension %{extension} is not allowed
1179 error_attachment_extension_not_allowed: Attachment extension %{extension} is not allowed
1180 setting_attachment_extensions_allowed: Allowed extensions
1180 setting_attachment_extensions_allowed: Allowed extensions
1181 setting_attachment_extensions_denied: Disallowed extensions
1181 setting_attachment_extensions_denied: Disallowed extensions
1182 label_any_open_issues: any open issues
1182 label_any_open_issues: any open issues
1183 label_no_open_issues: no open issues
1183 label_no_open_issues: no open issues
1184 label_default_values_for_new_users: Default values for new users
1184 label_default_values_for_new_users: Default values for new users
1185 error_cannot_reassign_time_entries_to_an_issue_about_to_be_deleted: Spent time cannot
1186 be reassigned to an issue that is about to be deleted
@@ -1,1279 +1,1281
1 #
1 #
2 # Translated by Saadat Mutallimova
2 # Translated by Saadat Mutallimova
3 # Data Processing Center of the Ministry of Communication and Information Technologies
3 # Data Processing Center of the Ministry of Communication and Information Technologies
4 #
4 #
5 az:
5 az:
6 direction: ltr
6 direction: ltr
7 date:
7 date:
8 formats:
8 formats:
9 default: "%d.%m.%Y"
9 default: "%d.%m.%Y"
10 short: "%d %b"
10 short: "%d %b"
11 long: "%d %B %Y"
11 long: "%d %B %Y"
12
12
13 day_names: [bazar, bazar ertəsi, çərşənbə axşamı, çərşənbə, cümə axşamı, cümə, şənbə]
13 day_names: [bazar, bazar ertəsi, çərşənbə axşamı, çərşənbə, cümə axşamı, cümə, şənbə]
14 standalone_day_names: [Bazar, Bazar ertəsi, Çərşənbə axşamı, Çərşənbə, Cümə axşamı, Cümə, Şənbə]
14 standalone_day_names: [Bazar, Bazar ertəsi, Çərşənbə axşamı, Çərşənbə, Cümə axşamı, Cümə, Şənbə]
15 abbr_day_names: [B, Be, Ça, Ç, Ca, C, Ş]
15 abbr_day_names: [B, Be, Ça, Ç, Ca, C, Ş]
16
16
17 month_names: [~, yanvar, fevral, mart, aprel, may, iyun, iyul, avqust, sentyabr, oktyabr, noyabr, dekabr]
17 month_names: [~, yanvar, fevral, mart, aprel, may, iyun, iyul, avqust, sentyabr, oktyabr, noyabr, dekabr]
18 # see russian gem for info on "standalone" day names
18 # see russian gem for info on "standalone" day names
19 standalone_month_names: [~, Yanvar, Fevral, Mart, Aprel, May, İyun, İyul, Avqust, Sentyabr, Oktyabr, Noyabr, Dekabr]
19 standalone_month_names: [~, Yanvar, Fevral, Mart, Aprel, May, İyun, İyul, Avqust, Sentyabr, Oktyabr, Noyabr, Dekabr]
20 abbr_month_names: [~, yan., fev., mart, apr., may, iyun, iyul, avq., sent., okt., noy., dek.]
20 abbr_month_names: [~, yan., fev., mart, apr., may, iyun, iyul, avq., sent., okt., noy., dek.]
21 standalone_abbr_month_names: [~, yan., fev., mart, apr., may, iyun, iyul, avq., sent., okt., noy., dek.]
21 standalone_abbr_month_names: [~, yan., fev., mart, apr., may, iyun, iyul, avq., sent., okt., noy., dek.]
22
22
23 order:
23 order:
24 - :day
24 - :day
25 - :month
25 - :month
26 - :year
26 - :year
27
27
28 time:
28 time:
29 formats:
29 formats:
30 default: "%a, %d %b %Y, %H:%M:%S %z"
30 default: "%a, %d %b %Y, %H:%M:%S %z"
31 time: "%H:%M"
31 time: "%H:%M"
32 short: "%d %b, %H:%M"
32 short: "%d %b, %H:%M"
33 long: "%d %B %Y, %H:%M"
33 long: "%d %B %Y, %H:%M"
34
34
35 am: "səhər"
35 am: "səhər"
36 pm: "axşam"
36 pm: "axşam"
37
37
38 number:
38 number:
39 format:
39 format:
40 separator: ","
40 separator: ","
41 delimiter: " "
41 delimiter: " "
42 precision: 3
42 precision: 3
43
43
44 currency:
44 currency:
45 format:
45 format:
46 format: "%n %u"
46 format: "%n %u"
47 unit: "man."
47 unit: "man."
48 separator: "."
48 separator: "."
49 delimiter: " "
49 delimiter: " "
50 precision: 2
50 precision: 2
51
51
52 percentage:
52 percentage:
53 format:
53 format:
54 delimiter: ""
54 delimiter: ""
55
55
56 precision:
56 precision:
57 format:
57 format:
58 delimiter: ""
58 delimiter: ""
59
59
60 human:
60 human:
61 format:
61 format:
62 delimiter: ""
62 delimiter: ""
63 precision: 3
63 precision: 3
64 # Rails 2.2
64 # Rails 2.2
65 # storage_units: [байт, КБ, МБ, ГБ, ТБ]
65 # storage_units: [байт, КБ, МБ, ГБ, ТБ]
66
66
67 # Rails 2.3
67 # Rails 2.3
68 storage_units:
68 storage_units:
69 # Storage units output formatting.
69 # Storage units output formatting.
70 # %u is the storage unit, %n is the number (default: 2 MB)
70 # %u is the storage unit, %n is the number (default: 2 MB)
71 format: "%n %u"
71 format: "%n %u"
72 units:
72 units:
73 byte:
73 byte:
74 one: "bayt"
74 one: "bayt"
75 few: "bayt"
75 few: "bayt"
76 many: "bayt"
76 many: "bayt"
77 other: "bayt"
77 other: "bayt"
78 kb: "KB"
78 kb: "KB"
79 mb: "MB"
79 mb: "MB"
80 gb: "GB"
80 gb: "GB"
81 tb: "TB"
81 tb: "TB"
82
82
83 datetime:
83 datetime:
84 distance_in_words:
84 distance_in_words:
85 half_a_minute: "bir dəqiqədən az"
85 half_a_minute: "bir dəqiqədən az"
86 less_than_x_seconds:
86 less_than_x_seconds:
87 one: "%{count} saniyədən az"
87 one: "%{count} saniyədən az"
88 few: "%{count} saniyədən az"
88 few: "%{count} saniyədən az"
89 many: "%{count} saniyədən az"
89 many: "%{count} saniyədən az"
90 other: "%{count} saniyədən az"
90 other: "%{count} saniyədən az"
91 x_seconds:
91 x_seconds:
92 one: "%{count} saniyə"
92 one: "%{count} saniyə"
93 few: "%{count} saniyə"
93 few: "%{count} saniyə"
94 many: "%{count} saniyə"
94 many: "%{count} saniyə"
95 other: "%{count} saniyə"
95 other: "%{count} saniyə"
96 less_than_x_minutes:
96 less_than_x_minutes:
97 one: "%{count} dəqiqədən az"
97 one: "%{count} dəqiqədən az"
98 few: "%{count} dəqiqədən az"
98 few: "%{count} dəqiqədən az"
99 many: "%{count} dəqiqədən az"
99 many: "%{count} dəqiqədən az"
100 other: "%{count} dəqiqədən az"
100 other: "%{count} dəqiqədən az"
101 x_minutes:
101 x_minutes:
102 one: "%{count} dəqiqə"
102 one: "%{count} dəqiqə"
103 few: "%{count} dəqiqə"
103 few: "%{count} dəqiqə"
104 many: "%{count} dəqiqə"
104 many: "%{count} dəqiqə"
105 other: "%{count} dəqiqə"
105 other: "%{count} dəqiqə"
106 about_x_hours:
106 about_x_hours:
107 one: "təxminən %{count} saat"
107 one: "təxminən %{count} saat"
108 few: "təxminən %{count} saat"
108 few: "təxminən %{count} saat"
109 many: "təxminən %{count} saat"
109 many: "təxminən %{count} saat"
110 other: "təxminən %{count} saat"
110 other: "təxminən %{count} saat"
111 x_hours:
111 x_hours:
112 one: "1 saat"
112 one: "1 saat"
113 other: "%{count} saat"
113 other: "%{count} saat"
114 x_days:
114 x_days:
115 one: "%{count} gün"
115 one: "%{count} gün"
116 few: "%{count} gün"
116 few: "%{count} gün"
117 many: "%{count} gün"
117 many: "%{count} gün"
118 other: "%{count} gün"
118 other: "%{count} gün"
119 about_x_months:
119 about_x_months:
120 one: "təxminən %{count} ay"
120 one: "təxminən %{count} ay"
121 few: "təxminən %{count} ay"
121 few: "təxminən %{count} ay"
122 many: "təxminən %{count} ay"
122 many: "təxminən %{count} ay"
123 other: "təxminən %{count} ay"
123 other: "təxminən %{count} ay"
124 x_months:
124 x_months:
125 one: "%{count} ay"
125 one: "%{count} ay"
126 few: "%{count} ay"
126 few: "%{count} ay"
127 many: "%{count} ay"
127 many: "%{count} ay"
128 other: "%{count} ay"
128 other: "%{count} ay"
129 about_x_years:
129 about_x_years:
130 one: "təxminən %{count} il"
130 one: "təxminən %{count} il"
131 few: "təxminən %{count} il"
131 few: "təxminən %{count} il"
132 many: "təxminən %{count} il"
132 many: "təxminən %{count} il"
133 other: "təxminən %{count} il"
133 other: "təxminən %{count} il"
134 over_x_years:
134 over_x_years:
135 one: "%{count} ildən çox"
135 one: "%{count} ildən çox"
136 few: "%{count} ildən çox"
136 few: "%{count} ildən çox"
137 many: "%{count} ildən çox"
137 many: "%{count} ildən çox"
138 other: "%{count} ildən çox"
138 other: "%{count} ildən çox"
139 almost_x_years:
139 almost_x_years:
140 one: "təxminən 1 il"
140 one: "təxminən 1 il"
141 few: "təxminən %{count} il"
141 few: "təxminən %{count} il"
142 many: "təxminən %{count} il"
142 many: "təxminən %{count} il"
143 other: "təxminən %{count} il"
143 other: "təxminən %{count} il"
144 prompts:
144 prompts:
145 year: "İl"
145 year: "İl"
146 month: "Ay"
146 month: "Ay"
147 day: "Gün"
147 day: "Gün"
148 hour: "Saat"
148 hour: "Saat"
149 minute: "Dəqiqə"
149 minute: "Dəqiqə"
150 second: "Saniyə"
150 second: "Saniyə"
151
151
152 activerecord:
152 activerecord:
153 errors:
153 errors:
154 template:
154 template:
155 header:
155 header:
156 one: "%{model}: %{count} səhvə görə yadda saxlamaq mümkün olmadı"
156 one: "%{model}: %{count} səhvə görə yadda saxlamaq mümkün olmadı"
157 few: "%{model}: %{count} səhvlərə görə yadda saxlamaq mümkün olmadı"
157 few: "%{model}: %{count} səhvlərə görə yadda saxlamaq mümkün olmadı"
158 many: "%{model}: %{count} səhvlərə görə yadda saxlamaq mümkün olmadı"
158 many: "%{model}: %{count} səhvlərə görə yadda saxlamaq mümkün olmadı"
159 other: "%{model}: %{count} səhvə görə yadda saxlamaq mümkün olmadı"
159 other: "%{model}: %{count} səhvə görə yadda saxlamaq mümkün olmadı"
160
160
161 body: "Problemlər aşağıdakı sahələrdə yarandı:"
161 body: "Problemlər aşağıdakı sahələrdə yarandı:"
162
162
163 messages:
163 messages:
164 inclusion: "nəzərdə tutulmamış təyinata malikdir"
164 inclusion: "nəzərdə tutulmamış təyinata malikdir"
165 exclusion: "ehtiyata götürülməmiş təyinata malikdir"
165 exclusion: "ehtiyata götürülməmiş təyinata malikdir"
166 invalid: "düzgün təyinat deyildir"
166 invalid: "düzgün təyinat deyildir"
167 confirmation: "təsdiq ilə üst-üstə düşmür"
167 confirmation: "təsdiq ilə üst-üstə düşmür"
168 accepted: "təsdiq etmək lazımdır"
168 accepted: "təsdiq etmək lazımdır"
169 empty: "boş saxlanıla bilməz"
169 empty: "boş saxlanıla bilməz"
170 blank: "boş saxlanıla bilməz"
170 blank: "boş saxlanıla bilməz"
171 too_long:
171 too_long:
172 one: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
172 one: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
173 few: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
173 few: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
174 many: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
174 many: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
175 other: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
175 other: "çox böyük uzunluq (%{count} simvoldan çox ola bilməz)"
176 too_short:
176 too_short:
177 one: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
177 one: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
178 few: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
178 few: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
179 many: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
179 many: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
180 other: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
180 other: "uzunluq kifayət qədər deyildir (%{count} simvoldan az ola bilməz)"
181 wrong_length:
181 wrong_length:
182 one: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
182 one: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
183 few: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
183 few: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
184 many: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
184 many: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
185 other: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
185 other: "düzgün olmayan uzunluq (tam %{count} simvol ola bilər)"
186 taken: "artıq mövcuddur"
186 taken: "artıq mövcuddur"
187 not_a_number: "say kimi hesab edilmir"
187 not_a_number: "say kimi hesab edilmir"
188 greater_than: "%{count} çox təyinata malik ola bilər"
188 greater_than: "%{count} çox təyinata malik ola bilər"
189 greater_than_or_equal_to: "%{count} çox ya ona bərabər təyinata malik ola bilər"
189 greater_than_or_equal_to: "%{count} çox ya ona bərabər təyinata malik ola bilər"
190 equal_to: "yalnız %{count} bərabər təyinata malik ola bilər"
190 equal_to: "yalnız %{count} bərabər təyinata malik ola bilər"
191 less_than: "%{count} az təyinata malik ola bilər"
191 less_than: "%{count} az təyinata malik ola bilər"
192 less_than_or_equal_to: "%{count} az ya ona bərabər təyinata malik ola bilər"
192 less_than_or_equal_to: "%{count} az ya ona bərabər təyinata malik ola bilər"
193 odd: "yalnız tək təyinata malik ola bilər"
193 odd: "yalnız tək təyinata malik ola bilər"
194 even: "yalnız cüt təyinata malik ola bilər"
194 even: "yalnız cüt təyinata malik ola bilər"
195 greater_than_start_date: "başlanğıc tarixindən sonra olmalıdır"
195 greater_than_start_date: "başlanğıc tarixindən sonra olmalıdır"
196 not_same_project: "təkcə bir layihəyə aid deyildir"
196 not_same_project: "təkcə bir layihəyə aid deyildir"
197 circular_dependency: "Belə əlaqə dövri asılılığa gətirib çıxaracaq"
197 circular_dependency: "Belə əlaqə dövri asılılığa gətirib çıxaracaq"
198 cant_link_an_issue_with_a_descendant: "Tapşırıq özünün alt tapşırığı ilə əlaqəli ola bilməz"
198 cant_link_an_issue_with_a_descendant: "Tapşırıq özünün alt tapşırığı ilə əlaqəli ola bilməz"
199 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
199 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
200
200
201 support:
201 support:
202 array:
202 array:
203 # Rails 2.2
203 # Rails 2.2
204 sentence_connector: "və"
204 sentence_connector: "və"
205 skip_last_comma: true
205 skip_last_comma: true
206
206
207 # Rails 2.3
207 # Rails 2.3
208 words_connector: ", "
208 words_connector: ", "
209 two_words_connector: " və"
209 two_words_connector: " və"
210 last_word_connector: " "
210 last_word_connector: " "
211
211
212 actionview_instancetag_blank_option: Seçim edin
212 actionview_instancetag_blank_option: Seçim edin
213
213
214 button_activate: Aktivləşdirmək
214 button_activate: Aktivləşdirmək
215 button_add: Əlavə etmək
215 button_add: Əlavə etmək
216 button_annotate: Müəlliflik
216 button_annotate: Müəlliflik
217 button_apply: Tətbiq etmək
217 button_apply: Tətbiq etmək
218 button_archive: Arxivləşdirmək
218 button_archive: Arxivləşdirmək
219 button_back: Geriyə
219 button_back: Geriyə
220 button_cancel: İmtina
220 button_cancel: İmtina
221 button_change_password: Parolu dəyişmək
221 button_change_password: Parolu dəyişmək
222 button_change: Dəyişmək
222 button_change: Dəyişmək
223 button_check_all: Hamını qeyd etmək
223 button_check_all: Hamını qeyd etmək
224 button_clear: Təmizləmək
224 button_clear: Təmizləmək
225 button_configure: Parametlər
225 button_configure: Parametlər
226 button_copy: Sürətini çıxarmaq
226 button_copy: Sürətini çıxarmaq
227 button_create: Yaratmaq
227 button_create: Yaratmaq
228 button_create_and_continue: Yaratmaq və davam etmək
228 button_create_and_continue: Yaratmaq və davam etmək
229 button_delete: Silmək
229 button_delete: Silmək
230 button_download: Yükləmək
230 button_download: Yükləmək
231 button_edit: Redaktə etmək
231 button_edit: Redaktə etmək
232 button_edit_associated_wikipage: "Əlaqəli wiki-səhifəni redaktə etmək: %{page_title}"
232 button_edit_associated_wikipage: "Əlaqəli wiki-səhifəni redaktə etmək: %{page_title}"
233 button_list: Siyahı
233 button_list: Siyahı
234 button_lock: Bloka salmaq
234 button_lock: Bloka salmaq
235 button_login: Giriş
235 button_login: Giriş
236 button_log_time: Sərf olunan vaxt
236 button_log_time: Sərf olunan vaxt
237 button_move: Yerini dəyişmək
237 button_move: Yerini dəyişmək
238 button_quote: Sitat gətirmək
238 button_quote: Sitat gətirmək
239 button_rename: Adını dəyişmək
239 button_rename: Adını dəyişmək
240 button_reply: Cavablamaq
240 button_reply: Cavablamaq
241 button_reset: Sıfırlamaq
241 button_reset: Sıfırlamaq
242 button_rollback: Bu versiyaya qayıtmaq
242 button_rollback: Bu versiyaya qayıtmaq
243 button_save: Yadda saxlamaq
243 button_save: Yadda saxlamaq
244 button_sort: Çeşidləmək
244 button_sort: Çeşidləmək
245 button_submit: Qəbul etmək
245 button_submit: Qəbul etmək
246 button_test: Yoxlamaq
246 button_test: Yoxlamaq
247 button_unarchive: Arxivdən çıxarmaq
247 button_unarchive: Arxivdən çıxarmaq
248 button_uncheck_all: Təmizləmək
248 button_uncheck_all: Təmizləmək
249 button_unlock: Blokdan çıxarmaq
249 button_unlock: Blokdan çıxarmaq
250 button_unwatch: İzləməmək
250 button_unwatch: İzləməmək
251 button_update: Yeniləmək
251 button_update: Yeniləmək
252 button_view: Baxmaq
252 button_view: Baxmaq
253 button_watch: İzləmək
253 button_watch: İzləmək
254
254
255 default_activity_design: Layihənin hazırlanması
255 default_activity_design: Layihənin hazırlanması
256 default_activity_development: Hazırlanma prosesi
256 default_activity_development: Hazırlanma prosesi
257 default_doc_category_tech: Texniki sənədləşmə
257 default_doc_category_tech: Texniki sənədləşmə
258 default_doc_category_user: İstifadəçi sənədi
258 default_doc_category_user: İstifadəçi sənədi
259 default_issue_status_in_progress: İşlənməkdədir
259 default_issue_status_in_progress: İşlənməkdədir
260 default_issue_status_closed: Bağlanıb
260 default_issue_status_closed: Bağlanıb
261 default_issue_status_feedback: Əks əlaqə
261 default_issue_status_feedback: Əks əlaqə
262 default_issue_status_new: Yeni
262 default_issue_status_new: Yeni
263 default_issue_status_rejected: Rədd etmə
263 default_issue_status_rejected: Rədd etmə
264 default_issue_status_resolved: Həll edilib
264 default_issue_status_resolved: Həll edilib
265 default_priority_high: Yüksək
265 default_priority_high: Yüksək
266 default_priority_immediate: Təxirsiz
266 default_priority_immediate: Təxirsiz
267 default_priority_low: Aşağı
267 default_priority_low: Aşağı
268 default_priority_normal: Normal
268 default_priority_normal: Normal
269 default_priority_urgent: Təcili
269 default_priority_urgent: Təcili
270 default_role_developer: Hazırlayan
270 default_role_developer: Hazırlayan
271 default_role_manager: Menecer
271 default_role_manager: Menecer
272 default_role_reporter: Reportyor
272 default_role_reporter: Reportyor
273 default_tracker_bug: Səhv
273 default_tracker_bug: Səhv
274 default_tracker_feature: Təkmilləşmə
274 default_tracker_feature: Təkmilləşmə
275 default_tracker_support: Dəstək
275 default_tracker_support: Dəstək
276
276
277 enumeration_activities: Hərəkətlər (vaxtın uçotu)
277 enumeration_activities: Hərəkətlər (vaxtın uçotu)
278 enumeration_doc_categories: Sənədlərin kateqoriyası
278 enumeration_doc_categories: Sənədlərin kateqoriyası
279 enumeration_issue_priorities: Tapşırıqların prioriteti
279 enumeration_issue_priorities: Tapşırıqların prioriteti
280
280
281 error_can_not_remove_role: Bu rol istifadə edilir və silinə bilməz.
281 error_can_not_remove_role: Bu rol istifadə edilir və silinə bilməz.
282 error_can_not_delete_custom_field: Sazlanmış sahəni silmək mümkün deyildir
282 error_can_not_delete_custom_field: Sazlanmış sahəni silmək mümkün deyildir
283 error_can_not_delete_tracker: Bu treker tapşırıqlardan ibarət olduğu üçün silinə bilməz.
283 error_can_not_delete_tracker: Bu treker tapşırıqlardan ibarət olduğu üçün silinə bilməz.
284 error_can_t_load_default_data: "Susmaya görə konfiqurasiya yüklənməmişdir: %{value}"
284 error_can_t_load_default_data: "Susmaya görə konfiqurasiya yüklənməmişdir: %{value}"
285 error_issue_not_found_in_project: Tapşırıq tapılmamışdır və ya bu layihəyə bərkidilməmişdir
285 error_issue_not_found_in_project: Tapşırıq tapılmamışdır və ya bu layihəyə bərkidilməmişdir
286 error_scm_annotate: "Verilənlər mövcud deyildir ya imzalana bilməz."
286 error_scm_annotate: "Verilənlər mövcud deyildir ya imzalana bilməz."
287 error_scm_command_failed: "Saxlayıcıya giriş imkanı səhvi: %{value}"
287 error_scm_command_failed: "Saxlayıcıya giriş imkanı səhvi: %{value}"
288 error_scm_not_found: Saxlayıcıda yazı və/ və ya düzəliş yoxdur.
288 error_scm_not_found: Saxlayıcıda yazı və/ və ya düzəliş yoxdur.
289 error_unable_to_connect: Qoşulmaq mümkün deyildir (%{value})
289 error_unable_to_connect: Qoşulmaq mümkün deyildir (%{value})
290 error_unable_delete_issue_status: Tapşırığın statusunu silmək mümkün deyildir
290 error_unable_delete_issue_status: Tapşırığın statusunu silmək mümkün deyildir
291
291
292 field_account: İstifadəçi hesabı
292 field_account: İstifadəçi hesabı
293 field_activity: Fəaliyyət
293 field_activity: Fəaliyyət
294 field_admin: İnzibatçı
294 field_admin: İnzibatçı
295 field_assignable: Tapşırıq bu rola təyin edilə bilər
295 field_assignable: Tapşırıq bu rola təyin edilə bilər
296 field_assigned_to: Təyin edilib
296 field_assigned_to: Təyin edilib
297 field_attr_firstname: Ad
297 field_attr_firstname: Ad
298 field_attr_lastname: Soyad
298 field_attr_lastname: Soyad
299 field_attr_login: Atribut Login
299 field_attr_login: Atribut Login
300 field_attr_mail: e-poçt
300 field_attr_mail: e-poçt
301 field_author: Müəllif
301 field_author: Müəllif
302 field_auth_source: Autentifikasiya rejimi
302 field_auth_source: Autentifikasiya rejimi
303 field_base_dn: BaseDN
303 field_base_dn: BaseDN
304 field_category: Kateqoriya
304 field_category: Kateqoriya
305 field_column_names: Sütunlar
305 field_column_names: Sütunlar
306 field_comments: Şərhlər
306 field_comments: Şərhlər
307 field_comments_sorting: Şərhlərin təsviri
307 field_comments_sorting: Şərhlərin təsviri
308 field_content: Content
308 field_content: Content
309 field_created_on: Yaradılıb
309 field_created_on: Yaradılıb
310 field_default_value: Susmaya görə təyinat
310 field_default_value: Susmaya görə təyinat
311 field_delay: Təxirə salmaq
311 field_delay: Təxirə salmaq
312 field_description: Təsvir
312 field_description: Təsvir
313 field_done_ratio: Hazırlıq
313 field_done_ratio: Hazırlıq
314 field_downloads: Yükləmələr
314 field_downloads: Yükləmələr
315 field_due_date: Yerinə yetirilmə tarixi
315 field_due_date: Yerinə yetirilmə tarixi
316 field_editable: Redaktə edilən
316 field_editable: Redaktə edilən
317 field_effective_date: Tarix
317 field_effective_date: Tarix
318 field_estimated_hours: Vaxtın dəyərləndirilməsi
318 field_estimated_hours: Vaxtın dəyərləndirilməsi
319 field_field_format: Format
319 field_field_format: Format
320 field_filename: Fayl
320 field_filename: Fayl
321 field_filesize: Ölçü
321 field_filesize: Ölçü
322 field_firstname: Ad
322 field_firstname: Ad
323 field_fixed_version: Variant
323 field_fixed_version: Variant
324 field_hide_mail: E-poçtumu gizlət
324 field_hide_mail: E-poçtumu gizlət
325 field_homepage: Başlanğıc səhifə
325 field_homepage: Başlanğıc səhifə
326 field_host: Kompyuter
326 field_host: Kompyuter
327 field_hours: saat
327 field_hours: saat
328 field_identifier: Unikal identifikator
328 field_identifier: Unikal identifikator
329 field_identity_url: OpenID URL
329 field_identity_url: OpenID URL
330 field_is_closed: Tapşırıq bağlanıb
330 field_is_closed: Tapşırıq bağlanıb
331 field_is_default: Susmaya görə tapşırıq
331 field_is_default: Susmaya görə tapşırıq
332 field_is_filter: Filtr kimi istifadə edilir
332 field_is_filter: Filtr kimi istifadə edilir
333 field_is_for_all: Bütün layihələr üçün
333 field_is_for_all: Bütün layihələr üçün
334 field_is_in_roadmap: Operativ planda əks olunan tapşırıqlar
334 field_is_in_roadmap: Operativ planda əks olunan tapşırıqlar
335 field_is_public: Ümümaçıq
335 field_is_public: Ümümaçıq
336 field_is_required: Mütləq
336 field_is_required: Mütləq
337 field_issue_to: Əlaqəli tapşırıqlar
337 field_issue_to: Əlaqəli tapşırıqlar
338 field_issue: Tapşırıq
338 field_issue: Tapşırıq
339 field_language: Dil
339 field_language: Dil
340 field_last_login_on: Son qoşulma
340 field_last_login_on: Son qoşulma
341 field_lastname: Soyad
341 field_lastname: Soyad
342 field_login: İstifadəçi
342 field_login: İstifadəçi
343 field_mail: e-poçt
343 field_mail: e-poçt
344 field_mail_notification: e-poçt ilə bildiriş
344 field_mail_notification: e-poçt ilə bildiriş
345 field_max_length: maksimal uzunluq
345 field_max_length: maksimal uzunluq
346 field_min_length: minimal uzunluq
346 field_min_length: minimal uzunluq
347 field_name: Ad
347 field_name: Ad
348 field_new_password: Yeni parol
348 field_new_password: Yeni parol
349 field_notes: Qeyd
349 field_notes: Qeyd
350 field_onthefly: Tez bir zamanda istifadəçinin yaradılması
350 field_onthefly: Tez bir zamanda istifadəçinin yaradılması
351 field_parent_title: Valideyn səhifə
351 field_parent_title: Valideyn səhifə
352 field_parent: Valideyn layihə
352 field_parent: Valideyn layihə
353 field_parent_issue: Valideyn tapşırıq
353 field_parent_issue: Valideyn tapşırıq
354 field_password_confirmation: Təsdiq
354 field_password_confirmation: Təsdiq
355 field_password: Parol
355 field_password: Parol
356 field_port: Port
356 field_port: Port
357 field_possible_values: Mümkün olan təyinatlar
357 field_possible_values: Mümkün olan təyinatlar
358 field_priority: Prioritet
358 field_priority: Prioritet
359 field_project: Layihə
359 field_project: Layihə
360 field_redirect_existing_links: Mövcud olan istinadları istiqamətləndirmək
360 field_redirect_existing_links: Mövcud olan istinadları istiqamətləndirmək
361 field_regexp: Müntəzəm ifadə
361 field_regexp: Müntəzəm ifadə
362 field_role: Rol
362 field_role: Rol
363 field_searchable: Axtarış üçün açıqdır
363 field_searchable: Axtarış üçün açıqdır
364 field_spent_on: Tarix
364 field_spent_on: Tarix
365 field_start_date: Başlanıb
365 field_start_date: Başlanıb
366 field_start_page: Başlanğıc səhifə
366 field_start_page: Başlanğıc səhifə
367 field_status: Status
367 field_status: Status
368 field_subject: Mövzu
368 field_subject: Mövzu
369 field_subproject: Altlayihə
369 field_subproject: Altlayihə
370 field_summary: Qısa təsvir
370 field_summary: Qısa təsvir
371 field_text: Mətn sahəsi
371 field_text: Mətn sahəsi
372 field_time_entries: Sərf olunan zaman
372 field_time_entries: Sərf olunan zaman
373 field_time_zone: Saat qurşağı
373 field_time_zone: Saat qurşağı
374 field_title: Başlıq
374 field_title: Başlıq
375 field_tracker: Treker
375 field_tracker: Treker
376 field_type: Tip
376 field_type: Tip
377 field_updated_on: Yenilənib
377 field_updated_on: Yenilənib
378 field_url: URL
378 field_url: URL
379 field_user: İstifadəçi
379 field_user: İstifadəçi
380 field_value: Təyinat
380 field_value: Təyinat
381 field_version: Variant
381 field_version: Variant
382 field_watcher: Nəzarətçi
382 field_watcher: Nəzarətçi
383
383
384 general_csv_decimal_separator: ','
384 general_csv_decimal_separator: ','
385 general_csv_encoding: UTF-8
385 general_csv_encoding: UTF-8
386 general_csv_separator: ';'
386 general_csv_separator: ';'
387 general_pdf_fontname: freesans
387 general_pdf_fontname: freesans
388 general_pdf_monospaced_fontname: freemono
388 general_pdf_monospaced_fontname: freemono
389 general_first_day_of_week: '1'
389 general_first_day_of_week: '1'
390 general_lang_name: 'Azerbaijanian (Azeri)'
390 general_lang_name: 'Azerbaijanian (Azeri)'
391 general_text_no: 'xeyr'
391 general_text_no: 'xeyr'
392 general_text_No: 'Xeyr'
392 general_text_No: 'Xeyr'
393 general_text_yes: 'bəli'
393 general_text_yes: 'bəli'
394 general_text_Yes: 'Bəli'
394 general_text_Yes: 'Bəli'
395
395
396 label_activity: Görülən işlər
396 label_activity: Görülən işlər
397 label_add_another_file: Bir fayl daha əlavə etmək
397 label_add_another_file: Bir fayl daha əlavə etmək
398 label_added_time_by: "Əlavə etdi %{author} %{age} əvvəl"
398 label_added_time_by: "Əlavə etdi %{author} %{age} əvvəl"
399 label_added: əlavə edilib
399 label_added: əlavə edilib
400 label_add_note: Qeydi əlavə etmək
400 label_add_note: Qeydi əlavə etmək
401 label_administration: İnzibatçılıq
401 label_administration: İnzibatçılıq
402 label_age: Yaş
402 label_age: Yaş
403 label_ago: gün əvvəl
403 label_ago: gün əvvəl
404 label_all_time: hər zaman
404 label_all_time: hər zaman
405 label_all_words: Bütün sözlər
405 label_all_words: Bütün sözlər
406 label_all: hamı
406 label_all: hamı
407 label_and_its_subprojects: "%{value} bütün altlayihələr"
407 label_and_its_subprojects: "%{value} bütün altlayihələr"
408 label_applied_status: Tətbiq olunan status
408 label_applied_status: Tətbiq olunan status
409 label_ascending: Artmaya görə
409 label_ascending: Artmaya görə
410 label_assigned_to_me_issues: Mənim tapşırıqlarım
410 label_assigned_to_me_issues: Mənim tapşırıqlarım
411 label_associated_revisions: Əlaqəli redaksiyalar
411 label_associated_revisions: Əlaqəli redaksiyalar
412 label_attachment: Fayl
412 label_attachment: Fayl
413 label_attachment_delete: Faylı silmək
413 label_attachment_delete: Faylı silmək
414 label_attachment_new: Yeni fayl
414 label_attachment_new: Yeni fayl
415 label_attachment_plural: Fayllar
415 label_attachment_plural: Fayllar
416 label_attribute: Atribut
416 label_attribute: Atribut
417 label_attribute_plural: Atributlar
417 label_attribute_plural: Atributlar
418 label_authentication: Autentifikasiya
418 label_authentication: Autentifikasiya
419 label_auth_source: Autentifikasiyanın rejimi
419 label_auth_source: Autentifikasiyanın rejimi
420 label_auth_source_new: Autentifikasiyanın yeni rejimi
420 label_auth_source_new: Autentifikasiyanın yeni rejimi
421 label_auth_source_plural: Autentifikasiyanın rejimləri
421 label_auth_source_plural: Autentifikasiyanın rejimləri
422 label_blocked_by: bloklanır
422 label_blocked_by: bloklanır
423 label_blocks: bloklayır
423 label_blocks: bloklayır
424 label_board: Forum
424 label_board: Forum
425 label_board_new: Yeni forum
425 label_board_new: Yeni forum
426 label_board_plural: Forumlar
426 label_board_plural: Forumlar
427 label_boolean: Məntiqi
427 label_boolean: Məntiqi
428 label_browse: Baxış
428 label_browse: Baxış
429 label_bulk_edit_selected_issues: Seçilən bütün tapşırıqları redaktə etmək
429 label_bulk_edit_selected_issues: Seçilən bütün tapşırıqları redaktə etmək
430 label_calendar: Təqvim
430 label_calendar: Təqvim
431 label_calendar_filter: O cümlədən
431 label_calendar_filter: O cümlədən
432 label_calendar_no_assigned: Mənim deyil
432 label_calendar_no_assigned: Mənim deyil
433 label_change_plural: Dəyişikliklər
433 label_change_plural: Dəyişikliklər
434 label_change_properties: Xassələri dəyişmək
434 label_change_properties: Xassələri dəyişmək
435 label_change_status: Statusu dəyişmək
435 label_change_status: Statusu dəyişmək
436 label_change_view_all: Bütün dəyişikliklərə baxmaq
436 label_change_view_all: Bütün dəyişikliklərə baxmaq
437 label_changes_details: Bütün dəyişikliklərə görə təfsilatlar
437 label_changes_details: Bütün dəyişikliklərə görə təfsilatlar
438 label_changeset_plural: Dəyişikliklər
438 label_changeset_plural: Dəyişikliklər
439 label_chronological_order: Xronoloji ardıcıllıq ilə
439 label_chronological_order: Xronoloji ardıcıllıq ilə
440 label_closed_issues: Bağlıdır
440 label_closed_issues: Bağlıdır
441 label_closed_issues_plural: bağlıdır
441 label_closed_issues_plural: bağlıdır
442 label_closed_issues_plural2: bağlıdır
442 label_closed_issues_plural2: bağlıdır
443 label_closed_issues_plural5: bağlıdır
443 label_closed_issues_plural5: bağlıdır
444 label_comment: şərhlər
444 label_comment: şərhlər
445 label_comment_add: Şərhləri qeyd etmək
445 label_comment_add: Şərhləri qeyd etmək
446 label_comment_added: Əlavə olunmuş şərhlər
446 label_comment_added: Əlavə olunmuş şərhlər
447 label_comment_delete: Şərhi silmək
447 label_comment_delete: Şərhi silmək
448 label_comment_plural: Şərhlər
448 label_comment_plural: Şərhlər
449 label_comment_plural2: Şərhlər
449 label_comment_plural2: Şərhlər
450 label_comment_plural5: şərhlərin
450 label_comment_plural5: şərhlərin
451 label_commits_per_author: İstifadəçi üzərində dəyişikliklər
451 label_commits_per_author: İstifadəçi üzərində dəyişikliklər
452 label_commits_per_month: Ay üzərində dəyişikliklər
452 label_commits_per_month: Ay üzərində dəyişikliklər
453 label_confirmation: Təsdiq
453 label_confirmation: Təsdiq
454 label_contains: tərkibi
454 label_contains: tərkibi
455 label_copied: surəti köçürülüb
455 label_copied: surəti köçürülüb
456 label_copy_workflow_from: görülən işlərin ardıcıllığının surətini köçürmək
456 label_copy_workflow_from: görülən işlərin ardıcıllığının surətini köçürmək
457 label_current_status: Cari status
457 label_current_status: Cari status
458 label_current_version: Cari variant
458 label_current_version: Cari variant
459 label_custom_field: Sazlanan sahə
459 label_custom_field: Sazlanan sahə
460 label_custom_field_new: Yeni sazlanan sahə
460 label_custom_field_new: Yeni sazlanan sahə
461 label_custom_field_plural: Sazlanan sahələr
461 label_custom_field_plural: Sazlanan sahələr
462 label_date_from: С
462 label_date_from: С
463 label_date_from_to: С %{start} по %{end}
463 label_date_from_to: С %{start} по %{end}
464 label_date_range: vaxt intervalı
464 label_date_range: vaxt intervalı
465 label_date_to: üzrə
465 label_date_to: üzrə
466 label_date: Tarix
466 label_date: Tarix
467 label_day_plural: gün
467 label_day_plural: gün
468 label_default: Susmaya görə
468 label_default: Susmaya görə
469 label_default_columns: Susmaya görə sütunlar
469 label_default_columns: Susmaya görə sütunlar
470 label_deleted: silinib
470 label_deleted: silinib
471 label_descending: Azalmaya görə
471 label_descending: Azalmaya görə
472 label_details: Təfsilatlar
472 label_details: Təfsilatlar
473 label_diff_inline: mətndə
473 label_diff_inline: mətndə
474 label_diff_side_by_side: Yanaşı
474 label_diff_side_by_side: Yanaşı
475 label_disabled: söndürülüb
475 label_disabled: söndürülüb
476 label_display: Təsvir
476 label_display: Təsvir
477 label_display_per_page: "Səhifəyə: %{value}"
477 label_display_per_page: "Səhifəyə: %{value}"
478 label_document: Sənəd
478 label_document: Sənəd
479 label_document_added: Sənəd əlavə edilib
479 label_document_added: Sənəd əlavə edilib
480 label_document_new: Yeni sənəd
480 label_document_new: Yeni sənəd
481 label_document_plural: Sənədlər
481 label_document_plural: Sənədlər
482 label_downloads_abbr: Yükləmələr
482 label_downloads_abbr: Yükləmələr
483 label_duplicated_by: çoxaldılır
483 label_duplicated_by: çoxaldılır
484 label_duplicates: çoxaldır
484 label_duplicates: çoxaldır
485 label_enumeration_new: Yeni qiymət
485 label_enumeration_new: Yeni qiymət
486 label_enumerations: Qiymətlərin siyahısı
486 label_enumerations: Qiymətlərin siyahısı
487 label_environment: Mühit
487 label_environment: Mühit
488 label_equals: sayılır
488 label_equals: sayılır
489 label_example: Nümunə
489 label_example: Nümunə
490 label_export_to: ixrac etmək
490 label_export_to: ixrac etmək
491 label_feed_plural: Atom
491 label_feed_plural: Atom
492 label_feeds_access_key_created_on: "Atom-ə giriş açarı %{value} əvvəl yaradılıb"
492 label_feeds_access_key_created_on: "Atom-ə giriş açarı %{value} əvvəl yaradılıb"
493 label_f_hour: "%{value} saat"
493 label_f_hour: "%{value} saat"
494 label_f_hour_plural: "%{value} saat"
494 label_f_hour_plural: "%{value} saat"
495 label_file_added: Fayl əlavə edilib
495 label_file_added: Fayl əlavə edilib
496 label_file_plural: Fayllar
496 label_file_plural: Fayllar
497 label_filter_add: Filtr əlavə etmək
497 label_filter_add: Filtr əlavə etmək
498 label_filter_plural: Filtrlər
498 label_filter_plural: Filtrlər
499 label_float: Həqiqi ədəd
499 label_float: Həqiqi ədəd
500 label_follows: Əvvəlki
500 label_follows: Əvvəlki
501 label_gantt: Qant diaqramması
501 label_gantt: Qant diaqramması
502 label_general: Ümumi
502 label_general: Ümumi
503 label_generate_key: Açarı generasiya etmək
503 label_generate_key: Açarı generasiya etmək
504 label_greater_or_equal: ">="
504 label_greater_or_equal: ">="
505 label_help: Kömək
505 label_help: Kömək
506 label_history: Tarixçə
506 label_history: Tarixçə
507 label_home: Ana səhifə
507 label_home: Ana səhifə
508 label_incoming_emails: Məlumatların qəbulu
508 label_incoming_emails: Məlumatların qəbulu
509 label_index_by_date: Səhifələrin tarixçəsi
509 label_index_by_date: Səhifələrin tarixçəsi
510 label_index_by_title: Başlıq
510 label_index_by_title: Başlıq
511 label_information_plural: İnformasiya
511 label_information_plural: İnformasiya
512 label_information: İnformasiya
512 label_information: İnformasiya
513 label_in_less_than: az
513 label_in_less_than: az
514 label_in_more_than: çox
514 label_in_more_than: çox
515 label_integer: Tam
515 label_integer: Tam
516 label_internal: Daxili
516 label_internal: Daxili
517 label_in: da (də)
517 label_in: da (də)
518 label_issue: Tapşırıq
518 label_issue: Tapşırıq
519 label_issue_added: Tapşırıq əlavə edilib
519 label_issue_added: Tapşırıq əlavə edilib
520 label_issue_category_new: Yeni kateqoriya
520 label_issue_category_new: Yeni kateqoriya
521 label_issue_category_plural: Tapşırığın kateqoriyası
521 label_issue_category_plural: Tapşırığın kateqoriyası
522 label_issue_category: Tapşırığın kateqoriyası
522 label_issue_category: Tapşırığın kateqoriyası
523 label_issue_new: Yeni tapşırıq
523 label_issue_new: Yeni tapşırıq
524 label_issue_plural: Tapşırıqlar
524 label_issue_plural: Tapşırıqlar
525 label_issues_by: "%{value} üzrə çeşidləmək"
525 label_issues_by: "%{value} üzrə çeşidləmək"
526 label_issue_status_new: Yeni status
526 label_issue_status_new: Yeni status
527 label_issue_status_plural: Tapşırıqların statusu
527 label_issue_status_plural: Tapşırıqların statusu
528 label_issue_status: Tapşırığın statusu
528 label_issue_status: Tapşırığın statusu
529 label_issue_tracking: Tapşırıqlar
529 label_issue_tracking: Tapşırıqlar
530 label_issue_updated: Tapşırıq yenilənib
530 label_issue_updated: Tapşırıq yenilənib
531 label_issue_view_all: Bütün tapşırıqlara baxmaq
531 label_issue_view_all: Bütün tapşırıqlara baxmaq
532 label_issue_watchers: Nəzarətçilər
532 label_issue_watchers: Nəzarətçilər
533 label_jump_to_a_project: ... layihəyə keçid
533 label_jump_to_a_project: ... layihəyə keçid
534 label_language_based: Dilin əsasında
534 label_language_based: Dilin əsasında
535 label_last_changes: "%{count} az dəyişiklik"
535 label_last_changes: "%{count} az dəyişiklik"
536 label_last_login: Sonuncu qoşulma
536 label_last_login: Sonuncu qoşulma
537 label_last_month: sonuncu ay
537 label_last_month: sonuncu ay
538 label_last_n_days: "son %{count} gün"
538 label_last_n_days: "son %{count} gün"
539 label_last_week: sonuncu həftə
539 label_last_week: sonuncu həftə
540 label_latest_revision: Sonuncu redaksiya
540 label_latest_revision: Sonuncu redaksiya
541 label_latest_revision_plural: Sonuncu redaksiyalar
541 label_latest_revision_plural: Sonuncu redaksiyalar
542 label_ldap_authentication: LDAP vasitəsilə avtorizasiya
542 label_ldap_authentication: LDAP vasitəsilə avtorizasiya
543 label_less_or_equal: <=
543 label_less_or_equal: <=
544 label_less_than_ago: gündən az
544 label_less_than_ago: gündən az
545 label_list: Siyahı
545 label_list: Siyahı
546 label_loading: Yükləmə...
546 label_loading: Yükləmə...
547 label_logged_as: Daxil olmusunuz
547 label_logged_as: Daxil olmusunuz
548 label_login: Daxil olmaq
548 label_login: Daxil olmaq
549 label_login_with_open_id_option: və ya OpenID vasitəsilə daxil olmaq
549 label_login_with_open_id_option: və ya OpenID vasitəsilə daxil olmaq
550 label_logout: Çıxış
550 label_logout: Çıxış
551 label_max_size: Maksimal ölçü
551 label_max_size: Maksimal ölçü
552 label_member_new: Yeni iştirakçı
552 label_member_new: Yeni iştirakçı
553 label_member: İştirakçı
553 label_member: İştirakçı
554 label_member_plural: İştirakçılar
554 label_member_plural: İştirakçılar
555 label_message_last: Sonuncu məlumat
555 label_message_last: Sonuncu məlumat
556 label_message_new: Yeni məlumat
556 label_message_new: Yeni məlumat
557 label_message_plural: Məlumatlar
557 label_message_plural: Məlumatlar
558 label_message_posted: Məlumat əlavə olunub
558 label_message_posted: Məlumat əlavə olunub
559 label_me: mənə
559 label_me: mənə
560 label_min_max_length: Minimal - maksimal uzunluq
560 label_min_max_length: Minimal - maksimal uzunluq
561 label_modified: dəyişilib
561 label_modified: dəyişilib
562 label_module_plural: Modullar
562 label_module_plural: Modullar
563 label_months_from: ay
563 label_months_from: ay
564 label_month: Ay
564 label_month: Ay
565 label_more_than_ago: gündən əvvəl
565 label_more_than_ago: gündən əvvəl
566 label_more: Çox
566 label_more: Çox
567 label_my_account: Mənim hesabım
567 label_my_account: Mənim hesabım
568 label_my_page: Mənim səhifəm
568 label_my_page: Mənim səhifəm
569 label_my_page_block: Mənim səhifəmin bloku
569 label_my_page_block: Mənim səhifəmin bloku
570 label_my_projects: Mənim layihələrim
570 label_my_projects: Mənim layihələrim
571 label_new: Yeni
571 label_new: Yeni
572 label_new_statuses_allowed: İcazə verilən yeni statuslar
572 label_new_statuses_allowed: İcazə verilən yeni statuslar
573 label_news_added: Xəbər əlavə edilib
573 label_news_added: Xəbər əlavə edilib
574 label_news_latest: Son xəbərlər
574 label_news_latest: Son xəbərlər
575 label_news_new: Xəbər əlavə etmək
575 label_news_new: Xəbər əlavə etmək
576 label_news_plural: Xəbərlər
576 label_news_plural: Xəbərlər
577 label_news_view_all: Bütün xəbərlərə baxmaq
577 label_news_view_all: Bütün xəbərlərə baxmaq
578 label_news: Xəbərlər
578 label_news: Xəbərlər
579 label_next: Növbəti
579 label_next: Növbəti
580 label_nobody: heç kim
580 label_nobody: heç kim
581 label_no_change_option: (Dəyişiklik yoxdur)
581 label_no_change_option: (Dəyişiklik yoxdur)
582 label_no_data: Təsvir üçün verilənlər yoxdur
582 label_no_data: Təsvir üçün verilənlər yoxdur
583 label_none: yoxdur
583 label_none: yoxdur
584 label_not_contains: mövcud deyil
584 label_not_contains: mövcud deyil
585 label_not_equals: sayılmır
585 label_not_equals: sayılmır
586 label_open_issues: açıqdır
586 label_open_issues: açıqdır
587 label_open_issues_plural: açıqdır
587 label_open_issues_plural: açıqdır
588 label_open_issues_plural2: açıqdır
588 label_open_issues_plural2: açıqdır
589 label_open_issues_plural5: açıqdır
589 label_open_issues_plural5: açıqdır
590 label_optional_description: Təsvir (vacib deyil)
590 label_optional_description: Təsvir (vacib deyil)
591 label_options: Opsiyalar
591 label_options: Opsiyalar
592 label_overall_activity: Görülən işlərin toplu hesabatı
592 label_overall_activity: Görülən işlərin toplu hesabatı
593 label_overview: Baxış
593 label_overview: Baxış
594 label_password_lost: Parolun bərpası
594 label_password_lost: Parolun bərpası
595 label_permissions_report: Giriş hüquqları üzrə hesabat
595 label_permissions_report: Giriş hüquqları üzrə hesabat
596 label_permissions: Giriş hüquqları
596 label_permissions: Giriş hüquqları
597 label_personalize_page: bu səhifəni fərdiləşdirmək
597 label_personalize_page: bu səhifəni fərdiləşdirmək
598 label_planning: Planlaşdırma
598 label_planning: Planlaşdırma
599 label_please_login: Xahiş edirik, daxil olun.
599 label_please_login: Xahiş edirik, daxil olun.
600 label_plugins: Modullar
600 label_plugins: Modullar
601 label_precedes: növbəti
601 label_precedes: növbəti
602 label_preferences: Üstünlük
602 label_preferences: Üstünlük
603 label_preview: İlkin baxış
603 label_preview: İlkin baxış
604 label_previous: Əvvəlki
604 label_previous: Əvvəlki
605 label_profile: Profil
605 label_profile: Profil
606 label_project: Layihə
606 label_project: Layihə
607 label_project_all: Bütün layihələr
607 label_project_all: Bütün layihələr
608 label_project_copy_notifications: Layihənin surətinin çıxarılması zamanı elektron poçt ilə bildiriş göndərmək
608 label_project_copy_notifications: Layihənin surətinin çıxarılması zamanı elektron poçt ilə bildiriş göndərmək
609 label_project_latest: Son layihələr
609 label_project_latest: Son layihələr
610 label_project_new: Yeni layihə
610 label_project_new: Yeni layihə
611 label_project_plural: Layihələr
611 label_project_plural: Layihələr
612 label_project_plural2: layihəni
612 label_project_plural2: layihəni
613 label_project_plural5: layihələri
613 label_project_plural5: layihələri
614 label_public_projects: Ümumi layihələr
614 label_public_projects: Ümumi layihələr
615 label_query: Yadda saxlanılmış sorğu
615 label_query: Yadda saxlanılmış sorğu
616 label_query_new: Yeni sorğu
616 label_query_new: Yeni sorğu
617 label_query_plural: Yadda saxlanılmış sorğular
617 label_query_plural: Yadda saxlanılmış sorğular
618 label_read: Oxu...
618 label_read: Oxu...
619 label_register: Qeydiyyat
619 label_register: Qeydiyyat
620 label_registered_on: Qeydiyyatdan keçib
620 label_registered_on: Qeydiyyatdan keçib
621 label_registration_activation_by_email: e-poçt üzrə hesabımın aktivləşdirilməsi
621 label_registration_activation_by_email: e-poçt üzrə hesabımın aktivləşdirilməsi
622 label_registration_automatic_activation: uçot qeydlərinin avtomatik aktivləşdirilməsi
622 label_registration_automatic_activation: uçot qeydlərinin avtomatik aktivləşdirilməsi
623 label_registration_manual_activation: uçot qeydlərini əl ilə aktivləşdirmək
623 label_registration_manual_activation: uçot qeydlərini əl ilə aktivləşdirmək
624 label_related_issues: Əlaqəli tapşırıqlar
624 label_related_issues: Əlaqəli tapşırıqlar
625 label_relates_to: əlaqəlidir
625 label_relates_to: əlaqəlidir
626 label_relation_delete: Əlaqəni silmək
626 label_relation_delete: Əlaqəni silmək
627 label_relation_new: Yeni münasibət
627 label_relation_new: Yeni münasibət
628 label_renamed: adını dəyişmək
628 label_renamed: adını dəyişmək
629 label_reply_plural: Cavablar
629 label_reply_plural: Cavablar
630 label_report: Hesabat
630 label_report: Hesabat
631 label_report_plural: Hesabatlar
631 label_report_plural: Hesabatlar
632 label_reported_issues: Yaradılan tapşırıqlar
632 label_reported_issues: Yaradılan tapşırıqlar
633 label_repository: Saxlayıcı
633 label_repository: Saxlayıcı
634 label_repository_plural: Saxlayıcı
634 label_repository_plural: Saxlayıcı
635 label_result_plural: Nəticələr
635 label_result_plural: Nəticələr
636 label_reverse_chronological_order: Əks ardıcıllıqda
636 label_reverse_chronological_order: Əks ardıcıllıqda
637 label_revision: Redaksiya
637 label_revision: Redaksiya
638 label_revision_plural: Redaksiyalar
638 label_revision_plural: Redaksiyalar
639 label_roadmap: Operativ plan
639 label_roadmap: Operativ plan
640 label_roadmap_due_in: "%{value} müddətində"
640 label_roadmap_due_in: "%{value} müddətində"
641 label_roadmap_no_issues: bu versiya üçün tapşırıq yoxdur
641 label_roadmap_no_issues: bu versiya üçün tapşırıq yoxdur
642 label_roadmap_overdue: "gecikmə %{value}"
642 label_roadmap_overdue: "gecikmə %{value}"
643 label_role: Rol
643 label_role: Rol
644 label_role_and_permissions: Rollar və giriş hüquqları
644 label_role_and_permissions: Rollar və giriş hüquqları
645 label_role_new: Yeni rol
645 label_role_new: Yeni rol
646 label_role_plural: Rollar
646 label_role_plural: Rollar
647 label_scm: Saxlayıcının tipi
647 label_scm: Saxlayıcının tipi
648 label_search: Axtarış
648 label_search: Axtarış
649 label_search_titles_only: Ancaq adlarda axtarmaq
649 label_search_titles_only: Ancaq adlarda axtarmaq
650 label_send_information: İstifadəçiyə uçot qeydləri üzrə informasiyanı göndərmək
650 label_send_information: İstifadəçiyə uçot qeydləri üzrə informasiyanı göndərmək
651 label_send_test_email: Yoxlama üçün email göndərmək
651 label_send_test_email: Yoxlama üçün email göndərmək
652 label_settings: Sazlamalar
652 label_settings: Sazlamalar
653 label_show_completed_versions: Bitmiş variantları göstərmək
653 label_show_completed_versions: Bitmiş variantları göstərmək
654 label_sort: Çeşidləmək
654 label_sort: Çeşidləmək
655 label_sort_by: "%{value} üzrə çeşidləmək"
655 label_sort_by: "%{value} üzrə çeşidləmək"
656 label_sort_higher: Yuxarı
656 label_sort_higher: Yuxarı
657 label_sort_highest: Əvvələ qayıt
657 label_sort_highest: Əvvələ qayıt
658 label_sort_lower: Aşağı
658 label_sort_lower: Aşağı
659 label_sort_lowest: Sona qayıt
659 label_sort_lowest: Sona qayıt
660 label_spent_time: Sərf olunan vaxt
660 label_spent_time: Sərf olunan vaxt
661 label_statistics: Statistika
661 label_statistics: Statistika
662 label_stay_logged_in: Sistemdə qalmaq
662 label_stay_logged_in: Sistemdə qalmaq
663 label_string: Mətn
663 label_string: Mətn
664 label_subproject_plural: Altlayihələr
664 label_subproject_plural: Altlayihələr
665 label_subtask_plural: Alt tapşırıqlar
665 label_subtask_plural: Alt tapşırıqlar
666 label_text: Uzun mətn
666 label_text: Uzun mətn
667 label_theme: Mövzu
667 label_theme: Mövzu
668 label_this_month: bu ay
668 label_this_month: bu ay
669 label_this_week: bu həftə
669 label_this_week: bu həftə
670 label_this_year: bu il
670 label_this_year: bu il
671 label_time_tracking: Vaxtın uçotu
671 label_time_tracking: Vaxtın uçotu
672 label_timelog_today: Bu günə sərf olunan vaxt
672 label_timelog_today: Bu günə sərf olunan vaxt
673 label_today: bu gün
673 label_today: bu gün
674 label_topic_plural: Mövzular
674 label_topic_plural: Mövzular
675 label_total: Cəmi
675 label_total: Cəmi
676 label_tracker: Treker
676 label_tracker: Treker
677 label_tracker_new: Yeni treker
677 label_tracker_new: Yeni treker
678 label_tracker_plural: Trekerlər
678 label_tracker_plural: Trekerlər
679 label_updated_time: "%{value} əvvəl yenilənib"
679 label_updated_time: "%{value} əvvəl yenilənib"
680 label_updated_time_by: "%{author} %{age} əvvəl yenilənib"
680 label_updated_time_by: "%{author} %{age} əvvəl yenilənib"
681 label_used_by: İstifadə olunur
681 label_used_by: İstifadə olunur
682 label_user: İstifasdəçi
682 label_user: İstifasdəçi
683 label_user_activity: "İstifadəçinin gördüyü işlər %{value}"
683 label_user_activity: "İstifadəçinin gördüyü işlər %{value}"
684 label_user_mail_no_self_notified: "Tərəfimdən edilən dəyişikliklər haqqında məni xəbərdar etməmək"
684 label_user_mail_no_self_notified: "Tərəfimdən edilən dəyişikliklər haqqında məni xəbərdar etməmək"
685 label_user_mail_option_all: "Mənim layihələrimdəki bütün hadisələr haqqında"
685 label_user_mail_option_all: "Mənim layihələrimdəki bütün hadisələr haqqında"
686 label_user_mail_option_selected: "Yalnız seçilən layihədəki bütün hadisələr haqqında..."
686 label_user_mail_option_selected: "Yalnız seçilən layihədəki bütün hadisələr haqqında..."
687 label_user_mail_option_only_owner: Yalnız sahibi olduğum obyektlər üçün
687 label_user_mail_option_only_owner: Yalnız sahibi olduğum obyektlər üçün
688 label_user_mail_option_only_my_events: Yalnız izlədiyim və ya iştirak etdiyim obyektlər üçün
688 label_user_mail_option_only_my_events: Yalnız izlədiyim və ya iştirak etdiyim obyektlər üçün
689 label_user_mail_option_only_assigned: Yalnız mənə təyin edilən obyektlər üçün
689 label_user_mail_option_only_assigned: Yalnız mənə təyin edilən obyektlər üçün
690 label_user_new: Yeni istifadəçi
690 label_user_new: Yeni istifadəçi
691 label_user_plural: İstifadəçilər
691 label_user_plural: İstifadəçilər
692 label_version: Variant
692 label_version: Variant
693 label_version_new: Yeni variant
693 label_version_new: Yeni variant
694 label_version_plural: Variantlar
694 label_version_plural: Variantlar
695 label_view_diff: Fərqlərə baxmaq
695 label_view_diff: Fərqlərə baxmaq
696 label_view_revisions: Redaksiyalara baxmaq
696 label_view_revisions: Redaksiyalara baxmaq
697 label_watched_issues: Tapşırığın izlənilməsi
697 label_watched_issues: Tapşırığın izlənilməsi
698 label_week: Həftə
698 label_week: Həftə
699 label_wiki: Wiki
699 label_wiki: Wiki
700 label_wiki_edit: Wiki-nin redaktəsi
700 label_wiki_edit: Wiki-nin redaktəsi
701 label_wiki_edit_plural: Wiki
701 label_wiki_edit_plural: Wiki
702 label_wiki_page: Wiki səhifəsi
702 label_wiki_page: Wiki səhifəsi
703 label_wiki_page_plural: Wiki səhifələri
703 label_wiki_page_plural: Wiki səhifələri
704 label_workflow: Görülən işlərin ardıcıllığı
704 label_workflow: Görülən işlərin ardıcıllığı
705 label_x_closed_issues_abbr:
705 label_x_closed_issues_abbr:
706 zero: "0 bağlıdır"
706 zero: "0 bağlıdır"
707 one: "1 bağlanıb"
707 one: "1 bağlanıb"
708 few: "%{count} bağlıdır"
708 few: "%{count} bağlıdır"
709 many: "%{count} bağlıdır"
709 many: "%{count} bağlıdır"
710 other: "%{count} bağlıdır"
710 other: "%{count} bağlıdır"
711 label_x_comments:
711 label_x_comments:
712 zero: "şərh yoxdur"
712 zero: "şərh yoxdur"
713 one: "1 şərh"
713 one: "1 şərh"
714 few: "%{count} şərhlər"
714 few: "%{count} şərhlər"
715 many: "%{count} şərh"
715 many: "%{count} şərh"
716 other: "%{count} şərh"
716 other: "%{count} şərh"
717 label_x_open_issues_abbr:
717 label_x_open_issues_abbr:
718 zero: "0 açıqdır"
718 zero: "0 açıqdır"
719 one: "1 açıq"
719 one: "1 açıq"
720 few: "%{count} açıqdır"
720 few: "%{count} açıqdır"
721 many: "%{count} açıqdır"
721 many: "%{count} açıqdır"
722 other: "%{count} açıqdır"
722 other: "%{count} açıqdır"
723 label_x_projects:
723 label_x_projects:
724 zero: "layihələr yoxdur"
724 zero: "layihələr yoxdur"
725 one: "1 layihə"
725 one: "1 layihə"
726 few: "%{count} layihə"
726 few: "%{count} layihə"
727 many: "%{count} layihə"
727 many: "%{count} layihə"
728 other: "%{count} layihə"
728 other: "%{count} layihə"
729 label_year: İl
729 label_year: İl
730 label_yesterday: dünən
730 label_yesterday: dünən
731
731
732 mail_body_account_activation_request: "Yeni istifadəçi qeydiyyatdan keçib (%{value}). Uçot qeydi Sizin təsdiqinizi gözləyir:"
732 mail_body_account_activation_request: "Yeni istifadəçi qeydiyyatdan keçib (%{value}). Uçot qeydi Sizin təsdiqinizi gözləyir:"
733 mail_body_account_information: Sizin uçot qeydiniz haqqında informasiya
733 mail_body_account_information: Sizin uçot qeydiniz haqqında informasiya
734 mail_body_account_information_external: "Siz özünüzün %{value} uçot qeydinizi giriş üçün istifadə edə bilərsiniz."
734 mail_body_account_information_external: "Siz özünüzün %{value} uçot qeydinizi giriş üçün istifadə edə bilərsiniz."
735 mail_body_lost_password: 'Parolun dəyişdirilməsi üçün aşağıdakı linkə keçin:'
735 mail_body_lost_password: 'Parolun dəyişdirilməsi üçün aşağıdakı linkə keçin:'
736 mail_body_register: 'Uçot qeydinin aktivləşdirilməsi üçün aşağıdakı linkə keçin:'
736 mail_body_register: 'Uçot qeydinin aktivləşdirilməsi üçün aşağıdakı linkə keçin:'
737 mail_body_reminder: "növbəti %{days} gün üçün Sizə təyin olunan %{count}:"
737 mail_body_reminder: "növbəti %{days} gün üçün Sizə təyin olunan %{count}:"
738 mail_subject_account_activation_request: "Sistemdə istifadəçinin aktivləşdirilməsi üçün sorğu %{value}"
738 mail_subject_account_activation_request: "Sistemdə istifadəçinin aktivləşdirilməsi üçün sorğu %{value}"
739 mail_subject_lost_password: "Sizin %{value} parolunuz"
739 mail_subject_lost_password: "Sizin %{value} parolunuz"
740 mail_subject_register: "Uçot qeydinin aktivləşdirilməsi %{value}"
740 mail_subject_register: "Uçot qeydinin aktivləşdirilməsi %{value}"
741 mail_subject_reminder: "yaxın %{days} gün üçün Sizə təyin olunan %{count}"
741 mail_subject_reminder: "yaxın %{days} gün üçün Sizə təyin olunan %{count}"
742
742
743 notice_account_activated: Sizin uçot qeydiniz aktivləşdirilib. Sistemə daxil ola bilərsiniz.
743 notice_account_activated: Sizin uçot qeydiniz aktivləşdirilib. Sistemə daxil ola bilərsiniz.
744 notice_account_invalid_creditentials: İstifadəçi adı və ya parolu düzgün deyildir
744 notice_account_invalid_creditentials: İstifadəçi adı və ya parolu düzgün deyildir
745 notice_account_lost_email_sent: Sizə yeni parolun seçimi ilə bağlı təlimatı əks etdirən məktub göndərilmişdir.
745 notice_account_lost_email_sent: Sizə yeni parolun seçimi ilə bağlı təlimatı əks etdirən məktub göndərilmişdir.
746 notice_account_password_updated: Parol müvəffəqiyyətlə yeniləndi.
746 notice_account_password_updated: Parol müvəffəqiyyətlə yeniləndi.
747 notice_account_pending: "Sizin uçot qeydiniz yaradıldı inzibatçının təsdiqini gözləyir."
747 notice_account_pending: "Sizin uçot qeydiniz yaradıldı inzibatçının təsdiqini gözləyir."
748 notice_account_register_done: Uçot qeydi müvəffəqiyyətlə yaradıldı. Sizin uçot qeydinizin aktivləşdirilməsi üçün elektron poçtunuza göndərilən linkə keçin.
748 notice_account_register_done: Uçot qeydi müvəffəqiyyətlə yaradıldı. Sizin uçot qeydinizin aktivləşdirilməsi üçün elektron poçtunuza göndərilən linkə keçin.
749 notice_account_unknown_email: Naməlum istifadəçi.
749 notice_account_unknown_email: Naməlum istifadəçi.
750 notice_account_updated: Uçot qeydi müvəffəqiyyətlə yeniləndi.
750 notice_account_updated: Uçot qeydi müvəffəqiyyətlə yeniləndi.
751 notice_account_wrong_password: Parol düzgün deyildir
751 notice_account_wrong_password: Parol düzgün deyildir
752 notice_can_t_change_password: Bu uçot qeydi üçün xarici autentifikasiya mənbəyi istifadə olunur. Parolu dəyişmək mümkün deyildir.
752 notice_can_t_change_password: Bu uçot qeydi üçün xarici autentifikasiya mənbəyi istifadə olunur. Parolu dəyişmək mümkün deyildir.
753 notice_default_data_loaded: Susmaya görə konfiqurasiya yüklənilmişdir.
753 notice_default_data_loaded: Susmaya görə konfiqurasiya yüklənilmişdir.
754 notice_email_error: "Məktubun göndərilməsi zamanı səhv baş vermişdi (%{value})"
754 notice_email_error: "Məktubun göndərilməsi zamanı səhv baş vermişdi (%{value})"
755 notice_email_sent: "Məktub göndərilib %{value}"
755 notice_email_sent: "Məktub göndərilib %{value}"
756 notice_failed_to_save_issues: "Seçilən %{total} içərisindən %{count} bəndləri saxlamaq mümkün olmadı: %{ids}."
756 notice_failed_to_save_issues: "Seçilən %{total} içərisindən %{count} bəndləri saxlamaq mümkün olmadı: %{ids}."
757 notice_failed_to_save_members: "İştirakçını (ları) yadda saxlamaq mümkün olmadı: %{errors}."
757 notice_failed_to_save_members: "İştirakçını (ları) yadda saxlamaq mümkün olmadı: %{errors}."
758 notice_feeds_access_key_reseted: Sizin Atom giriş açarınız sıfırlanmışdır.
758 notice_feeds_access_key_reseted: Sizin Atom giriş açarınız sıfırlanmışdır.
759 notice_file_not_found: Daxil olmağa çalışdığınız səhifə mövcud deyildir və ya silinib.
759 notice_file_not_found: Daxil olmağa çalışdığınız səhifə mövcud deyildir və ya silinib.
760 notice_locking_conflict: İnformasiya digər istifadəçi tərəfindən yenilənib.
760 notice_locking_conflict: İnformasiya digər istifadəçi tərəfindən yenilənib.
761 notice_no_issue_selected: "Heç bir tapşırıq seçilməyib! Xahiş edirik, redaktə etmək istədiyiniz tapşırığı qeyd edin."
761 notice_no_issue_selected: "Heç bir tapşırıq seçilməyib! Xahiş edirik, redaktə etmək istədiyiniz tapşırığı qeyd edin."
762 notice_not_authorized: Sizin bu səhifəyə daxil olmaq hüququnuz yoxdur.
762 notice_not_authorized: Sizin bu səhifəyə daxil olmaq hüququnuz yoxdur.
763 notice_successful_connection: Qoşulma müvəffəqiyyətlə yerinə yetirilib.
763 notice_successful_connection: Qoşulma müvəffəqiyyətlə yerinə yetirilib.
764 notice_successful_create: Yaratma müvəffəqiyyətlə yerinə yetirildi.
764 notice_successful_create: Yaratma müvəffəqiyyətlə yerinə yetirildi.
765 notice_successful_delete: Silinmə müvəffəqiyyətlə yerinə yetirildi.
765 notice_successful_delete: Silinmə müvəffəqiyyətlə yerinə yetirildi.
766 notice_successful_update: Yeniləmə müvəffəqiyyətlə yerinə yetirildi.
766 notice_successful_update: Yeniləmə müvəffəqiyyətlə yerinə yetirildi.
767 notice_unable_delete_version: Variantı silmək mümkün olmadı.
767 notice_unable_delete_version: Variantı silmək mümkün olmadı.
768
768
769 permission_add_issues: Tapşırıqların əlavə edilməsi
769 permission_add_issues: Tapşırıqların əlavə edilməsi
770 permission_add_issue_notes: Qeydlərin əlavə edilməsi
770 permission_add_issue_notes: Qeydlərin əlavə edilməsi
771 permission_add_issue_watchers: Nəzarətçilərin əlavə edilməsi
771 permission_add_issue_watchers: Nəzarətçilərin əlavə edilməsi
772 permission_add_messages: Məlumatların göndərilməsi
772 permission_add_messages: Məlumatların göndərilməsi
773 permission_browse_repository: Saxlayıcıya baxış
773 permission_browse_repository: Saxlayıcıya baxış
774 permission_comment_news: Xəbərlərə şərh
774 permission_comment_news: Xəbərlərə şərh
775 permission_commit_access: Saxlayıcıda faylların dəyişdirilməsi
775 permission_commit_access: Saxlayıcıda faylların dəyişdirilməsi
776 permission_delete_issues: Tapşırıqların silinməsi
776 permission_delete_issues: Tapşırıqların silinməsi
777 permission_delete_messages: Məlumatların silinməsi
777 permission_delete_messages: Məlumatların silinməsi
778 permission_delete_own_messages: Şəxsi məlumatların silinməsi
778 permission_delete_own_messages: Şəxsi məlumatların silinməsi
779 permission_delete_wiki_pages: Wiki-səhifələrin silinməsi
779 permission_delete_wiki_pages: Wiki-səhifələrin silinməsi
780 permission_delete_wiki_pages_attachments: Bərkidilən faylların silinməsi
780 permission_delete_wiki_pages_attachments: Bərkidilən faylların silinməsi
781 permission_edit_issue_notes: Qeydlərin redaktə edilməsi
781 permission_edit_issue_notes: Qeydlərin redaktə edilməsi
782 permission_edit_issues: Tapşırıqların redaktə edilməsi
782 permission_edit_issues: Tapşırıqların redaktə edilməsi
783 permission_edit_messages: Məlumatların redaktə edilməsi
783 permission_edit_messages: Məlumatların redaktə edilməsi
784 permission_edit_own_issue_notes: Şəxsi qeydlərin redaktə edilməsi
784 permission_edit_own_issue_notes: Şəxsi qeydlərin redaktə edilməsi
785 permission_edit_own_messages: Şəxsi məlumatların redaktə edilməsi
785 permission_edit_own_messages: Şəxsi məlumatların redaktə edilməsi
786 permission_edit_own_time_entries: Şəxsi vaxt uçotunun redaktə edilməsi
786 permission_edit_own_time_entries: Şəxsi vaxt uçotunun redaktə edilməsi
787 permission_edit_project: Layihələrin redaktə edilməsi
787 permission_edit_project: Layihələrin redaktə edilməsi
788 permission_edit_time_entries: Vaxt uçotunun redaktə edilməsi
788 permission_edit_time_entries: Vaxt uçotunun redaktə edilməsi
789 permission_edit_wiki_pages: Wiki-səhifənin redaktə edilməsi
789 permission_edit_wiki_pages: Wiki-səhifənin redaktə edilməsi
790 permission_export_wiki_pages: Wiki-səhifənin ixracı
790 permission_export_wiki_pages: Wiki-səhifənin ixracı
791 permission_log_time: Sərf olunan vaxtın uçotu
791 permission_log_time: Sərf olunan vaxtın uçotu
792 permission_view_changesets: Saxlayıcı dəyişikliklərinə baxış
792 permission_view_changesets: Saxlayıcı dəyişikliklərinə baxış
793 permission_view_time_entries: Sərf olunan vaxta baxış
793 permission_view_time_entries: Sərf olunan vaxta baxış
794 permission_manage_project_activities: Layihə üçün hərəkət tiplərinin idarə edilməsi
794 permission_manage_project_activities: Layihə üçün hərəkət tiplərinin idarə edilməsi
795 permission_manage_boards: Forumların idarə edilməsi
795 permission_manage_boards: Forumların idarə edilməsi
796 permission_manage_categories: Tapşırıq kateqoriyalarının idarə edilməsi
796 permission_manage_categories: Tapşırıq kateqoriyalarının idarə edilməsi
797 permission_manage_files: Faylların idarə edilməsi
797 permission_manage_files: Faylların idarə edilməsi
798 permission_manage_issue_relations: Tapşırıq bağlantılarının idarə edilməsi
798 permission_manage_issue_relations: Tapşırıq bağlantılarının idarə edilməsi
799 permission_manage_members: İştirakçıların idarə edilməsi
799 permission_manage_members: İştirakçıların idarə edilməsi
800 permission_manage_news: Xəbərlərin idarə edilməsi
800 permission_manage_news: Xəbərlərin idarə edilməsi
801 permission_manage_public_queries: Ümumi sorğuların idarə edilməsi
801 permission_manage_public_queries: Ümumi sorğuların idarə edilməsi
802 permission_manage_repository: Saxlayıcının idarə edilməsi
802 permission_manage_repository: Saxlayıcının idarə edilməsi
803 permission_manage_subtasks: Alt tapşırıqların idarə edilməsi
803 permission_manage_subtasks: Alt tapşırıqların idarə edilməsi
804 permission_manage_versions: Variantların idarə edilməsi
804 permission_manage_versions: Variantların idarə edilməsi
805 permission_manage_wiki: Wiki-nin idarə edilməsi
805 permission_manage_wiki: Wiki-nin idarə edilməsi
806 permission_move_issues: Tapşırıqların köçürülməsi
806 permission_move_issues: Tapşırıqların köçürülməsi
807 permission_protect_wiki_pages: Wiki-səhifələrin bloklanması
807 permission_protect_wiki_pages: Wiki-səhifələrin bloklanması
808 permission_rename_wiki_pages: Wiki-səhifələrin adının dəyişdirilməsi
808 permission_rename_wiki_pages: Wiki-səhifələrin adının dəyişdirilməsi
809 permission_save_queries: Sorğuların yadda saxlanılması
809 permission_save_queries: Sorğuların yadda saxlanılması
810 permission_select_project_modules: Layihə modulunun seçimi
810 permission_select_project_modules: Layihə modulunun seçimi
811 permission_view_calendar: Təqvimə baxış
811 permission_view_calendar: Təqvimə baxış
812 permission_view_documents: Sənədlərə baxış
812 permission_view_documents: Sənədlərə baxış
813 permission_view_files: Fayllara baxış
813 permission_view_files: Fayllara baxış
814 permission_view_gantt: Qant diaqramına baxış
814 permission_view_gantt: Qant diaqramına baxış
815 permission_view_issue_watchers: Nəzarətçilərin siyahılarına baxış
815 permission_view_issue_watchers: Nəzarətçilərin siyahılarına baxış
816 permission_view_messages: Məlumatlara baxış
816 permission_view_messages: Məlumatlara baxış
817 permission_view_wiki_edits: Wiki tarixçəsinə baxış
817 permission_view_wiki_edits: Wiki tarixçəsinə baxış
818 permission_view_wiki_pages: Wiki-yə baxış
818 permission_view_wiki_pages: Wiki-yə baxış
819
819
820 project_module_boards: Forumlar
820 project_module_boards: Forumlar
821 project_module_documents: Sənədlər
821 project_module_documents: Sənədlər
822 project_module_files: Fayllar
822 project_module_files: Fayllar
823 project_module_issue_tracking: Tapşırıqlar
823 project_module_issue_tracking: Tapşırıqlar
824 project_module_news: Xəbərlər
824 project_module_news: Xəbərlər
825 project_module_repository: Saxlayıcı
825 project_module_repository: Saxlayıcı
826 project_module_time_tracking: Vaxtın uçotu
826 project_module_time_tracking: Vaxtın uçotu
827 project_module_wiki: Wiki
827 project_module_wiki: Wiki
828 project_module_gantt: Qant diaqramı
828 project_module_gantt: Qant diaqramı
829 project_module_calendar: Təqvim
829 project_module_calendar: Təqvim
830
830
831 setting_activity_days_default: Görülən işlərdə əks olunan günlərin sayı
831 setting_activity_days_default: Görülən işlərdə əks olunan günlərin sayı
832 setting_app_subtitle: Əlavənin sərlövhəsi
832 setting_app_subtitle: Əlavənin sərlövhəsi
833 setting_app_title: Əlavənin adı
833 setting_app_title: Əlavənin adı
834 setting_attachment_max_size: Yerləşdirmənin maksimal ölçüsü
834 setting_attachment_max_size: Yerləşdirmənin maksimal ölçüsü
835 setting_autofetch_changesets: Saxlayıcının dəyişikliklərini avtomatik izləmək
835 setting_autofetch_changesets: Saxlayıcının dəyişikliklərini avtomatik izləmək
836 setting_autologin: Avtomatik giriş
836 setting_autologin: Avtomatik giriş
837 setting_bcc_recipients: Gizli surətləri istifadə etmək (BCC)
837 setting_bcc_recipients: Gizli surətləri istifadə etmək (BCC)
838 setting_cache_formatted_text: Formatlaşdırılmış mətnin heşlənməsi
838 setting_cache_formatted_text: Formatlaşdırılmış mətnin heşlənməsi
839 setting_commit_fix_keywords: Açar sözlərin təyini
839 setting_commit_fix_keywords: Açar sözlərin təyini
840 setting_commit_ref_keywords: Axtarış üçün açar sözlər
840 setting_commit_ref_keywords: Axtarış üçün açar sözlər
841 setting_cross_project_issue_relations: Layihələr üzrə tapşırıqların kəsişməsinə icazə vermək
841 setting_cross_project_issue_relations: Layihələr üzrə tapşırıqların kəsişməsinə icazə vermək
842 setting_date_format: Tarixin formatı
842 setting_date_format: Tarixin formatı
843 setting_default_language: Susmaya görə dil
843 setting_default_language: Susmaya görə dil
844 setting_default_notification_option: Susmaya görə xəbərdarlıq üsulu
844 setting_default_notification_option: Susmaya görə xəbərdarlıq üsulu
845 setting_default_projects_public: Yeni layihələr ümumaçıq hesab edilir
845 setting_default_projects_public: Yeni layihələr ümumaçıq hesab edilir
846 setting_diff_max_lines_displayed: diff üçün sətirlərin maksimal sayı
846 setting_diff_max_lines_displayed: diff üçün sətirlərin maksimal sayı
847 setting_display_subprojects_issues: Susmaya görə altlayihələrin əks olunması
847 setting_display_subprojects_issues: Susmaya görə altlayihələrin əks olunması
848 setting_emails_footer: Məktubun sətiraltı qeydləri
848 setting_emails_footer: Məktubun sətiraltı qeydləri
849 setting_enabled_scm: Daxil edilən SCM
849 setting_enabled_scm: Daxil edilən SCM
850 setting_feeds_limit: Atom axını üçün başlıqların sayının məhdudlaşdırılması
850 setting_feeds_limit: Atom axını üçün başlıqların sayının məhdudlaşdırılması
851 setting_file_max_size_displayed: Əks olunma üçün mətn faylının maksimal ölçüsü
851 setting_file_max_size_displayed: Əks olunma üçün mətn faylının maksimal ölçüsü
852 setting_gravatar_enabled: İstifadəçi avatarını Gravatar-dan istifadə etmək
852 setting_gravatar_enabled: İstifadəçi avatarını Gravatar-dan istifadə etmək
853 setting_host_name: Kompyuterin adı
853 setting_host_name: Kompyuterin adı
854 setting_issue_list_default_columns: Susmaya görə tapşırıqların siyahısında əks oluna sütunlar
854 setting_issue_list_default_columns: Susmaya görə tapşırıqların siyahısında əks oluna sütunlar
855 setting_issues_export_limit: İxrac olunan tapşırıqlar üzrə məhdudiyyətlər
855 setting_issues_export_limit: İxrac olunan tapşırıqlar üzrə məhdudiyyətlər
856 setting_login_required: Autentifikasiya vacibdir
856 setting_login_required: Autentifikasiya vacibdir
857 setting_mail_from: Çıxan e-poçt ünvanı
857 setting_mail_from: Çıxan e-poçt ünvanı
858 setting_mail_handler_api_enabled: Daxil olan məlumatlar üçün veb-servisi qoşmaq
858 setting_mail_handler_api_enabled: Daxil olan məlumatlar üçün veb-servisi qoşmaq
859 setting_mail_handler_api_key: API açar
859 setting_mail_handler_api_key: API açar
860 setting_openid: Giriş və qeydiyyat üçün OpenID izacə vermək
860 setting_openid: Giriş və qeydiyyat üçün OpenID izacə vermək
861 setting_per_page_options: Səhifə üçün qeydlərin sayı
861 setting_per_page_options: Səhifə üçün qeydlərin sayı
862 setting_plain_text_mail: Yalnız sadə mətn (HTML olmadan)
862 setting_plain_text_mail: Yalnız sadə mətn (HTML olmadan)
863 setting_protocol: Protokol
863 setting_protocol: Protokol
864 setting_repository_log_display_limit: Dəyişikliklər jurnalında əks olunan redaksiyaların maksimal sayı
864 setting_repository_log_display_limit: Dəyişikliklər jurnalında əks olunan redaksiyaların maksimal sayı
865 setting_self_registration: Özünüqeydiyyat
865 setting_self_registration: Özünüqeydiyyat
866 setting_sequential_project_identifiers: Layihələrin ardıcıl identifikatorlarını generasiya etmək
866 setting_sequential_project_identifiers: Layihələrin ardıcıl identifikatorlarını generasiya etmək
867 setting_sys_api_enabled: Saxlayıcının idarə edilməsi üçün veb-servisi qoşmaq
867 setting_sys_api_enabled: Saxlayıcının idarə edilməsi üçün veb-servisi qoşmaq
868 setting_text_formatting: Mətnin formatlaşdırılması
868 setting_text_formatting: Mətnin formatlaşdırılması
869 setting_time_format: Vaxtın formatı
869 setting_time_format: Vaxtın formatı
870 setting_user_format: Adın əks olunma formatı
870 setting_user_format: Adın əks olunma formatı
871 setting_welcome_text: Salamlama mətni
871 setting_welcome_text: Salamlama mətni
872 setting_wiki_compression: Wiki tarixçəsinin sıxlaşdırılması
872 setting_wiki_compression: Wiki tarixçəsinin sıxlaşdırılması
873
873
874 status_active: aktivdir
874 status_active: aktivdir
875 status_locked: bloklanıb
875 status_locked: bloklanıb
876 status_registered: qeydiyyatdan keçib
876 status_registered: qeydiyyatdan keçib
877
877
878 text_are_you_sure: Siz əminsinizmi?
878 text_are_you_sure: Siz əminsinizmi?
879 text_assign_time_entries_to_project: Qeydiyyata alınmış vaxtı layihəyə bərkitmək
879 text_assign_time_entries_to_project: Qeydiyyata alınmış vaxtı layihəyə bərkitmək
880 text_caracters_maximum: "Maksimum %{count} simvol."
880 text_caracters_maximum: "Maksimum %{count} simvol."
881 text_caracters_minimum: "%{count} simvoldan az olmamalıdır."
881 text_caracters_minimum: "%{count} simvoldan az olmamalıdır."
882 text_comma_separated: Bir neçə qiymət mümkündür (vergül vasitəsilə).
882 text_comma_separated: Bir neçə qiymət mümkündür (vergül vasitəsilə).
883 text_custom_field_possible_values_info: 'Hər sətirə bir qiymət'
883 text_custom_field_possible_values_info: 'Hər sətirə bir qiymət'
884 text_default_administrator_account_changed: İnzibatçının uçot qeydi susmaya görə dəyişmişdir
884 text_default_administrator_account_changed: İnzibatçının uçot qeydi susmaya görə dəyişmişdir
885 text_destroy_time_entries_question: "Bu tapşırıq üçün sərf olunan vaxta görə %{hours} saat qeydiyyata alınıb. Siz etmək istəyirsiniz?"
885 text_destroy_time_entries_question: "Bu tapşırıq üçün sərf olunan vaxta görə %{hours} saat qeydiyyata alınıb. Siz etmək istəyirsiniz?"
886 text_destroy_time_entries: Qeydiyyata alınmış vaxtı silmək
886 text_destroy_time_entries: Qeydiyyata alınmış vaxtı silmək
887 text_diff_truncated: '... Bu diff məhduddur, çünki əks olunan maksimal ölçünü keçir.'
887 text_diff_truncated: '... Bu diff məhduddur, çünki əks olunan maksimal ölçünü keçir.'
888 text_email_delivery_not_configured: "Poçt serveri ilə işin parametrləri sazlanmayıb e-poçt ilə bildiriş funksiyası aktiv deyildir.\nSizin SMTP-server üçün parametrləri config/configuration.yml faylından sazlaya bilərsiniz. Dəyişikliklərin tətbiq edilməsi üçün əlavəni yenidən başladın."
888 text_email_delivery_not_configured: "Poçt serveri ilə işin parametrləri sazlanmayıb e-poçt ilə bildiriş funksiyası aktiv deyildir.\nSizin SMTP-server üçün parametrləri config/configuration.yml faylından sazlaya bilərsiniz. Dəyişikliklərin tətbiq edilməsi üçün əlavəni yenidən başladın."
889 text_enumeration_category_reassign_to: 'Onlara aşağıdakı qiymətləri təyin etmək:'
889 text_enumeration_category_reassign_to: 'Onlara aşağıdakı qiymətləri təyin etmək:'
890 text_enumeration_destroy_question: "%{count} obyekt bu qiymətlə bağlıdır."
890 text_enumeration_destroy_question: "%{count} obyekt bu qiymətlə bağlıdır."
891 text_file_repository_writable: Qeydə giriş imkanı olan saxlayıcı
891 text_file_repository_writable: Qeydə giriş imkanı olan saxlayıcı
892 text_issue_added: "Yeni tapşırıq yaradılıb %{id} (%{author})."
892 text_issue_added: "Yeni tapşırıq yaradılıb %{id} (%{author})."
893 text_issue_category_destroy_assignments: Kateqoriyanın təyinatını silmək
893 text_issue_category_destroy_assignments: Kateqoriyanın təyinatını silmək
894 text_issue_category_destroy_question: "Bir neçə tapşırıq (%{count}) bu kateqoriya üçün təyin edilib. Siz etmək istəyirsiniz?"
894 text_issue_category_destroy_question: "Bir neçə tapşırıq (%{count}) bu kateqoriya üçün təyin edilib. Siz etmək istəyirsiniz?"
895 text_issue_category_reassign_to: Bu kateqoriya üçün tapşırığı yenidən təyin etmək
895 text_issue_category_reassign_to: Bu kateqoriya üçün tapşırığı yenidən təyin etmək
896 text_issues_destroy_confirmation: 'Seçilən tapşırıqları silmək istədiyinizə əminsinizmi?'
896 text_issues_destroy_confirmation: 'Seçilən tapşırıqları silmək istədiyinizə əminsinizmi?'
897 text_issues_ref_in_commit_messages: Məlumatın mətnindən çıxış edərək tapşırıqların statuslarının tutuşdurulması və dəyişdirilməsi
897 text_issues_ref_in_commit_messages: Məlumatın mətnindən çıxış edərək tapşırıqların statuslarının tutuşdurulması və dəyişdirilməsi
898 text_issue_updated: "Tapşırıq %{id} yenilənib (%{author})."
898 text_issue_updated: "Tapşırıq %{id} yenilənib (%{author})."
899 text_journal_changed: "Parametr %{label} %{old} - %{new} dəyişib"
899 text_journal_changed: "Parametr %{label} %{old} - %{new} dəyişib"
900 text_journal_deleted: "Parametrin %{old} qiyməti %{label} silinib"
900 text_journal_deleted: "Parametrin %{old} qiyməti %{label} silinib"
901 text_journal_set_to: "%{label} parametri %{value} dəyişib"
901 text_journal_set_to: "%{label} parametri %{value} dəyişib"
902 text_length_between: "%{min} %{max} simvollar arasındakı uzunluq."
902 text_length_between: "%{min} %{max} simvollar arasındakı uzunluq."
903 text_load_default_configuration: Susmaya görə konfiqurasiyanı yükləmək
903 text_load_default_configuration: Susmaya görə konfiqurasiyanı yükləmək
904 text_min_max_length_info: 0 məhdudiyyətlərin olmadığını bildirir
904 text_min_max_length_info: 0 məhdudiyyətlərin olmadığını bildirir
905 text_no_configuration_data: "Rollar, trekerlər, tapşırıqların statusları operativ plan konfiqurasiya olunmayıblar.\nSusmaya görə konfiqurasiyanın yüklənməsi təkidlə xahiş olunur. Siz onu sonradan dəyişə bilərsiniz."
905 text_no_configuration_data: "Rollar, trekerlər, tapşırıqların statusları operativ plan konfiqurasiya olunmayıblar.\nSusmaya görə konfiqurasiyanın yüklənməsi təkidlə xahiş olunur. Siz onu sonradan dəyişə bilərsiniz."
906 text_plugin_assets_writable: Modullar kataloqu qeyd üçün açıqdır
906 text_plugin_assets_writable: Modullar kataloqu qeyd üçün açıqdır
907 text_project_destroy_confirmation: Siz bu layihə və ona aid olan bütün informasiyanı silmək istədiyinizə əminsinizmi?
907 text_project_destroy_confirmation: Siz bu layihə və ona aid olan bütün informasiyanı silmək istədiyinizə əminsinizmi?
908 text_reassign_time_entries: 'Qeydiyyata alınmış vaxtı aşağıdakı tapşırığa keçir:'
908 text_reassign_time_entries: 'Qeydiyyata alınmış vaxtı aşağıdakı tapşırığa keçir:'
909 text_regexp_info: "məsələn: ^[A-Z0-9]+$"
909 text_regexp_info: "məsələn: ^[A-Z0-9]+$"
910 text_repository_usernames_mapping: "Saxlayıcının jurnalında tapılan adlarla bağlı olan Redmine istifadəçisini seçin ya yeniləyin.\nEyni ad e-poçta sahib olan istifadəçilər Redmine saxlayıcıda avtomatik əlaqələndirilir."
910 text_repository_usernames_mapping: "Saxlayıcının jurnalında tapılan adlarla bağlı olan Redmine istifadəçisini seçin ya yeniləyin.\nEyni ad e-poçta sahib olan istifadəçilər Redmine saxlayıcıda avtomatik əlaqələndirilir."
911 text_rmagick_available: RMagick istifadəsi mümkündür (opsional olaraq)
911 text_rmagick_available: RMagick istifadəsi mümkündür (opsional olaraq)
912 text_select_mail_notifications: Elektron poçta bildirişlərin göndərilməsi seçim edəcəyiniz hərəkətlərdən asılıdır.
912 text_select_mail_notifications: Elektron poçta bildirişlərin göndərilməsi seçim edəcəyiniz hərəkətlərdən asılıdır.
913 text_select_project_modules: 'Layihədə istifadə olunacaq modulları seçin:'
913 text_select_project_modules: 'Layihədə istifadə olunacaq modulları seçin:'
914 text_status_changed_by_changeset: "%{value} redaksiyada reallaşdırılıb."
914 text_status_changed_by_changeset: "%{value} redaksiyada reallaşdırılıb."
915 text_subprojects_destroy_warning: "Altlayihələr: %{value} həmçinin silinəcək."
915 text_subprojects_destroy_warning: "Altlayihələr: %{value} həmçinin silinəcək."
916 text_tip_issue_begin_day: tapşırığın başlanğıc tarixi
916 text_tip_issue_begin_day: tapşırığın başlanğıc tarixi
917 text_tip_issue_begin_end_day: elə həmin gün tapşırığın başlanğıc və bitmə tarixi
917 text_tip_issue_begin_end_day: elə həmin gün tapşırığın başlanğıc və bitmə tarixi
918 text_tip_issue_end_day: tapşırığın başa çatma tarixi
918 text_tip_issue_end_day: tapşırığın başa çatma tarixi
919 text_tracker_no_workflow: Bu treker üçün hərəkətlərin ardıcıllığı müəyyən ediməyib
919 text_tracker_no_workflow: Bu treker üçün hərəkətlərin ardıcıllığı müəyyən ediməyib
920 text_unallowed_characters: Qadağan edilmiş simvollar
920 text_unallowed_characters: Qadağan edilmiş simvollar
921 text_user_mail_option: "Seçilməyən layihələr üçün Siz yalnız baxdığınız ya iştirak etdiyiniz layihələr barədə bildiriş alacaqsınız məsələn, müəllifi olduğunuz layihələr ya o layihələr ki, Sizə təyin edilib)."
921 text_user_mail_option: "Seçilməyən layihələr üçün Siz yalnız baxdığınız ya iştirak etdiyiniz layihələr barədə bildiriş alacaqsınız məsələn, müəllifi olduğunuz layihələr ya o layihələr ki, Sizə təyin edilib)."
922 text_user_wrote: "%{value} yazıb:"
922 text_user_wrote: "%{value} yazıb:"
923 text_wiki_destroy_confirmation: Siz bu Wiki və onun tərkibindəkiləri silmək istədiyinizə əminsinizmi?
923 text_wiki_destroy_confirmation: Siz bu Wiki və onun tərkibindəkiləri silmək istədiyinizə əminsinizmi?
924 text_workflow_edit: Vəziyyətlərin ardıcıllığını redaktə etmək üçün rol və trekeri seçin
924 text_workflow_edit: Vəziyyətlərin ardıcıllığını redaktə etmək üçün rol və trekeri seçin
925
925
926 warning_attachments_not_saved: "faylın (ların) %{count} yadda saxlamaq mümkün deyildir."
926 warning_attachments_not_saved: "faylın (ların) %{count} yadda saxlamaq mümkün deyildir."
927 text_wiki_page_destroy_question: Bu səhifə %{descendants} yaxın və çox yaxın səhifələrə malikdir. Siz nə etmək istəyirsiniz?
927 text_wiki_page_destroy_question: Bu səhifə %{descendants} yaxın və çox yaxın səhifələrə malikdir. Siz nə etmək istəyirsiniz?
928 text_wiki_page_reassign_children: Cari səhifə üçün yaxın səhifələri yenidən təyin etmək
928 text_wiki_page_reassign_children: Cari səhifə üçün yaxın səhifələri yenidən təyin etmək
929 text_wiki_page_nullify_children: Yaxın səhifələri baş səhifələr etmək
929 text_wiki_page_nullify_children: Yaxın səhifələri baş səhifələr etmək
930 text_wiki_page_destroy_children: Yaxın və çox yaxın səhifələri silmək
930 text_wiki_page_destroy_children: Yaxın və çox yaxın səhifələri silmək
931 setting_password_min_length: Parolun minimal uzunluğu
931 setting_password_min_length: Parolun minimal uzunluğu
932 field_group_by: Nəticələri qruplaşdırmaq
932 field_group_by: Nəticələri qruplaşdırmaq
933 mail_subject_wiki_content_updated: "Wiki-səhifə '%{id}' yenilənmişdir"
933 mail_subject_wiki_content_updated: "Wiki-səhifə '%{id}' yenilənmişdir"
934 label_wiki_content_added: Wiki-səhifə əlavə olunub
934 label_wiki_content_added: Wiki-səhifə əlavə olunub
935 mail_subject_wiki_content_added: "Wiki-səhifə '%{id}' əlavə edilib"
935 mail_subject_wiki_content_added: "Wiki-səhifə '%{id}' əlavə edilib"
936 mail_body_wiki_content_added: "%{author} Wiki-səhifəni '%{id}' əlavə edib."
936 mail_body_wiki_content_added: "%{author} Wiki-səhifəni '%{id}' əlavə edib."
937 label_wiki_content_updated: Wiki-səhifə yenilənib
937 label_wiki_content_updated: Wiki-səhifə yenilənib
938 mail_body_wiki_content_updated: "%{author} Wiki-səhifəni '%{id}' yeniləyib."
938 mail_body_wiki_content_updated: "%{author} Wiki-səhifəni '%{id}' yeniləyib."
939 permission_add_project: Layihənin yaradılması
939 permission_add_project: Layihənin yaradılması
940 setting_new_project_user_role_id: Layihəni yaradan istifadəçiyə təyin olunan rol
940 setting_new_project_user_role_id: Layihəni yaradan istifadəçiyə təyin olunan rol
941 label_view_all_revisions: Bütün yoxlamaları göstərmək
941 label_view_all_revisions: Bütün yoxlamaları göstərmək
942 label_tag: Nişan
942 label_tag: Nişan
943 label_branch: Şöbə
943 label_branch: Şöbə
944 error_no_tracker_in_project: Bu layihə ilə heç bir treker assosiasiya olunmayıb. Layihənin sazlamalarını yoxlayın.
944 error_no_tracker_in_project: Bu layihə ilə heç bir treker assosiasiya olunmayıb. Layihənin sazlamalarını yoxlayın.
945 error_no_default_issue_status: Susmaya görə tapşırıqların statusu müəyyən edilməyib. Sazlamaları yoxlayın (bax. "İnzibatçılıq -> Tapşırıqların statusu").
945 error_no_default_issue_status: Susmaya görə tapşırıqların statusu müəyyən edilməyib. Sazlamaları yoxlayın (bax. "İnzibatçılıq -> Tapşırıqların statusu").
946 label_group_plural: Qruplar
946 label_group_plural: Qruplar
947 label_group: Qrup
947 label_group: Qrup
948 label_group_new: Yeni qrup
948 label_group_new: Yeni qrup
949 label_time_entry_plural: Sərf olunan vaxt
949 label_time_entry_plural: Sərf olunan vaxt
950 text_journal_added: "%{label} %{value} əlavə edilib"
950 text_journal_added: "%{label} %{value} əlavə edilib"
951 field_active: Aktiv
951 field_active: Aktiv
952 enumeration_system_activity: Sistemli
952 enumeration_system_activity: Sistemli
953 permission_delete_issue_watchers: Nəzarətçilərin silinməsi
953 permission_delete_issue_watchers: Nəzarətçilərin silinməsi
954 version_status_closed: Bağlanıb
954 version_status_closed: Bağlanıb
955 version_status_locked: bloklanıb
955 version_status_locked: bloklanıb
956 version_status_open: açıqdır
956 version_status_open: açıqdır
957 error_can_not_reopen_issue_on_closed_version: Bağlı varianta təyin edilən tapşırıq yenidən açıq ola bilməz
957 error_can_not_reopen_issue_on_closed_version: Bağlı varianta təyin edilən tapşırıq yenidən açıq ola bilməz
958 label_user_anonymous: Anonim
958 label_user_anonymous: Anonim
959 button_move_and_follow: Yerləşdirmək və keçid
959 button_move_and_follow: Yerləşdirmək və keçid
960 setting_default_projects_modules: Yeni layihələr üçün susmaya görə daxil edilən modullar
960 setting_default_projects_modules: Yeni layihələr üçün susmaya görə daxil edilən modullar
961 setting_gravatar_default: Susmaya görə Gravatar təsviri
961 setting_gravatar_default: Susmaya görə Gravatar təsviri
962 field_sharing: Birgə istifadə
962 field_sharing: Birgə istifadə
963 label_version_sharing_hierarchy: Layihələrin iyerarxiyasına görə
963 label_version_sharing_hierarchy: Layihələrin iyerarxiyasına görə
964 label_version_sharing_system: bütün layihələr ilə
964 label_version_sharing_system: bütün layihələr ilə
965 label_version_sharing_descendants: Alt layihələr ilə
965 label_version_sharing_descendants: Alt layihələr ilə
966 label_version_sharing_tree: Layihələrin iyerarxiyası ilə
966 label_version_sharing_tree: Layihələrin iyerarxiyası ilə
967 label_version_sharing_none: Birgə istifadə olmadan
967 label_version_sharing_none: Birgə istifadə olmadan
968 error_can_not_archive_project: Bu layihə arxivləşdirilə bilməz
968 error_can_not_archive_project: Bu layihə arxivləşdirilə bilməz
969 button_duplicate: Təkrarlamaq
969 button_duplicate: Təkrarlamaq
970 button_copy_and_follow: Surətini çıxarmaq və davam etmək
970 button_copy_and_follow: Surətini çıxarmaq və davam etmək
971 label_copy_source: Mənbə
971 label_copy_source: Mənbə
972 setting_issue_done_ratio: Sahənin köməyi ilə tapşırığın hazırlığını nəzərə almaq
972 setting_issue_done_ratio: Sahənin köməyi ilə tapşırığın hazırlığını nəzərə almaq
973 setting_issue_done_ratio_issue_status: Tapşırığın statusu
973 setting_issue_done_ratio_issue_status: Tapşırığın statusu
974 error_issue_done_ratios_not_updated: Tapşırıqların hazırlıq parametri yenilənməyib
974 error_issue_done_ratios_not_updated: Tapşırıqların hazırlıq parametri yenilənməyib
975 error_workflow_copy_target: Məqsədə uyğun trekerləri və rolları seçin
975 error_workflow_copy_target: Məqsədə uyğun trekerləri və rolları seçin
976 setting_issue_done_ratio_issue_field: Tapşırığın hazırlıq səviyyəsi
976 setting_issue_done_ratio_issue_field: Tapşırığın hazırlıq səviyyəsi
977 label_copy_same_as_target: Məqsəddə olduğu kimi
977 label_copy_same_as_target: Məqsəddə olduğu kimi
978 label_copy_target: Məqsəd
978 label_copy_target: Məqsəd
979 notice_issue_done_ratios_updated: Parametr &laquo;hazırlıq&raquo; yenilənib.
979 notice_issue_done_ratios_updated: Parametr &laquo;hazırlıq&raquo; yenilənib.
980 error_workflow_copy_source: Cari trekeri və ya rolu seçin
980 error_workflow_copy_source: Cari trekeri və ya rolu seçin
981 label_update_issue_done_ratios: Tapşırığın hazırlıq səviyyəsini yeniləmək
981 label_update_issue_done_ratios: Tapşırığın hazırlıq səviyyəsini yeniləmək
982 setting_start_of_week: Həftənin birinci günü
982 setting_start_of_week: Həftənin birinci günü
983 label_api_access_key: API-yə giriş açarı
983 label_api_access_key: API-yə giriş açarı
984 text_line_separated: Bİr neçə qiymət icazə verilib (hər sətirə bir qiymət).
984 text_line_separated: Bİr neçə qiymət icazə verilib (hər sətirə bir qiymət).
985 label_revision_id: Yoxlama %{value}
985 label_revision_id: Yoxlama %{value}
986 permission_view_issues: Tapşırıqlara baxış
986 permission_view_issues: Tapşırıqlara baxış
987 label_display_used_statuses_only: Yalnız bu trekerdə istifadə olunan statusları əks etdirmək
987 label_display_used_statuses_only: Yalnız bu trekerdə istifadə olunan statusları əks etdirmək
988 label_api_access_key_created_on: API-yə giriş açarı %{value} əvvəl aradılıb
988 label_api_access_key_created_on: API-yə giriş açarı %{value} əvvəl aradılıb
989 label_feeds_access_key: Atom giriş açarı
989 label_feeds_access_key: Atom giriş açarı
990 notice_api_access_key_reseted: Sizin API giriş açarınız sıfırlanıb.
990 notice_api_access_key_reseted: Sizin API giriş açarınız sıfırlanıb.
991 setting_rest_api_enabled: REST veb-servisini qoşmaq
991 setting_rest_api_enabled: REST veb-servisini qoşmaq
992 button_show: Göstərmək
992 button_show: Göstərmək
993 label_missing_api_access_key: API-yə giriş açarı mövcud deyildir
993 label_missing_api_access_key: API-yə giriş açarı mövcud deyildir
994 label_missing_feeds_access_key: Atom-ə giriş açarı mövcud deyildir
994 label_missing_feeds_access_key: Atom-ə giriş açarı mövcud deyildir
995 setting_mail_handler_body_delimiters: Bu sətirlərin birindən sonra məktubu qısaltmaq
995 setting_mail_handler_body_delimiters: Bu sətirlərin birindən sonra məktubu qısaltmaq
996 permission_add_subprojects: Alt layihələrin yaradılması
996 permission_add_subprojects: Alt layihələrin yaradılması
997 label_subproject_new: Yeni alt layihə
997 label_subproject_new: Yeni alt layihə
998 text_own_membership_delete_confirmation: |-
998 text_own_membership_delete_confirmation: |-
999 Siz bəzi və ya bütün hüquqları silməyə çalışırsınız, nəticədə bu layihəni redaktə etmək hüququnu da itirə bilərsiniz. Davam etmək istədiyinizə əminsinizmi?
999 Siz bəzi və ya bütün hüquqları silməyə çalışırsınız, nəticədə bu layihəni redaktə etmək hüququnu da itirə bilərsiniz. Davam etmək istədiyinizə əminsinizmi?
1000
1000
1001 label_close_versions: Başa çatmış variantları bağlamaq
1001 label_close_versions: Başa çatmış variantları bağlamaq
1002 label_board_sticky: Bərkidilib
1002 label_board_sticky: Bərkidilib
1003 label_board_locked: Bloklanıb
1003 label_board_locked: Bloklanıb
1004 field_principal: Ad
1004 field_principal: Ad
1005 text_zoom_out: Uzaqlaşdırmaq
1005 text_zoom_out: Uzaqlaşdırmaq
1006 text_zoom_in: Yaxınlaşdırmaq
1006 text_zoom_in: Yaxınlaşdırmaq
1007 notice_unable_delete_time_entry: Jurnalın qeydini silmək mümkün deyildir.
1007 notice_unable_delete_time_entry: Jurnalın qeydini silmək mümkün deyildir.
1008 label_overall_spent_time: Cəmi sərf olunan vaxt
1008 label_overall_spent_time: Cəmi sərf olunan vaxt
1009 label_user_mail_option_none: Hadisə yoxdur
1009 label_user_mail_option_none: Hadisə yoxdur
1010 field_member_of_group: Təyin olunmuş qrup
1010 field_member_of_group: Təyin olunmuş qrup
1011 field_assigned_to_role: Təyin olunmuş rol
1011 field_assigned_to_role: Təyin olunmuş rol
1012 notice_not_authorized_archived_project: Sorğulanan layihə arxivləşdirilib.
1012 notice_not_authorized_archived_project: Sorğulanan layihə arxivləşdirilib.
1013 label_principal_search: "İstifadəçini ya qrupu tapmaq:"
1013 label_principal_search: "İstifadəçini ya qrupu tapmaq:"
1014 label_user_search: "İstifadəçini tapmaq:"
1014 label_user_search: "İstifadəçini tapmaq:"
1015 field_visible: Görünmə dərəcəsi
1015 field_visible: Görünmə dərəcəsi
1016 setting_emails_header: Məktubun başlığı
1016 setting_emails_header: Məktubun başlığı
1017
1017
1018 setting_commit_logtime_activity_id: Vaxtın uçotu üçün görülən hərəkətlər
1018 setting_commit_logtime_activity_id: Vaxtın uçotu üçün görülən hərəkətlər
1019 text_time_logged_by_changeset: "%{value} redaksiyada nəzərə alınıb."
1019 text_time_logged_by_changeset: "%{value} redaksiyada nəzərə alınıb."
1020 setting_commit_logtime_enabled: Vaxt uçotunu qoşmaq
1020 setting_commit_logtime_enabled: Vaxt uçotunu qoşmaq
1021 notice_gantt_chart_truncated: Əks oluna biləcək elementlərin maksimal sayı artdığına görə diaqram kəsiləcək (%{max})
1021 notice_gantt_chart_truncated: Əks oluna biləcək elementlərin maksimal sayı artdığına görə diaqram kəsiləcək (%{max})
1022 setting_gantt_items_limit: Qant diaqramında əks olunan elementlərin maksimal sayı
1022 setting_gantt_items_limit: Qant diaqramında əks olunan elementlərin maksimal sayı
1023 field_warn_on_leaving_unsaved: Yadda saxlanılmayan mətnin səhifəsi bağlanan zaman xəbərdarlıq etmək
1023 field_warn_on_leaving_unsaved: Yadda saxlanılmayan mətnin səhifəsi bağlanan zaman xəbərdarlıq etmək
1024 text_warn_on_leaving_unsaved: Tərk etmək istədiyiniz cari səhifədə yadda saxlanılmayan və itə biləcək mətn vardır.
1024 text_warn_on_leaving_unsaved: Tərk etmək istədiyiniz cari səhifədə yadda saxlanılmayan və itə biləcək mətn vardır.
1025 label_my_queries: Mənim yadda saxlanılan sorğularım
1025 label_my_queries: Mənim yadda saxlanılan sorğularım
1026 text_journal_changed_no_detail: "%{label} yenilənib"
1026 text_journal_changed_no_detail: "%{label} yenilənib"
1027 label_news_comment_added: Xəbərə şərh əlavə olunub
1027 label_news_comment_added: Xəbərə şərh əlavə olunub
1028 button_expand_all: Hamısını aç
1028 button_expand_all: Hamısını aç
1029 button_collapse_all: Hamısını çevir
1029 button_collapse_all: Hamısını çevir
1030 label_additional_workflow_transitions_for_assignee: İstifadəçi icraçı olduğu zaman əlavə keçidlər
1030 label_additional_workflow_transitions_for_assignee: İstifadəçi icraçı olduğu zaman əlavə keçidlər
1031 label_additional_workflow_transitions_for_author: İstifadəçi müəllif olduğu zaman əlavə keçidlər
1031 label_additional_workflow_transitions_for_author: İstifadəçi müəllif olduğu zaman əlavə keçidlər
1032 label_bulk_edit_selected_time_entries: Sərf olunan vaxtın seçilən qeydlərinin kütləvi şəkildə dəyişdirilməsi
1032 label_bulk_edit_selected_time_entries: Sərf olunan vaxtın seçilən qeydlərinin kütləvi şəkildə dəyişdirilməsi
1033 text_time_entries_destroy_confirmation: Siz sərf olunan vaxtın seçilən qeydlərini silmək istədiyinizə əminsinizmi?
1033 text_time_entries_destroy_confirmation: Siz sərf olunan vaxtın seçilən qeydlərini silmək istədiyinizə əminsinizmi?
1034 label_role_anonymous: Anonim
1034 label_role_anonymous: Anonim
1035 label_role_non_member: İştirakçı deyil
1035 label_role_non_member: İştirakçı deyil
1036 label_issue_note_added: Qeyd əlavə olunub
1036 label_issue_note_added: Qeyd əlavə olunub
1037 label_issue_status_updated: Status yenilənib
1037 label_issue_status_updated: Status yenilənib
1038 label_issue_priority_updated: Prioritet yenilənib
1038 label_issue_priority_updated: Prioritet yenilənib
1039 label_issues_visibility_own: İstifadəçi üçün yaradılan və ya ona təyin olunan tapşırıqlar
1039 label_issues_visibility_own: İstifadəçi üçün yaradılan və ya ona təyin olunan tapşırıqlar
1040 field_issues_visibility: Tapşırıqların görünmə dərəcəsi
1040 field_issues_visibility: Tapşırıqların görünmə dərəcəsi
1041 label_issues_visibility_all: Bütün tapşırıqlar
1041 label_issues_visibility_all: Bütün tapşırıqlar
1042 permission_set_own_issues_private: Şəxsi tapşırıqlar üçün görünmə dərəcəsinin (ümumi/şəxsi) qurulması
1042 permission_set_own_issues_private: Şəxsi tapşırıqlar üçün görünmə dərəcəsinin (ümumi/şəxsi) qurulması
1043 field_is_private: Şəxsi
1043 field_is_private: Şəxsi
1044 permission_set_issues_private: Tapşırıqlar üçün görünmə dərəcəsinin (ümumi/şəxsi) qurulması
1044 permission_set_issues_private: Tapşırıqlar üçün görünmə dərəcəsinin (ümumi/şəxsi) qurulması
1045 label_issues_visibility_public: Yalnız ümumi tapşırıqlar
1045 label_issues_visibility_public: Yalnız ümumi tapşırıqlar
1046 text_issues_destroy_descendants_confirmation: Həmçinin %{count} tapşırıq (lar) silinəcək.
1046 text_issues_destroy_descendants_confirmation: Həmçinin %{count} tapşırıq (lar) silinəcək.
1047 field_commit_logs_encoding: Saxlayıcıda şərhlərin kodlaşdırılması
1047 field_commit_logs_encoding: Saxlayıcıda şərhlərin kodlaşdırılması
1048 field_scm_path_encoding: Yolun kodlaşdırılması
1048 field_scm_path_encoding: Yolun kodlaşdırılması
1049 text_scm_path_encoding_note: "Susmaya görə: UTF-8"
1049 text_scm_path_encoding_note: "Susmaya görə: UTF-8"
1050 field_path_to_repository: Saxlayıcıya yol
1050 field_path_to_repository: Saxlayıcıya yol
1051 field_root_directory: Kök direktoriya
1051 field_root_directory: Kök direktoriya
1052 field_cvs_module: Modul
1052 field_cvs_module: Modul
1053 field_cvsroot: CVSROOT
1053 field_cvsroot: CVSROOT
1054 text_mercurial_repository_note: Lokal saxlayıcı (məsələn, /hgrepo, c:\hgrepo)
1054 text_mercurial_repository_note: Lokal saxlayıcı (məsələn, /hgrepo, c:\hgrepo)
1055 text_scm_command: Komanda
1055 text_scm_command: Komanda
1056 text_scm_command_version: Variant
1056 text_scm_command_version: Variant
1057 label_git_report_last_commit: Fayllar və direktoriyalar üçün son dəyişiklikləri göstərmək
1057 label_git_report_last_commit: Fayllar və direktoriyalar üçün son dəyişiklikləri göstərmək
1058 text_scm_config: Siz config/configuration.yml faylında SCM komandasını sazlaya bilərsiniz. Xahiş olunur, bu faylın redaktəsindən sonra əlavəni işə salın.
1058 text_scm_config: Siz config/configuration.yml faylında SCM komandasını sazlaya bilərsiniz. Xahiş olunur, bu faylın redaktəsindən sonra əlavəni işə salın.
1059 text_scm_command_not_available: Variantların nəzarət sisteminin komandasına giriş mümkün deyildir. Xahiş olunur, inzibatçı panelindəki sazlamaları yoxlayın.
1059 text_scm_command_not_available: Variantların nəzarət sisteminin komandasına giriş mümkün deyildir. Xahiş olunur, inzibatçı panelindəki sazlamaları yoxlayın.
1060 notice_issue_successful_create: Tapşırıq %{id} yaradılıb.
1060 notice_issue_successful_create: Tapşırıq %{id} yaradılıb.
1061 label_between: arasında
1061 label_between: arasında
1062 setting_issue_group_assignment: İstifadəçi qruplarına təyinata icazə vermək
1062 setting_issue_group_assignment: İstifadəçi qruplarına təyinata icazə vermək
1063 label_diff: Fərq(diff)
1063 label_diff: Fərq(diff)
1064 text_git_repository_note: "Saxlama yerini göstərin (məs: /gitrepo, c:\\gitrepo)"
1064 text_git_repository_note: "Saxlama yerini göstərin (məs: /gitrepo, c:\\gitrepo)"
1065 description_query_sort_criteria_direction: Çeşidləmə qaydası
1065 description_query_sort_criteria_direction: Çeşidləmə qaydası
1066 description_project_scope: Layihənin həcmi
1066 description_project_scope: Layihənin həcmi
1067 description_filter: Filtr
1067 description_filter: Filtr
1068 description_user_mail_notification: E-poçt Mail xəbərdarlıqlarının sazlaması
1068 description_user_mail_notification: E-poçt Mail xəbərdarlıqlarının sazlaması
1069 description_date_from: Başlama tarixini daxil edin
1069 description_date_from: Başlama tarixini daxil edin
1070 description_message_content: Mesajın kontenti
1070 description_message_content: Mesajın kontenti
1071 description_available_columns: Mövcud sütunlar
1071 description_available_columns: Mövcud sütunlar
1072 description_date_range_interval: Tarixlər diapazonunu seçin
1072 description_date_range_interval: Tarixlər diapazonunu seçin
1073 description_issue_category_reassign: Məsələnin kateqoriyasını seçin
1073 description_issue_category_reassign: Məsələnin kateqoriyasını seçin
1074 description_search: Axtarış sahəsi
1074 description_search: Axtarış sahəsi
1075 description_notes: Qeyd
1075 description_notes: Qeyd
1076 description_date_range_list: Siyahıdan diapazonu seçin
1076 description_date_range_list: Siyahıdan diapazonu seçin
1077 description_choose_project: Layihələr
1077 description_choose_project: Layihələr
1078 description_date_to: Yerinə yetirilmə tarixini daxil edin
1078 description_date_to: Yerinə yetirilmə tarixini daxil edin
1079 description_query_sort_criteria_attribute: Çeşidləmə meyarları
1079 description_query_sort_criteria_attribute: Çeşidləmə meyarları
1080 description_wiki_subpages_reassign: Yeni valideyn səhifəsini seçmək
1080 description_wiki_subpages_reassign: Yeni valideyn səhifəsini seçmək
1081 description_selected_columns: Seçilmiş sütunlar
1081 description_selected_columns: Seçilmiş sütunlar
1082 label_parent_revision: Valideyn
1082 label_parent_revision: Valideyn
1083 label_child_revision: Əsas
1083 label_child_revision: Əsas
1084 error_scm_annotate_big_text_file: Mətn faylının maksimal ölçüsü artdığına görə şərh mümkün deyildir.
1084 error_scm_annotate_big_text_file: Mətn faylının maksimal ölçüsü artdığına görə şərh mümkün deyildir.
1085 setting_default_issue_start_date_to_creation_date: Yeni tapşırıqlar üçün cari tarixi başlanğıc tarixi kimi istifadə etmək
1085 setting_default_issue_start_date_to_creation_date: Yeni tapşırıqlar üçün cari tarixi başlanğıc tarixi kimi istifadə etmək
1086 button_edit_section: Bu bölməni redaktə etmək
1086 button_edit_section: Bu bölməni redaktə etmək
1087 setting_repositories_encodings: Əlavələrin və saxlayıcıların kodlaşdırılması
1087 setting_repositories_encodings: Əlavələrin və saxlayıcıların kodlaşdırılması
1088 description_all_columns: Bütün sütunlar
1088 description_all_columns: Bütün sütunlar
1089 button_export: İxrac
1089 button_export: İxrac
1090 label_export_options: "%{export_format} ixracın parametrləri"
1090 label_export_options: "%{export_format} ixracın parametrləri"
1091 error_attachment_too_big: Faylın maksimal ölçüsü artdığına görə bu faylı yükləmək mümkün deyildir (%{max_size})
1091 error_attachment_too_big: Faylın maksimal ölçüsü artdığına görə bu faylı yükləmək mümkün deyildir (%{max_size})
1092 notice_failed_to_save_time_entries: "Səhv N %{ids}. %{total} girişdən %{count} yaddaşa saxlanıla bilmədi."
1092 notice_failed_to_save_time_entries: "Səhv N %{ids}. %{total} girişdən %{count} yaddaşa saxlanıla bilmədi."
1093 label_x_issues:
1093 label_x_issues:
1094 zero: 0 Tapşırıq
1094 zero: 0 Tapşırıq
1095 one: 1 Tapşırıq
1095 one: 1 Tapşırıq
1096 few: "%{count} Tapşırıq"
1096 few: "%{count} Tapşırıq"
1097 many: "%{count} Tapşırıq"
1097 many: "%{count} Tapşırıq"
1098 other: "%{count} Tapşırıq"
1098 other: "%{count} Tapşırıq"
1099 label_repository_new: Yeni saxlayıcı
1099 label_repository_new: Yeni saxlayıcı
1100 field_repository_is_default: Susmaya görə saxlayıcı
1100 field_repository_is_default: Susmaya görə saxlayıcı
1101 label_copy_attachments: Əlavənin surətini çıxarmaq
1101 label_copy_attachments: Əlavənin surətini çıxarmaq
1102 label_item_position: "%{position}/%{count}"
1102 label_item_position: "%{position}/%{count}"
1103 label_completed_versions: Başa çatdırılmış variantlar
1103 label_completed_versions: Başa çatdırılmış variantlar
1104 text_project_identifier_info: Yalnız kiçik latın hərflərinə (a-z), rəqəmlərə, tire və çicgilərə icazə verilir.<br />Yadda saxladıqdan sonra identifikatoru dəyişmək olmaz.
1104 text_project_identifier_info: Yalnız kiçik latın hərflərinə (a-z), rəqəmlərə, tire və çicgilərə icazə verilir.<br />Yadda saxladıqdan sonra identifikatoru dəyişmək olmaz.
1105 field_multiple: Çoxsaylı qiymətlər
1105 field_multiple: Çoxsaylı qiymətlər
1106 setting_commit_cross_project_ref: Digər bütün layihələrdə tapşırıqları düzəltmək və istinad etmək
1106 setting_commit_cross_project_ref: Digər bütün layihələrdə tapşırıqları düzəltmək və istinad etmək
1107 text_issue_conflict_resolution_add_notes: Qeydlərimi əlavə etmək və mənim dəyişikliklərimdən imtina etmək
1107 text_issue_conflict_resolution_add_notes: Qeydlərimi əlavə etmək və mənim dəyişikliklərimdən imtina etmək
1108 text_issue_conflict_resolution_overwrite: Dəyişikliklərimi tətbiq etmək (əvvəlki bütün qeydlər yadda saxlanacaq, lakin bəzi qeydlər yenidən yazıla bilər)
1108 text_issue_conflict_resolution_overwrite: Dəyişikliklərimi tətbiq etmək (əvvəlki bütün qeydlər yadda saxlanacaq, lakin bəzi qeydlər yenidən yazıla bilər)
1109 notice_issue_update_conflict: Tapşırığı redaktə etdiyiniz zaman kimsə onu artıq dəyişib.
1109 notice_issue_update_conflict: Tapşırığı redaktə etdiyiniz zaman kimsə onu artıq dəyişib.
1110 text_issue_conflict_resolution_cancel: Mənim dəyişikliklərimi ləğv etmək və tapşırığı yenidən göstərmək %{link}
1110 text_issue_conflict_resolution_cancel: Mənim dəyişikliklərimi ləğv etmək və tapşırığı yenidən göstərmək %{link}
1111 permission_manage_related_issues: Əlaqəli tapşırıqların idarə edilməsi
1111 permission_manage_related_issues: Əlaqəli tapşırıqların idarə edilməsi
1112 field_auth_source_ldap_filter: LDAP filtri
1112 field_auth_source_ldap_filter: LDAP filtri
1113 label_search_for_watchers: Nəzarətçiləri axtarmaq
1113 label_search_for_watchers: Nəzarətçiləri axtarmaq
1114 notice_account_deleted: "Sizin uçot qeydiniz tam olaraq silinib"
1114 notice_account_deleted: "Sizin uçot qeydiniz tam olaraq silinib"
1115 setting_unsubscribe: "İstifadəçilərə şəxsi uçot qeydlərini silməyə icazə vermək"
1115 setting_unsubscribe: "İstifadəçilərə şəxsi uçot qeydlərini silməyə icazə vermək"
1116 button_delete_my_account: "Mənim uçot qeydlərimi silmək"
1116 button_delete_my_account: "Mənim uçot qeydlərimi silmək"
1117 text_account_destroy_confirmation: "Sizin uçot qeydiniz bir daha bərpa edilmədən tam olaraq silinəcək.\nDavam etmək istədiyinizə əminsinizmi?"
1117 text_account_destroy_confirmation: "Sizin uçot qeydiniz bir daha bərpa edilmədən tam olaraq silinəcək.\nDavam etmək istədiyinizə əminsinizmi?"
1118 error_session_expired: Sizin sessiya bitmişdir. Xahiş edirik yenidən daxil olun.
1118 error_session_expired: Sizin sessiya bitmişdir. Xahiş edirik yenidən daxil olun.
1119 text_session_expiration_settings: "Diqqət: bu sazlamaların dəyişməyi cari sessiyanın bağlanmasına çıxara bilər."
1119 text_session_expiration_settings: "Diqqət: bu sazlamaların dəyişməyi cari sessiyanın bağlanmasına çıxara bilər."
1120 setting_session_lifetime: Sessiyanın maksimal Session maximum həyat müddəti
1120 setting_session_lifetime: Sessiyanın maksimal Session maximum həyat müddəti
1121 setting_session_timeout: Sessiyanın qeyri aktivlik müddəti
1121 setting_session_timeout: Sessiyanın qeyri aktivlik müddəti
1122 label_session_expiration: Sessiyanın bitməsi
1122 label_session_expiration: Sessiyanın bitməsi
1123 permission_close_project: Layihəni bağla / yenidən aç
1123 permission_close_project: Layihəni bağla / yenidən aç
1124 label_show_closed_projects: Bağlı layihələrə baxmaq
1124 label_show_closed_projects: Bağlı layihələrə baxmaq
1125 button_close: Bağla
1125 button_close: Bağla
1126 button_reopen: Yenidən aç
1126 button_reopen: Yenidən aç
1127 project_status_active: aktiv
1127 project_status_active: aktiv
1128 project_status_closed: bağlı
1128 project_status_closed: bağlı
1129 project_status_archived: arxiv
1129 project_status_archived: arxiv
1130 text_project_closed: Bu layihə bağlıdı və yalnız oxuma olar.
1130 text_project_closed: Bu layihə bağlıdı və yalnız oxuma olar.
1131 notice_user_successful_create: İstifadəçi %{id} yaradıldı.
1131 notice_user_successful_create: İstifadəçi %{id} yaradıldı.
1132 field_core_fields: Standart sahələr
1132 field_core_fields: Standart sahələr
1133 field_timeout: Zaman aşımı (saniyə ilə)
1133 field_timeout: Zaman aşımı (saniyə ilə)
1134 setting_thumbnails_enabled: Əlavələrin kiçik şəklini göstər
1134 setting_thumbnails_enabled: Əlavələrin kiçik şəklini göstər
1135 setting_thumbnails_size: Kiçik şəkillərin ölçüsü (piksel ilə)
1135 setting_thumbnails_size: Kiçik şəkillərin ölçüsü (piksel ilə)
1136 label_status_transitions: Status keçidləri
1136 label_status_transitions: Status keçidləri
1137 label_fields_permissions: Sahələrin icazələri
1137 label_fields_permissions: Sahələrin icazələri
1138 label_readonly: Ancaq oxumaq üçün
1138 label_readonly: Ancaq oxumaq üçün
1139 label_required: Tələb olunur
1139 label_required: Tələb olunur
1140 text_repository_identifier_info: Yalnız kiçik latın hərflərinə (a-z), rəqəmlərə, tire və çicgilərə icazə verilir.<br />Yadda saxladıqdan sonra identifikatoru dəyişmək olmaz.
1140 text_repository_identifier_info: Yalnız kiçik latın hərflərinə (a-z), rəqəmlərə, tire və çicgilərə icazə verilir.<br />Yadda saxladıqdan sonra identifikatoru dəyişmək olmaz.
1141 field_board_parent: Ana forum
1141 field_board_parent: Ana forum
1142 label_attribute_of_project: Layihə %{name}
1142 label_attribute_of_project: Layihə %{name}
1143 label_attribute_of_author: Müəllif %{name}
1143 label_attribute_of_author: Müəllif %{name}
1144 label_attribute_of_assigned_to: Təyin edilib %{name}
1144 label_attribute_of_assigned_to: Təyin edilib %{name}
1145 label_attribute_of_fixed_version: Əsas versiya %{name}
1145 label_attribute_of_fixed_version: Əsas versiya %{name}
1146 label_copy_subtasks: Alt tapşırığın surətini çıxarmaq
1146 label_copy_subtasks: Alt tapşırığın surətini çıxarmaq
1147 label_cross_project_hierarchy: With project hierarchy
1147 label_cross_project_hierarchy: With project hierarchy
1148 permission_edit_documents: Edit documents
1148 permission_edit_documents: Edit documents
1149 button_hide: Hide
1149 button_hide: Hide
1150 text_turning_multiple_off: If you disable multiple values, multiple values will be removed in order to preserve only one value per item.
1150 text_turning_multiple_off: If you disable multiple values, multiple values will be removed in order to preserve only one value per item.
1151 label_any: any
1151 label_any: any
1152 label_cross_project_system: With all projects
1152 label_cross_project_system: With all projects
1153 label_last_n_weeks: last %{count} weeks
1153 label_last_n_weeks: last %{count} weeks
1154 label_in_the_past_days: in the past
1154 label_in_the_past_days: in the past
1155 label_copied_to: Copied to
1155 label_copied_to: Copied to
1156 permission_set_notes_private: Set notes as private
1156 permission_set_notes_private: Set notes as private
1157 label_in_the_next_days: in the next
1157 label_in_the_next_days: in the next
1158 label_attribute_of_issue: Issue's %{name}
1158 label_attribute_of_issue: Issue's %{name}
1159 label_any_issues_in_project: any issues in project
1159 label_any_issues_in_project: any issues in project
1160 label_cross_project_descendants: With subprojects
1160 label_cross_project_descendants: With subprojects
1161 field_private_notes: Private notes
1161 field_private_notes: Private notes
1162 setting_jsonp_enabled: Enable JSONP support
1162 setting_jsonp_enabled: Enable JSONP support
1163 label_gantt_progress_line: Progress line
1163 label_gantt_progress_line: Progress line
1164 permission_add_documents: Add documents
1164 permission_add_documents: Add documents
1165 permission_view_private_notes: View private notes
1165 permission_view_private_notes: View private notes
1166 label_attribute_of_user: User's %{name}
1166 label_attribute_of_user: User's %{name}
1167 permission_delete_documents: Delete documents
1167 permission_delete_documents: Delete documents
1168 field_inherit_members: Inherit members
1168 field_inherit_members: Inherit members
1169 setting_cross_project_subtasks: Allow cross-project subtasks
1169 setting_cross_project_subtasks: Allow cross-project subtasks
1170 label_no_issues_in_project: no issues in project
1170 label_no_issues_in_project: no issues in project
1171 label_copied_from: Copied from
1171 label_copied_from: Copied from
1172 setting_non_working_week_days: Non-working days
1172 setting_non_working_week_days: Non-working days
1173 label_any_issues_not_in_project: any issues not in project
1173 label_any_issues_not_in_project: any issues not in project
1174 label_cross_project_tree: With project tree
1174 label_cross_project_tree: With project tree
1175 field_closed_on: Closed
1175 field_closed_on: Closed
1176 field_generate_password: Generate password
1176 field_generate_password: Generate password
1177 setting_default_projects_tracker_ids: Default trackers for new projects
1177 setting_default_projects_tracker_ids: Default trackers for new projects
1178 label_total_time: Cəmi
1178 label_total_time: Cəmi
1179 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1179 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1180 to receive a new activation email, please <a href="%{url}">click this link</a>.
1180 to receive a new activation email, please <a href="%{url}">click this link</a>.
1181 notice_account_locked: Your account is locked.
1181 notice_account_locked: Your account is locked.
1182 label_hidden: Hidden
1182 label_hidden: Hidden
1183 label_visibility_private: to me only
1183 label_visibility_private: to me only
1184 label_visibility_roles: to these roles only
1184 label_visibility_roles: to these roles only
1185 label_visibility_public: to any users
1185 label_visibility_public: to any users
1186 field_must_change_passwd: Must change password at next logon
1186 field_must_change_passwd: Must change password at next logon
1187 notice_new_password_must_be_different: The new password must be different from the
1187 notice_new_password_must_be_different: The new password must be different from the
1188 current password
1188 current password
1189 setting_mail_handler_excluded_filenames: Exclude attachments by name
1189 setting_mail_handler_excluded_filenames: Exclude attachments by name
1190 text_convert_available: ImageMagick convert available (optional)
1190 text_convert_available: ImageMagick convert available (optional)
1191 label_link: Link
1191 label_link: Link
1192 label_only: only
1192 label_only: only
1193 label_drop_down_list: drop-down list
1193 label_drop_down_list: drop-down list
1194 label_checkboxes: checkboxes
1194 label_checkboxes: checkboxes
1195 label_link_values_to: Link values to URL
1195 label_link_values_to: Link values to URL
1196 setting_force_default_language_for_anonymous: Force default language for anonymous
1196 setting_force_default_language_for_anonymous: Force default language for anonymous
1197 users
1197 users
1198 setting_force_default_language_for_loggedin: Force default language for logged-in
1198 setting_force_default_language_for_loggedin: Force default language for logged-in
1199 users
1199 users
1200 label_custom_field_select_type: Select the type of object to which the custom field
1200 label_custom_field_select_type: Select the type of object to which the custom field
1201 is to be attached
1201 is to be attached
1202 label_issue_assigned_to_updated: Assignee updated
1202 label_issue_assigned_to_updated: Assignee updated
1203 label_check_for_updates: Check for updates
1203 label_check_for_updates: Check for updates
1204 label_latest_compatible_version: Latest compatible version
1204 label_latest_compatible_version: Latest compatible version
1205 label_unknown_plugin: Unknown plugin
1205 label_unknown_plugin: Unknown plugin
1206 label_radio_buttons: radio buttons
1206 label_radio_buttons: radio buttons
1207 label_group_anonymous: Anonymous users
1207 label_group_anonymous: Anonymous users
1208 label_group_non_member: Non member users
1208 label_group_non_member: Non member users
1209 label_add_projects: Add projects
1209 label_add_projects: Add projects
1210 field_default_status: Default status
1210 field_default_status: Default status
1211 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1211 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1212 field_users_visibility: Users visibility
1212 field_users_visibility: Users visibility
1213 label_users_visibility_all: All active users
1213 label_users_visibility_all: All active users
1214 label_users_visibility_members_of_visible_projects: Members of visible projects
1214 label_users_visibility_members_of_visible_projects: Members of visible projects
1215 label_edit_attachments: Edit attached files
1215 label_edit_attachments: Edit attached files
1216 setting_link_copied_issue: Link issues on copy
1216 setting_link_copied_issue: Link issues on copy
1217 label_link_copied_issue: Link copied issue
1217 label_link_copied_issue: Link copied issue
1218 label_ask: Ask
1218 label_ask: Ask
1219 label_search_attachments_yes: Search attachment filenames and descriptions
1219 label_search_attachments_yes: Search attachment filenames and descriptions
1220 label_search_attachments_no: Do not search attachments
1220 label_search_attachments_no: Do not search attachments
1221 label_search_attachments_only: Search attachments only
1221 label_search_attachments_only: Search attachments only
1222 label_search_open_issues_only: Open issues only
1222 label_search_open_issues_only: Open issues only
1223 field_address: e-poçt
1223 field_address: e-poçt
1224 setting_max_additional_emails: Maximum number of additional email addresses
1224 setting_max_additional_emails: Maximum number of additional email addresses
1225 label_email_address_plural: Emails
1225 label_email_address_plural: Emails
1226 label_email_address_add: Add email address
1226 label_email_address_add: Add email address
1227 label_enable_notifications: Enable notifications
1227 label_enable_notifications: Enable notifications
1228 label_disable_notifications: Disable notifications
1228 label_disable_notifications: Disable notifications
1229 setting_search_results_per_page: Search results per page
1229 setting_search_results_per_page: Search results per page
1230 label_blank_value: blank
1230 label_blank_value: blank
1231 permission_copy_issues: Copy issues
1231 permission_copy_issues: Copy issues
1232 error_password_expired: Your password has expired or the administrator requires you
1232 error_password_expired: Your password has expired or the administrator requires you
1233 to change it.
1233 to change it.
1234 field_time_entries_visibility: Time logs visibility
1234 field_time_entries_visibility: Time logs visibility
1235 setting_password_max_age: Require password change after
1235 setting_password_max_age: Require password change after
1236 label_parent_task_attributes: Parent tasks attributes
1236 label_parent_task_attributes: Parent tasks attributes
1237 label_parent_task_attributes_derived: Calculated from subtasks
1237 label_parent_task_attributes_derived: Calculated from subtasks
1238 label_parent_task_attributes_independent: Independent of subtasks
1238 label_parent_task_attributes_independent: Independent of subtasks
1239 label_time_entries_visibility_all: All time entries
1239 label_time_entries_visibility_all: All time entries
1240 label_time_entries_visibility_own: Time entries created by the user
1240 label_time_entries_visibility_own: Time entries created by the user
1241 label_member_management: Member management
1241 label_member_management: Member management
1242 label_member_management_all_roles: All roles
1242 label_member_management_all_roles: All roles
1243 label_member_management_selected_roles_only: Only these roles
1243 label_member_management_selected_roles_only: Only these roles
1244 label_password_required: Confirm your password to continue
1244 label_password_required: Confirm your password to continue
1245 label_total_spent_time: Cəmi sərf olunan vaxt
1245 label_total_spent_time: Cəmi sərf olunan vaxt
1246 notice_import_finished: All %{count} items have been imported.
1246 notice_import_finished: All %{count} items have been imported.
1247 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1247 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1248 imported.'
1248 imported.'
1249 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1249 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1250 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1250 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1251 settings below
1251 settings below
1252 error_can_not_read_import_file: An error occurred while reading the file to import
1252 error_can_not_read_import_file: An error occurred while reading the file to import
1253 permission_import_issues: Import issues
1253 permission_import_issues: Import issues
1254 label_import_issues: Import issues
1254 label_import_issues: Import issues
1255 label_select_file_to_import: Select the file to import
1255 label_select_file_to_import: Select the file to import
1256 label_fields_separator: Field separator
1256 label_fields_separator: Field separator
1257 label_fields_wrapper: Field wrapper
1257 label_fields_wrapper: Field wrapper
1258 label_encoding: Encoding
1258 label_encoding: Encoding
1259 label_comma_char: Comma
1259 label_comma_char: Comma
1260 label_semi_colon_char: Semi colon
1260 label_semi_colon_char: Semi colon
1261 label_quote_char: Quote
1261 label_quote_char: Quote
1262 label_double_quote_char: Double quote
1262 label_double_quote_char: Double quote
1263 label_fields_mapping: Fields mapping
1263 label_fields_mapping: Fields mapping
1264 label_file_content_preview: File content preview
1264 label_file_content_preview: File content preview
1265 label_create_missing_values: Create missing values
1265 label_create_missing_values: Create missing values
1266 button_import: Import
1266 button_import: Import
1267 field_total_estimated_hours: Total estimated time
1267 field_total_estimated_hours: Total estimated time
1268 label_api: API
1268 label_api: API
1269 label_total_plural: Totals
1269 label_total_plural: Totals
1270 label_assigned_issues: Assigned issues
1270 label_assigned_issues: Assigned issues
1271 label_field_format_enumeration: Key/value list
1271 label_field_format_enumeration: Key/value list
1272 label_f_hour_short: '%{value} h'
1272 label_f_hour_short: '%{value} h'
1273 field_default_version: Default version
1273 field_default_version: Default version
1274 error_attachment_extension_not_allowed: Attachment extension %{extension} is not allowed
1274 error_attachment_extension_not_allowed: Attachment extension %{extension} is not allowed
1275 setting_attachment_extensions_allowed: Allowed extensions
1275 setting_attachment_extensions_allowed: Allowed extensions
1276 setting_attachment_extensions_denied: Disallowed extensions
1276 setting_attachment_extensions_denied: Disallowed extensions
1277 label_any_open_issues: any open issues
1277 label_any_open_issues: any open issues
1278 label_no_open_issues: no open issues
1278 label_no_open_issues: no open issues
1279 label_default_values_for_new_users: Default values for new users
1279 label_default_values_for_new_users: Default values for new users
1280 error_cannot_reassign_time_entries_to_an_issue_about_to_be_deleted: Spent time cannot
1281 be reassigned to an issue that is about to be deleted
@@ -1,1175 +1,1177
1 # Bulgarian translation by Nikolay Solakov and Ivan Cenov
1 # Bulgarian translation by Nikolay Solakov and Ivan Cenov
2 bg:
2 bg:
3 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
3 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
4 direction: ltr
4 direction: ltr
5 date:
5 date:
6 formats:
6 formats:
7 # Use the strftime parameters for formats.
7 # Use the strftime parameters for formats.
8 # When no format has been given, it uses default.
8 # When no format has been given, it uses default.
9 # You can provide other formats here if you like!
9 # You can provide other formats here if you like!
10 default: "%d-%m-%Y"
10 default: "%d-%m-%Y"
11 short: "%b %d"
11 short: "%b %d"
12 long: "%B %d, %Y"
12 long: "%B %d, %Y"
13
13
14 day_names: [Неделя, Понеделник, Вторник, Сряда, Четвъртък, Петък, Събота]
14 day_names: [Неделя, Понеделник, Вторник, Сряда, Четвъртък, Петък, Събота]
15 abbr_day_names: [Нед, Пон, Вто, Сря, Чет, Пет, Съб]
15 abbr_day_names: [Нед, Пон, Вто, Сря, Чет, Пет, Съб]
16
16
17 # Don't forget the nil at the beginning; there's no such thing as a 0th month
17 # Don't forget the nil at the beginning; there's no such thing as a 0th month
18 month_names: [~, Януари, Февруари, Март, Април, Май, Юни, Юли, Август, Септември, Октомври, Ноември, Декември]
18 month_names: [~, Януари, Февруари, Март, Април, Май, Юни, Юли, Август, Септември, Октомври, Ноември, Декември]
19 abbr_month_names: [~, Яну, Фев, Мар, Апр, Май, Юни, Юли, Авг, Сеп, Окт, Ное, Дек]
19 abbr_month_names: [~, Яну, Фев, Мар, Апр, Май, Юни, Юли, Авг, Сеп, Окт, Ное, Дек]
20 # Used in date_select and datime_select.
20 # Used in date_select and datime_select.
21 order:
21 order:
22 - :year
22 - :year
23 - :month
23 - :month
24 - :day
24 - :day
25
25
26 time:
26 time:
27 formats:
27 formats:
28 default: "%a, %d %b %Y %H:%M:%S %z"
28 default: "%a, %d %b %Y %H:%M:%S %z"
29 time: "%H:%M"
29 time: "%H:%M"
30 short: "%d %b %H:%M"
30 short: "%d %b %H:%M"
31 long: "%B %d, %Y %H:%M"
31 long: "%B %d, %Y %H:%M"
32 am: "am"
32 am: "am"
33 pm: "pm"
33 pm: "pm"
34
34
35 datetime:
35 datetime:
36 distance_in_words:
36 distance_in_words:
37 half_a_minute: "half a minute"
37 half_a_minute: "half a minute"
38 less_than_x_seconds:
38 less_than_x_seconds:
39 one: "по-малко от 1 секунда"
39 one: "по-малко от 1 секунда"
40 other: "по-малко от %{count} секунди"
40 other: "по-малко от %{count} секунди"
41 x_seconds:
41 x_seconds:
42 one: "1 секунда"
42 one: "1 секунда"
43 other: "%{count} секунди"
43 other: "%{count} секунди"
44 less_than_x_minutes:
44 less_than_x_minutes:
45 one: "по-малко от 1 минута"
45 one: "по-малко от 1 минута"
46 other: "по-малко от %{count} минути"
46 other: "по-малко от %{count} минути"
47 x_minutes:
47 x_minutes:
48 one: "1 минута"
48 one: "1 минута"
49 other: "%{count} минути"
49 other: "%{count} минути"
50 about_x_hours:
50 about_x_hours:
51 one: "около 1 час"
51 one: "около 1 час"
52 other: "около %{count} часа"
52 other: "около %{count} часа"
53 x_hours:
53 x_hours:
54 one: "1 час"
54 one: "1 час"
55 other: "%{count} часа"
55 other: "%{count} часа"
56 x_days:
56 x_days:
57 one: "1 ден"
57 one: "1 ден"
58 other: "%{count} дена"
58 other: "%{count} дена"
59 about_x_months:
59 about_x_months:
60 one: "около 1 месец"
60 one: "около 1 месец"
61 other: "около %{count} месеца"
61 other: "около %{count} месеца"
62 x_months:
62 x_months:
63 one: "1 месец"
63 one: "1 месец"
64 other: "%{count} месеца"
64 other: "%{count} месеца"
65 about_x_years:
65 about_x_years:
66 one: "около 1 година"
66 one: "около 1 година"
67 other: "около %{count} години"
67 other: "около %{count} години"
68 over_x_years:
68 over_x_years:
69 one: "над 1 година"
69 one: "над 1 година"
70 other: "над %{count} години"
70 other: "над %{count} години"
71 almost_x_years:
71 almost_x_years:
72 one: "почти 1 година"
72 one: "почти 1 година"
73 other: "почти %{count} години"
73 other: "почти %{count} години"
74
74
75 number:
75 number:
76 format:
76 format:
77 separator: "."
77 separator: "."
78 delimiter: ""
78 delimiter: ""
79 precision: 3
79 precision: 3
80
80
81 human:
81 human:
82 format:
82 format:
83 delimiter: ""
83 delimiter: ""
84 precision: 3
84 precision: 3
85 storage_units:
85 storage_units:
86 format: "%n %u"
86 format: "%n %u"
87 units:
87 units:
88 byte:
88 byte:
89 one: байт
89 one: байт
90 other: байта
90 other: байта
91 kb: "KB"
91 kb: "KB"
92 mb: "MB"
92 mb: "MB"
93 gb: "GB"
93 gb: "GB"
94 tb: "TB"
94 tb: "TB"
95
95
96 # Used in array.to_sentence.
96 # Used in array.to_sentence.
97 support:
97 support:
98 array:
98 array:
99 sentence_connector: "и"
99 sentence_connector: "и"
100 skip_last_comma: false
100 skip_last_comma: false
101
101
102 activerecord:
102 activerecord:
103 errors:
103 errors:
104 template:
104 template:
105 header:
105 header:
106 one: "1 грешка попречи този %{model} да бъде записан"
106 one: "1 грешка попречи този %{model} да бъде записан"
107 other: "%{count} грешки попречиха този %{model} да бъде записан"
107 other: "%{count} грешки попречиха този %{model} да бъде записан"
108 messages:
108 messages:
109 inclusion: "не съществува в списъка"
109 inclusion: "не съществува в списъка"
110 exclusion: запазено"
110 exclusion: запазено"
111 invalid: невалидно"
111 invalid: невалидно"
112 confirmation: "липсва одобрение"
112 confirmation: "липсва одобрение"
113 accepted: "трябва да се приеме"
113 accepted: "трябва да се приеме"
114 empty: "не може да е празно"
114 empty: "не може да е празно"
115 blank: "не може да е празно"
115 blank: "не може да е празно"
116 too_long: прекалено дълго"
116 too_long: прекалено дълго"
117 too_short: прекалено късо"
117 too_short: прекалено късо"
118 wrong_length: с грешна дължина"
118 wrong_length: с грешна дължина"
119 taken: "вече съществува"
119 taken: "вече съществува"
120 not_a_number: "не е число"
120 not_a_number: "не е число"
121 not_a_date: невалидна дата"
121 not_a_date: невалидна дата"
122 greater_than: "трябва да бъде по-голям[a/о] от %{count}"
122 greater_than: "трябва да бъде по-голям[a/о] от %{count}"
123 greater_than_or_equal_to: "трябва да бъде по-голям[a/о] от или равен[a/o] на %{count}"
123 greater_than_or_equal_to: "трябва да бъде по-голям[a/о] от или равен[a/o] на %{count}"
124 equal_to: "трябва да бъде равен[a/o] на %{count}"
124 equal_to: "трябва да бъде равен[a/o] на %{count}"
125 less_than: "трябва да бъде по-малък[a/o] от %{count}"
125 less_than: "трябва да бъде по-малък[a/o] от %{count}"
126 less_than_or_equal_to: "трябва да бъде по-малък[a/o] от или равен[a/o] на %{count}"
126 less_than_or_equal_to: "трябва да бъде по-малък[a/o] от или равен[a/o] на %{count}"
127 odd: "трябва да бъде нечетен[a/o]"
127 odd: "трябва да бъде нечетен[a/o]"
128 even: "трябва да бъде четен[a/o]"
128 even: "трябва да бъде четен[a/o]"
129 greater_than_start_date: "трябва да е след началната дата"
129 greater_than_start_date: "трябва да е след началната дата"
130 not_same_project: "не е от същия проект"
130 not_same_project: "не е от същия проект"
131 circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
131 circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
132 cant_link_an_issue_with_a_descendant: "Една задача не може да бъде свързвана към своя подзадача"
132 cant_link_an_issue_with_a_descendant: "Една задача не може да бъде свързвана към своя подзадача"
133 earlier_than_minimum_start_date: "не може да бъде по-рано от %{date} поради предхождащи задачи"
133 earlier_than_minimum_start_date: "не може да бъде по-рано от %{date} поради предхождащи задачи"
134
134
135 actionview_instancetag_blank_option: Изберете
135 actionview_instancetag_blank_option: Изберете
136
136
137 general_text_No: 'Не'
137 general_text_No: 'Не'
138 general_text_Yes: 'Да'
138 general_text_Yes: 'Да'
139 general_text_no: 'не'
139 general_text_no: 'не'
140 general_text_yes: 'да'
140 general_text_yes: 'да'
141 general_lang_name: 'Bulgarian (Български)'
141 general_lang_name: 'Bulgarian (Български)'
142 general_csv_separator: ','
142 general_csv_separator: ','
143 general_csv_decimal_separator: '.'
143 general_csv_decimal_separator: '.'
144 general_csv_encoding: UTF-8
144 general_csv_encoding: UTF-8
145 general_pdf_fontname: freesans
145 general_pdf_fontname: freesans
146 general_pdf_monospaced_fontname: freemono
146 general_pdf_monospaced_fontname: freemono
147 general_first_day_of_week: '1'
147 general_first_day_of_week: '1'
148
148
149 notice_account_updated: Профилът е обновен успешно.
149 notice_account_updated: Профилът е обновен успешно.
150 notice_account_invalid_creditentials: Невалиден потребител или парола.
150 notice_account_invalid_creditentials: Невалиден потребител или парола.
151 notice_account_password_updated: Паролата е успешно променена.
151 notice_account_password_updated: Паролата е успешно променена.
152 notice_account_wrong_password: Грешна парола
152 notice_account_wrong_password: Грешна парола
153 notice_account_register_done: Профилът е създаден успешно. E-mail, съдържащ инструкции за активиране на профила
153 notice_account_register_done: Профилът е създаден успешно. E-mail, съдържащ инструкции за активиране на профила
154 е изпратен на %{email}.
154 е изпратен на %{email}.
155 notice_account_unknown_email: Непознат e-mail.
155 notice_account_unknown_email: Непознат e-mail.
156 notice_account_not_activated_yet: Вие не сте активирали вашия профил все още. Ако искате да
156 notice_account_not_activated_yet: Вие не сте активирали вашия профил все още. Ако искате да
157 получите нов e-mail за активиране, моля <a href="%{url}">натиснете тази връзка</a>.
157 получите нов e-mail за активиране, моля <a href="%{url}">натиснете тази връзка</a>.
158 notice_account_locked: Вашият профил е блокиран.
158 notice_account_locked: Вашият профил е блокиран.
159 notice_can_t_change_password: Този профил е с външен метод за оторизация. Невъзможна смяна на паролата.
159 notice_can_t_change_password: Този профил е с външен метод за оторизация. Невъзможна смяна на паролата.
160 notice_account_lost_email_sent: Изпратен ви е e-mail с инструкции за избор на нова парола.
160 notice_account_lost_email_sent: Изпратен ви е e-mail с инструкции за избор на нова парола.
161 notice_account_activated: Профилът ви е активиран. Вече може да влезете в Redmine.
161 notice_account_activated: Профилът ви е активиран. Вече може да влезете в Redmine.
162 notice_successful_create: Успешно създаване.
162 notice_successful_create: Успешно създаване.
163 notice_successful_update: Успешно обновяване.
163 notice_successful_update: Успешно обновяване.
164 notice_successful_delete: Успешно изтриване.
164 notice_successful_delete: Успешно изтриване.
165 notice_successful_connection: Успешно свързване.
165 notice_successful_connection: Успешно свързване.
166 notice_file_not_found: Несъществуваща или преместена страница.
166 notice_file_not_found: Несъществуваща или преместена страница.
167 notice_locking_conflict: Друг потребител променя тези данни в момента.
167 notice_locking_conflict: Друг потребител променя тези данни в момента.
168 notice_not_authorized: Нямате право на достъп до тази страница.
168 notice_not_authorized: Нямате право на достъп до тази страница.
169 notice_not_authorized_archived_project: Проектът, който се опитвате да видите е архивиран. Ако смятате, че това не е правилно, обърнете се към администратора за разархивиране.
169 notice_not_authorized_archived_project: Проектът, който се опитвате да видите е архивиран. Ако смятате, че това не е правилно, обърнете се към администратора за разархивиране.
170 notice_email_sent: "Изпратен e-mail на %{value}"
170 notice_email_sent: "Изпратен e-mail на %{value}"
171 notice_email_error: "Грешка при изпращане на e-mail (%{value})"
171 notice_email_error: "Грешка при изпращане на e-mail (%{value})"
172 notice_feeds_access_key_reseted: Вашия ключ за Atom достъп беше променен.
172 notice_feeds_access_key_reseted: Вашия ключ за Atom достъп беше променен.
173 notice_api_access_key_reseted: Вашият API ключ за достъп беше изчистен.
173 notice_api_access_key_reseted: Вашият API ключ за достъп беше изчистен.
174 notice_failed_to_save_issues: "Неуспешен запис на %{count} задачи от %{total} избрани: %{ids}."
174 notice_failed_to_save_issues: "Неуспешен запис на %{count} задачи от %{total} избрани: %{ids}."
175 notice_failed_to_save_time_entries: "Невъзможност за запис на %{count} записа за използвано време от %{total} избрани: %{ids}."
175 notice_failed_to_save_time_entries: "Невъзможност за запис на %{count} записа за използвано време от %{total} избрани: %{ids}."
176 notice_failed_to_save_members: "Невъзможност за запис на член(ове): %{errors}."
176 notice_failed_to_save_members: "Невъзможност за запис на член(ове): %{errors}."
177 notice_no_issue_selected: "Няма избрани задачи."
177 notice_no_issue_selected: "Няма избрани задачи."
178 notice_account_pending: "Профилът Ви е създаден и очаква одобрение от администратор."
178 notice_account_pending: "Профилът Ви е създаден и очаква одобрение от администратор."
179 notice_default_data_loaded: Примерната информация е заредена успешно.
179 notice_default_data_loaded: Примерната информация е заредена успешно.
180 notice_unable_delete_version: Невъзможност за изтриване на версия
180 notice_unable_delete_version: Невъзможност за изтриване на версия
181 notice_unable_delete_time_entry: Невъзможност за изтриване на запис за използвано време.
181 notice_unable_delete_time_entry: Невъзможност за изтриване на запис за използвано време.
182 notice_issue_done_ratios_updated: Обновен процент на завършените задачи.
182 notice_issue_done_ratios_updated: Обновен процент на завършените задачи.
183 notice_gantt_chart_truncated: Мрежовият график е съкратен, понеже броят на обектите, които могат да бъдат показани е твърде голям (%{max})
183 notice_gantt_chart_truncated: Мрежовият график е съкратен, понеже броят на обектите, които могат да бъдат показани е твърде голям (%{max})
184 notice_issue_successful_create: Задача %{id} е създадена.
184 notice_issue_successful_create: Задача %{id} е създадена.
185 notice_issue_update_conflict: Задачата е била променена от друг потребител, докато вие сте я редактирали.
185 notice_issue_update_conflict: Задачата е била променена от друг потребител, докато вие сте я редактирали.
186 notice_account_deleted: Вашият профил беше премахнат без възможност за възстановяване.
186 notice_account_deleted: Вашият профил беше премахнат без възможност за възстановяване.
187 notice_user_successful_create: Потребител %{id} е създаден.
187 notice_user_successful_create: Потребител %{id} е създаден.
188 notice_new_password_must_be_different: Новата парола трябва да бъде различна от сегашната парола
188 notice_new_password_must_be_different: Новата парола трябва да бъде различна от сегашната парола
189 notice_import_finished: Всички %{count} обекта бяха импортирани.
189 notice_import_finished: Всички %{count} обекта бяха импортирани.
190 notice_import_finished_with_errors: ! '%{count} от общо %{total} обекта не бяха инпортирани.'
190 notice_import_finished_with_errors: ! '%{count} от общо %{total} обекта не бяха инпортирани.'
191
191
192 error_can_t_load_default_data: "Грешка при зареждане на началната информация: %{value}"
192 error_can_t_load_default_data: "Грешка при зареждане на началната информация: %{value}"
193 error_scm_not_found: Несъществуващ обект в хранилището.
193 error_scm_not_found: Несъществуващ обект в хранилището.
194 error_scm_command_failed: "Грешка при опит за комуникация с хранилище: %{value}"
194 error_scm_command_failed: "Грешка при опит за комуникация с хранилище: %{value}"
195 error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
195 error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
196 error_scm_annotate_big_text_file: "Файлът не може да бъде анотиран, понеже надхвърля максималния размер за текстови файлове."
196 error_scm_annotate_big_text_file: "Файлът не може да бъде анотиран, понеже надхвърля максималния размер за текстови файлове."
197 error_issue_not_found_in_project: 'Задачата не е намерена или не принадлежи на този проект'
197 error_issue_not_found_in_project: 'Задачата не е намерена или не принадлежи на този проект'
198 error_no_tracker_in_project: Няма асоциирани тракери с този проект. Проверете настройките на проекта.
198 error_no_tracker_in_project: Няма асоциирани тракери с този проект. Проверете настройките на проекта.
199 error_no_default_issue_status: Няма установено подразбиращо се състояние за задачите. Моля проверете вашата конфигурация (Вижте "Администрация -> Състояния на задачи").
199 error_no_default_issue_status: Няма установено подразбиращо се състояние за задачите. Моля проверете вашата конфигурация (Вижте "Администрация -> Състояния на задачи").
200 error_can_not_delete_custom_field: Невъзможност за изтриване на потребителско поле
200 error_can_not_delete_custom_field: Невъзможност за изтриване на потребителско поле
201 error_can_not_delete_tracker: Този тракер съдържа задачи и не може да бъде изтрит.
201 error_can_not_delete_tracker: Този тракер съдържа задачи и не може да бъде изтрит.
202 error_can_not_remove_role: Тази роля се използва и не може да бъде изтрита.
202 error_can_not_remove_role: Тази роля се използва и не може да бъде изтрита.
203 error_can_not_reopen_issue_on_closed_version: Задача, асоциирана със затворена версия не може да бъде отворена отново
203 error_can_not_reopen_issue_on_closed_version: Задача, асоциирана със затворена версия не може да бъде отворена отново
204 error_can_not_archive_project: Този проект не може да бъде архивиран
204 error_can_not_archive_project: Този проект не може да бъде архивиран
205 error_issue_done_ratios_not_updated: Процентът на завършените задачи не е обновен.
205 error_issue_done_ratios_not_updated: Процентът на завършените задачи не е обновен.
206 error_workflow_copy_source: Моля изберете source тракер или роля
206 error_workflow_copy_source: Моля изберете source тракер или роля
207 error_workflow_copy_target: Моля изберете тракер(и) и роля (роли).
207 error_workflow_copy_target: Моля изберете тракер(и) и роля (роли).
208 error_unable_delete_issue_status: Невъзможност за изтриване на състояние на задача
208 error_unable_delete_issue_status: Невъзможност за изтриване на състояние на задача
209 error_unable_to_connect: Невъзможност за свързване с (%{value})
209 error_unable_to_connect: Невъзможност за свързване с (%{value})
210 error_attachment_too_big: Този файл не може да бъде качен, понеже надхвърля максималната възможна големина (%{max_size})
210 error_attachment_too_big: Този файл не може да бъде качен, понеже надхвърля максималната възможна големина (%{max_size})
211 error_session_expired: Вашата сесия е изтекла. Моля влезете в Redmine отново.
211 error_session_expired: Вашата сесия е изтекла. Моля влезете в Redmine отново.
212 warning_attachments_not_saved: "%{count} файла не бяха записани."
212 warning_attachments_not_saved: "%{count} файла не бяха записани."
213 error_password_expired: Вашата парола е с изтекъл срок или администраторът изисква да я смените.
213 error_password_expired: Вашата парола е с изтекъл срок или администраторът изисква да я смените.
214 error_invalid_file_encoding: Файлът няма валидно %{encoding} кодиране.
214 error_invalid_file_encoding: Файлът няма валидно %{encoding} кодиране.
215 error_invalid_csv_file_or_settings: Файлът не е CSV файл или не съответства на зададеното по-долу
215 error_invalid_csv_file_or_settings: Файлът не е CSV файл или не съответства на зададеното по-долу
216 error_can_not_read_import_file: Грешка по време на четене на импортирания файл
216 error_can_not_read_import_file: Грешка по време на четене на импортирания файл
217 error_attachment_extension_not_allowed: Файлове от тип %{extension} не са позволени
217 error_attachment_extension_not_allowed: Файлове от тип %{extension} не са позволени
218
218
219 mail_subject_lost_password: "Вашата парола (%{value})"
219 mail_subject_lost_password: "Вашата парола (%{value})"
220 mail_body_lost_password: 'За да смените паролата си, използвайте следния линк:'
220 mail_body_lost_password: 'За да смените паролата си, използвайте следния линк:'
221 mail_subject_register: "Активация на профил (%{value})"
221 mail_subject_register: "Активация на профил (%{value})"
222 mail_body_register: 'За да активирате профила си използвайте следния линк:'
222 mail_body_register: 'За да активирате профила си използвайте следния линк:'
223 mail_body_account_information_external: "Можете да използвате вашия %{value} профил за вход."
223 mail_body_account_information_external: "Можете да използвате вашия %{value} профил за вход."
224 mail_body_account_information: Информацията за профила ви
224 mail_body_account_information: Информацията за профила ви
225 mail_subject_account_activation_request: "Заявка за активиране на профил в %{value}"
225 mail_subject_account_activation_request: "Заявка за активиране на профил в %{value}"
226 mail_body_account_activation_request: "Има новорегистриран потребител (%{value}), очакващ вашето одобрение:"
226 mail_body_account_activation_request: "Има новорегистриран потребител (%{value}), очакващ вашето одобрение:"
227 mail_subject_reminder: "%{count} задачи с краен срок с следващите %{days} дни"
227 mail_subject_reminder: "%{count} задачи с краен срок с следващите %{days} дни"
228 mail_body_reminder: "%{count} задачи, назначени на вас са с краен срок в следващите %{days} дни:"
228 mail_body_reminder: "%{count} задачи, назначени на вас са с краен срок в следващите %{days} дни:"
229 mail_subject_wiki_content_added: "Wiki страницата '%{id}' беше добавена"
229 mail_subject_wiki_content_added: "Wiki страницата '%{id}' беше добавена"
230 mail_body_wiki_content_added: Wiki страницата '%{id}' беше добавена от %{author}.
230 mail_body_wiki_content_added: Wiki страницата '%{id}' беше добавена от %{author}.
231 mail_subject_wiki_content_updated: "Wiki страницата '%{id}' беше обновена"
231 mail_subject_wiki_content_updated: "Wiki страницата '%{id}' беше обновена"
232 mail_body_wiki_content_updated: Wiki страницата '%{id}' беше обновена от %{author}.
232 mail_body_wiki_content_updated: Wiki страницата '%{id}' беше обновена от %{author}.
233
233
234 field_name: Име
234 field_name: Име
235 field_description: Описание
235 field_description: Описание
236 field_summary: Анотация
236 field_summary: Анотация
237 field_is_required: Задължително
237 field_is_required: Задължително
238 field_firstname: Име
238 field_firstname: Име
239 field_lastname: Фамилия
239 field_lastname: Фамилия
240 field_mail: Имейл
240 field_mail: Имейл
241 field_address: Имейл
241 field_address: Имейл
242 field_filename: Файл
242 field_filename: Файл
243 field_filesize: Големина
243 field_filesize: Големина
244 field_downloads: Изтеглени файлове
244 field_downloads: Изтеглени файлове
245 field_author: Автор
245 field_author: Автор
246 field_created_on: От дата
246 field_created_on: От дата
247 field_updated_on: Обновена
247 field_updated_on: Обновена
248 field_closed_on: Затворена
248 field_closed_on: Затворена
249 field_field_format: Тип
249 field_field_format: Тип
250 field_is_for_all: За всички проекти
250 field_is_for_all: За всички проекти
251 field_possible_values: Възможни стойности
251 field_possible_values: Възможни стойности
252 field_regexp: Регулярен израз
252 field_regexp: Регулярен израз
253 field_min_length: Мин. дължина
253 field_min_length: Мин. дължина
254 field_max_length: Макс. дължина
254 field_max_length: Макс. дължина
255 field_value: Стойност
255 field_value: Стойност
256 field_category: Категория
256 field_category: Категория
257 field_title: Заглавие
257 field_title: Заглавие
258 field_project: Проект
258 field_project: Проект
259 field_issue: Задача
259 field_issue: Задача
260 field_status: Състояние
260 field_status: Състояние
261 field_notes: Бележка
261 field_notes: Бележка
262 field_is_closed: Затворена задача
262 field_is_closed: Затворена задача
263 field_is_default: Състояние по подразбиране
263 field_is_default: Състояние по подразбиране
264 field_tracker: Тракер
264 field_tracker: Тракер
265 field_subject: Заглавие
265 field_subject: Заглавие
266 field_due_date: Крайна дата
266 field_due_date: Крайна дата
267 field_assigned_to: Възложена на
267 field_assigned_to: Възложена на
268 field_priority: Приоритет
268 field_priority: Приоритет
269 field_fixed_version: Планувана версия
269 field_fixed_version: Планувана версия
270 field_user: Потребител
270 field_user: Потребител
271 field_principal: Principal
271 field_principal: Principal
272 field_role: Роля
272 field_role: Роля
273 field_homepage: Начална страница
273 field_homepage: Начална страница
274 field_is_public: Публичен
274 field_is_public: Публичен
275 field_parent: Подпроект на
275 field_parent: Подпроект на
276 field_is_in_roadmap: Да се вижда ли в Пътна карта
276 field_is_in_roadmap: Да се вижда ли в Пътна карта
277 field_login: Потребител
277 field_login: Потребител
278 field_mail_notification: Известия по пощата
278 field_mail_notification: Известия по пощата
279 field_admin: Администратор
279 field_admin: Администратор
280 field_last_login_on: Последно свързване
280 field_last_login_on: Последно свързване
281 field_language: Език
281 field_language: Език
282 field_effective_date: Дата
282 field_effective_date: Дата
283 field_password: Парола
283 field_password: Парола
284 field_new_password: Нова парола
284 field_new_password: Нова парола
285 field_password_confirmation: Потвърждение
285 field_password_confirmation: Потвърждение
286 field_version: Версия
286 field_version: Версия
287 field_type: Тип
287 field_type: Тип
288 field_host: Хост
288 field_host: Хост
289 field_port: Порт
289 field_port: Порт
290 field_account: Профил
290 field_account: Профил
291 field_base_dn: Base DN
291 field_base_dn: Base DN
292 field_attr_login: Атрибут Login
292 field_attr_login: Атрибут Login
293 field_attr_firstname: Атрибут Първо име (Firstname)
293 field_attr_firstname: Атрибут Първо име (Firstname)
294 field_attr_lastname: Атрибут Фамилия (Lastname)
294 field_attr_lastname: Атрибут Фамилия (Lastname)
295 field_attr_mail: Атрибут Email
295 field_attr_mail: Атрибут Email
296 field_onthefly: Динамично създаване на потребител
296 field_onthefly: Динамично създаване на потребител
297 field_start_date: Начална дата
297 field_start_date: Начална дата
298 field_done_ratio: "% Прогрес"
298 field_done_ratio: "% Прогрес"
299 field_auth_source: Начин на оторизация
299 field_auth_source: Начин на оторизация
300 field_hide_mail: Скрий e-mail адреса ми
300 field_hide_mail: Скрий e-mail адреса ми
301 field_comments: Коментар
301 field_comments: Коментар
302 field_url: Адрес
302 field_url: Адрес
303 field_start_page: Начална страница
303 field_start_page: Начална страница
304 field_subproject: Подпроект
304 field_subproject: Подпроект
305 field_hours: Часове
305 field_hours: Часове
306 field_activity: Дейност
306 field_activity: Дейност
307 field_spent_on: Дата
307 field_spent_on: Дата
308 field_identifier: Идентификатор
308 field_identifier: Идентификатор
309 field_is_filter: Използва се за филтър
309 field_is_filter: Използва се за филтър
310 field_issue_to: Свързана задача
310 field_issue_to: Свързана задача
311 field_delay: Отместване
311 field_delay: Отместване
312 field_assignable: Възможно е възлагане на задачи за тази роля
312 field_assignable: Възможно е възлагане на задачи за тази роля
313 field_redirect_existing_links: Пренасочване на съществуващи линкове
313 field_redirect_existing_links: Пренасочване на съществуващи линкове
314 field_estimated_hours: Изчислено време
314 field_estimated_hours: Изчислено време
315 field_column_names: Колони
315 field_column_names: Колони
316 field_time_entries: Log time
316 field_time_entries: Log time
317 field_time_zone: Часова зона
317 field_time_zone: Часова зона
318 field_searchable: С възможност за търсене
318 field_searchable: С възможност за търсене
319 field_default_value: Стойност по подразбиране
319 field_default_value: Стойност по подразбиране
320 field_comments_sorting: Сортиране на коментарите
320 field_comments_sorting: Сортиране на коментарите
321 field_parent_title: Родителска страница
321 field_parent_title: Родителска страница
322 field_editable: Editable
322 field_editable: Editable
323 field_watcher: Наблюдател
323 field_watcher: Наблюдател
324 field_identity_url: OpenID URL
324 field_identity_url: OpenID URL
325 field_content: Съдържание
325 field_content: Съдържание
326 field_group_by: Групиране на резултатите по
326 field_group_by: Групиране на резултатите по
327 field_sharing: Sharing
327 field_sharing: Sharing
328 field_parent_issue: Родителска задача
328 field_parent_issue: Родителска задача
329 field_member_of_group: Член на група
329 field_member_of_group: Член на група
330 field_assigned_to_role: Assignee's role
330 field_assigned_to_role: Assignee's role
331 field_text: Текстово поле
331 field_text: Текстово поле
332 field_visible: Видим
332 field_visible: Видим
333 field_warn_on_leaving_unsaved: Предупреди ме, когато напускам страница с незаписано съдържание
333 field_warn_on_leaving_unsaved: Предупреди ме, когато напускам страница с незаписано съдържание
334 field_issues_visibility: Видимост на задачите
334 field_issues_visibility: Видимост на задачите
335 field_is_private: Лична
335 field_is_private: Лична
336 field_commit_logs_encoding: Кодова таблица на съобщенията при поверяване
336 field_commit_logs_encoding: Кодова таблица на съобщенията при поверяване
337 field_scm_path_encoding: Кодова таблица на пътищата (path)
337 field_scm_path_encoding: Кодова таблица на пътищата (path)
338 field_path_to_repository: Път до хранилището
338 field_path_to_repository: Път до хранилището
339 field_root_directory: Коренна директория (папка)
339 field_root_directory: Коренна директория (папка)
340 field_cvsroot: CVSROOT
340 field_cvsroot: CVSROOT
341 field_cvs_module: Модул
341 field_cvs_module: Модул
342 field_repository_is_default: Главно хранилище
342 field_repository_is_default: Главно хранилище
343 field_multiple: Избор на повече от една стойност
343 field_multiple: Избор на повече от една стойност
344 field_auth_source_ldap_filter: LDAP филтър
344 field_auth_source_ldap_filter: LDAP филтър
345 field_core_fields: Стандартни полета
345 field_core_fields: Стандартни полета
346 field_timeout: Таймаут (в секунди)
346 field_timeout: Таймаут (в секунди)
347 field_board_parent: Родителски форум
347 field_board_parent: Родителски форум
348 field_private_notes: Лични бележки
348 field_private_notes: Лични бележки
349 field_inherit_members: Наследяване на членовете на родителския проект
349 field_inherit_members: Наследяване на членовете на родителския проект
350 field_generate_password: Генериране на парола
350 field_generate_password: Генериране на парола
351 field_must_change_passwd: Паролата трябва да бъде сменена при следващото влизане в Redmine
351 field_must_change_passwd: Паролата трябва да бъде сменена при следващото влизане в Redmine
352 field_default_status: Състояние по подразбиране
352 field_default_status: Състояние по подразбиране
353 field_users_visibility: Видимост на потребителите
353 field_users_visibility: Видимост на потребителите
354 field_time_entries_visibility: Видимост на записи за използвано време
354 field_time_entries_visibility: Видимост на записи за използвано време
355 field_total_estimated_hours: Общо изчислено време
355 field_total_estimated_hours: Общо изчислено време
356 field_default_version: Версия по подразбиране
356 field_default_version: Версия по подразбиране
357
357
358 setting_app_title: Заглавие
358 setting_app_title: Заглавие
359 setting_app_subtitle: Описание
359 setting_app_subtitle: Описание
360 setting_welcome_text: Допълнителен текст
360 setting_welcome_text: Допълнителен текст
361 setting_default_language: Език по подразбиране
361 setting_default_language: Език по подразбиране
362 setting_login_required: Изискване за вход в Redmine
362 setting_login_required: Изискване за вход в Redmine
363 setting_self_registration: Регистрация от потребители
363 setting_self_registration: Регистрация от потребители
364 setting_attachment_max_size: Максимална големина на прикачен файл
364 setting_attachment_max_size: Максимална големина на прикачен файл
365 setting_issues_export_limit: Максимален брой задачи за експорт
365 setting_issues_export_limit: Максимален брой задачи за експорт
366 setting_mail_from: E-mail адрес за емисии
366 setting_mail_from: E-mail адрес за емисии
367 setting_bcc_recipients: Получатели на скрито копие (bcc)
367 setting_bcc_recipients: Получатели на скрито копие (bcc)
368 setting_plain_text_mail: само чист текст (без HTML)
368 setting_plain_text_mail: само чист текст (без HTML)
369 setting_host_name: Хост
369 setting_host_name: Хост
370 setting_text_formatting: Форматиране на текста
370 setting_text_formatting: Форматиране на текста
371 setting_wiki_compression: Компресиране на Wiki историята
371 setting_wiki_compression: Компресиране на Wiki историята
372 setting_feeds_limit: Максимален брой записи в ATOM емисии
372 setting_feeds_limit: Максимален брой записи в ATOM емисии
373 setting_default_projects_public: Новите проекти са публични по подразбиране
373 setting_default_projects_public: Новите проекти са публични по подразбиране
374 setting_autofetch_changesets: Автоматично извличане на ревизиите
374 setting_autofetch_changesets: Автоматично извличане на ревизиите
375 setting_sys_api_enabled: Разрешаване на WS за управление
375 setting_sys_api_enabled: Разрешаване на WS за управление
376 setting_commit_ref_keywords: Отбелязващи ключови думи
376 setting_commit_ref_keywords: Отбелязващи ключови думи
377 setting_commit_fix_keywords: Приключващи ключови думи
377 setting_commit_fix_keywords: Приключващи ключови думи
378 setting_autologin: Автоматичен вход
378 setting_autologin: Автоматичен вход
379 setting_date_format: Формат на датата
379 setting_date_format: Формат на датата
380 setting_time_format: Формат на часа
380 setting_time_format: Формат на часа
381 setting_cross_project_issue_relations: Релации на задачи между проекти
381 setting_cross_project_issue_relations: Релации на задачи между проекти
382 setting_cross_project_subtasks: Подзадачи от други проекти
382 setting_cross_project_subtasks: Подзадачи от други проекти
383 setting_issue_list_default_columns: Показвани колони по подразбиране
383 setting_issue_list_default_columns: Показвани колони по подразбиране
384 setting_repositories_encodings: Кодова таблица на прикачените файлове и хранилищата
384 setting_repositories_encodings: Кодова таблица на прикачените файлове и хранилищата
385 setting_emails_header: Email header
385 setting_emails_header: Email header
386 setting_emails_footer: Подтекст за e-mail
386 setting_emails_footer: Подтекст за e-mail
387 setting_protocol: Протокол
387 setting_protocol: Протокол
388 setting_per_page_options: Опции за страниране
388 setting_per_page_options: Опции за страниране
389 setting_user_format: Потребителски формат
389 setting_user_format: Потребителски формат
390 setting_activity_days_default: Брой дни показвани на таб Дейност
390 setting_activity_days_default: Брой дни показвани на таб Дейност
391 setting_display_subprojects_issues: Задачите от подпроектите по подразбиране се показват в главните проекти
391 setting_display_subprojects_issues: Задачите от подпроектите по подразбиране се показват в главните проекти
392 setting_enabled_scm: Разрешена SCM
392 setting_enabled_scm: Разрешена SCM
393 setting_mail_handler_body_delimiters: Отрязване на e-mail-ите след един от тези редове
393 setting_mail_handler_body_delimiters: Отрязване на e-mail-ите след един от тези редове
394 setting_mail_handler_api_enabled: Разрешаване на WS за входящи e-mail-и
394 setting_mail_handler_api_enabled: Разрешаване на WS за входящи e-mail-и
395 setting_mail_handler_api_key: API ключ
395 setting_mail_handler_api_key: API ключ
396 setting_sequential_project_identifiers: Генериране на последователни проектни идентификатори
396 setting_sequential_project_identifiers: Генериране на последователни проектни идентификатори
397 setting_gravatar_enabled: Използване на портребителски икони от Gravatar
397 setting_gravatar_enabled: Използване на портребителски икони от Gravatar
398 setting_gravatar_default: Подразбиращо се изображение от Gravatar
398 setting_gravatar_default: Подразбиращо се изображение от Gravatar
399 setting_diff_max_lines_displayed: Максимален брой показвани diff редове
399 setting_diff_max_lines_displayed: Максимален брой показвани diff редове
400 setting_file_max_size_displayed: Максимален размер на текстовите файлове, показвани inline
400 setting_file_max_size_displayed: Максимален размер на текстовите файлове, показвани inline
401 setting_repository_log_display_limit: Максимален брой на показванете ревизии в лог файла
401 setting_repository_log_display_limit: Максимален брой на показванете ревизии в лог файла
402 setting_openid: Рарешаване на OpenID вход и регистрация
402 setting_openid: Рарешаване на OpenID вход и регистрация
403 setting_password_max_age: Изискване за смяна на паролата след
403 setting_password_max_age: Изискване за смяна на паролата след
404 setting_password_min_length: Минимална дължина на парола
404 setting_password_min_length: Минимална дължина на парола
405 setting_new_project_user_role_id: Роля, давана на потребител, създаващ проекти, който не е администратор
405 setting_new_project_user_role_id: Роля, давана на потребител, създаващ проекти, който не е администратор
406 setting_default_projects_modules: Активирани модули по подразбиране за нов проект
406 setting_default_projects_modules: Активирани модули по подразбиране за нов проект
407 setting_issue_done_ratio: Изчисление на процента на готови задачи с
407 setting_issue_done_ratio: Изчисление на процента на готови задачи с
408 setting_issue_done_ratio_issue_field: Използване на поле '% Прогрес'
408 setting_issue_done_ratio_issue_field: Използване на поле '% Прогрес'
409 setting_issue_done_ratio_issue_status: Използване на състоянието на задачите
409 setting_issue_done_ratio_issue_status: Използване на състоянието на задачите
410 setting_start_of_week: Първи ден на седмицата
410 setting_start_of_week: Първи ден на седмицата
411 setting_rest_api_enabled: Разрешаване на REST web сървис
411 setting_rest_api_enabled: Разрешаване на REST web сървис
412 setting_cache_formatted_text: Кеширане на форматираните текстове
412 setting_cache_formatted_text: Кеширане на форматираните текстове
413 setting_default_notification_option: Подразбиращ се начин за известяване
413 setting_default_notification_option: Подразбиращ се начин за известяване
414 setting_commit_logtime_enabled: Разрешаване на отчитането на работното време
414 setting_commit_logtime_enabled: Разрешаване на отчитането на работното време
415 setting_commit_logtime_activity_id: Дейност при отчитане на работното време
415 setting_commit_logtime_activity_id: Дейност при отчитане на работното време
416 setting_gantt_items_limit: Максимален брой обекти, които да се показват в мрежов график
416 setting_gantt_items_limit: Максимален брой обекти, които да се показват в мрежов график
417 setting_issue_group_assignment: Разрешено назначаването на задачи на групи
417 setting_issue_group_assignment: Разрешено назначаването на задачи на групи
418 setting_default_issue_start_date_to_creation_date: Начална дата на новите задачи по подразбиране да бъде днешната дата
418 setting_default_issue_start_date_to_creation_date: Начална дата на новите задачи по подразбиране да бъде днешната дата
419 setting_commit_cross_project_ref: Отбелязване и приключване на задачи от други проекти, несвързани с конкретното хранилище
419 setting_commit_cross_project_ref: Отбелязване и приключване на задачи от други проекти, несвързани с конкретното хранилище
420 setting_unsubscribe: Потребителите могат да премахват профилите си
420 setting_unsubscribe: Потребителите могат да премахват профилите си
421 setting_session_lifetime: Максимален живот на сесиите
421 setting_session_lifetime: Максимален живот на сесиите
422 setting_session_timeout: Таймаут за неактивност преди прекратяване на сесиите
422 setting_session_timeout: Таймаут за неактивност преди прекратяване на сесиите
423 setting_thumbnails_enabled: Показване на миниатюри на прикачените изображения
423 setting_thumbnails_enabled: Показване на миниатюри на прикачените изображения
424 setting_thumbnails_size: Размер на миниатюрите (в пиксели)
424 setting_thumbnails_size: Размер на миниатюрите (в пиксели)
425 setting_non_working_week_days: Не работни дни
425 setting_non_working_week_days: Не работни дни
426 setting_jsonp_enabled: Разрешаване на поддръжка на JSONP
426 setting_jsonp_enabled: Разрешаване на поддръжка на JSONP
427 setting_default_projects_tracker_ids: Тракери по подразбиране за нови проекти
427 setting_default_projects_tracker_ids: Тракери по подразбиране за нови проекти
428 setting_mail_handler_excluded_filenames: Имена на прикачени файлове, които да се пропускат при приемане на e-mail-и (например *.vcf, companylogo.gif).
428 setting_mail_handler_excluded_filenames: Имена на прикачени файлове, които да се пропускат при приемане на e-mail-и (например *.vcf, companylogo.gif).
429 setting_force_default_language_for_anonymous: Задължително език по подразбиране за анонимните потребители
429 setting_force_default_language_for_anonymous: Задължително език по подразбиране за анонимните потребители
430 setting_force_default_language_for_loggedin: Задължително език по подразбиране за потребителите, влезли в Redmine
430 setting_force_default_language_for_loggedin: Задължително език по подразбиране за потребителите, влезли в Redmine
431 setting_link_copied_issue: Свързване на задачите при копиране
431 setting_link_copied_issue: Свързване на задачите при копиране
432 setting_max_additional_emails: Максимален брой на допълнителните имейл адреси
432 setting_max_additional_emails: Максимален брой на допълнителните имейл адреси
433 setting_search_results_per_page: Резултати от търсене на страница
433 setting_search_results_per_page: Резултати от търсене на страница
434 setting_attachment_extensions_allowed: Позволени типове на файлове
434 setting_attachment_extensions_allowed: Позволени типове на файлове
435 setting_attachment_extensions_denied: Разрешени типове на файлове
435 setting_attachment_extensions_denied: Разрешени типове на файлове
436
436
437 permission_add_project: Създаване на проект
437 permission_add_project: Създаване на проект
438 permission_add_subprojects: Създаване на подпроекти
438 permission_add_subprojects: Създаване на подпроекти
439 permission_edit_project: Редактиране на проект
439 permission_edit_project: Редактиране на проект
440 permission_close_project: Затваряне / отваряне на проект
440 permission_close_project: Затваряне / отваряне на проект
441 permission_select_project_modules: Избор на проектни модули
441 permission_select_project_modules: Избор на проектни модули
442 permission_manage_members: Управление на членовете (на екип)
442 permission_manage_members: Управление на членовете (на екип)
443 permission_manage_project_activities: Управление на дейностите на проекта
443 permission_manage_project_activities: Управление на дейностите на проекта
444 permission_manage_versions: Управление на версиите
444 permission_manage_versions: Управление на версиите
445 permission_manage_categories: Управление на категориите
445 permission_manage_categories: Управление на категориите
446 permission_view_issues: Разглеждане на задачите
446 permission_view_issues: Разглеждане на задачите
447 permission_add_issues: Добавяне на задачи
447 permission_add_issues: Добавяне на задачи
448 permission_edit_issues: Редактиране на задачи
448 permission_edit_issues: Редактиране на задачи
449 permission_copy_issues: Копиране на задачи
449 permission_copy_issues: Копиране на задачи
450 permission_manage_issue_relations: Управление на връзките между задачите
450 permission_manage_issue_relations: Управление на връзките между задачите
451 permission_set_own_issues_private: Установяване на собствените задачи публични или лични
451 permission_set_own_issues_private: Установяване на собствените задачи публични или лични
452 permission_set_issues_private: Установяване на задачите публични или лични
452 permission_set_issues_private: Установяване на задачите публични или лични
453 permission_add_issue_notes: Добавяне на бележки
453 permission_add_issue_notes: Добавяне на бележки
454 permission_edit_issue_notes: Редактиране на бележки
454 permission_edit_issue_notes: Редактиране на бележки
455 permission_edit_own_issue_notes: Редактиране на собствени бележки
455 permission_edit_own_issue_notes: Редактиране на собствени бележки
456 permission_view_private_notes: Разглеждане на лични бележки
456 permission_view_private_notes: Разглеждане на лични бележки
457 permission_set_notes_private: Установяване на бележките лични
457 permission_set_notes_private: Установяване на бележките лични
458 permission_move_issues: Преместване на задачи
458 permission_move_issues: Преместване на задачи
459 permission_delete_issues: Изтриване на задачи
459 permission_delete_issues: Изтриване на задачи
460 permission_manage_public_queries: Управление на публичните заявки
460 permission_manage_public_queries: Управление на публичните заявки
461 permission_save_queries: Запис на запитвания (queries)
461 permission_save_queries: Запис на запитвания (queries)
462 permission_view_gantt: Разглеждане на мрежов график
462 permission_view_gantt: Разглеждане на мрежов график
463 permission_view_calendar: Разглеждане на календари
463 permission_view_calendar: Разглеждане на календари
464 permission_view_issue_watchers: Разглеждане на списък с наблюдатели
464 permission_view_issue_watchers: Разглеждане на списък с наблюдатели
465 permission_add_issue_watchers: Добавяне на наблюдатели
465 permission_add_issue_watchers: Добавяне на наблюдатели
466 permission_delete_issue_watchers: Изтриване на наблюдатели
466 permission_delete_issue_watchers: Изтриване на наблюдатели
467 permission_log_time: Log spent time
467 permission_log_time: Log spent time
468 permission_view_time_entries: Разглеждане на записите за изразходваното време
468 permission_view_time_entries: Разглеждане на записите за изразходваното време
469 permission_edit_time_entries: Редактиране на записите за изразходваното време
469 permission_edit_time_entries: Редактиране на записите за изразходваното време
470 permission_edit_own_time_entries: Редактиране на собствените записи за изразходваното време
470 permission_edit_own_time_entries: Редактиране на собствените записи за изразходваното време
471 permission_manage_news: Управление на новини
471 permission_manage_news: Управление на новини
472 permission_comment_news: Коментиране на новини
472 permission_comment_news: Коментиране на новини
473 permission_view_documents: Разглеждане на документи
473 permission_view_documents: Разглеждане на документи
474 permission_add_documents: Добавяне на документи
474 permission_add_documents: Добавяне на документи
475 permission_edit_documents: Редактиране на документи
475 permission_edit_documents: Редактиране на документи
476 permission_delete_documents: Изтриване на документи
476 permission_delete_documents: Изтриване на документи
477 permission_manage_files: Управление на файлове
477 permission_manage_files: Управление на файлове
478 permission_view_files: Разглеждане на файлове
478 permission_view_files: Разглеждане на файлове
479 permission_manage_wiki: Управление на wiki
479 permission_manage_wiki: Управление на wiki
480 permission_rename_wiki_pages: Преименуване на wiki страници
480 permission_rename_wiki_pages: Преименуване на wiki страници
481 permission_delete_wiki_pages: Изтриване на wiki страници
481 permission_delete_wiki_pages: Изтриване на wiki страници
482 permission_view_wiki_pages: Разглеждане на wiki
482 permission_view_wiki_pages: Разглеждане на wiki
483 permission_view_wiki_edits: Разглеждане на wiki история
483 permission_view_wiki_edits: Разглеждане на wiki история
484 permission_edit_wiki_pages: Редактиране на wiki страници
484 permission_edit_wiki_pages: Редактиране на wiki страници
485 permission_delete_wiki_pages_attachments: Изтриване на прикачени файлове към wiki страници
485 permission_delete_wiki_pages_attachments: Изтриване на прикачени файлове към wiki страници
486 permission_protect_wiki_pages: Заключване на wiki страници
486 permission_protect_wiki_pages: Заключване на wiki страници
487 permission_manage_repository: Управление на хранилища
487 permission_manage_repository: Управление на хранилища
488 permission_browse_repository: Разглеждане на хранилища
488 permission_browse_repository: Разглеждане на хранилища
489 permission_view_changesets: Разглеждане на changesets
489 permission_view_changesets: Разглеждане на changesets
490 permission_commit_access: Поверяване
490 permission_commit_access: Поверяване
491 permission_manage_boards: Управление на boards
491 permission_manage_boards: Управление на boards
492 permission_view_messages: Разглеждане на съобщения
492 permission_view_messages: Разглеждане на съобщения
493 permission_add_messages: Публикуване на съобщения
493 permission_add_messages: Публикуване на съобщения
494 permission_edit_messages: Редактиране на съобщения
494 permission_edit_messages: Редактиране на съобщения
495 permission_edit_own_messages: Редактиране на собствени съобщения
495 permission_edit_own_messages: Редактиране на собствени съобщения
496 permission_delete_messages: Изтриване на съобщения
496 permission_delete_messages: Изтриване на съобщения
497 permission_delete_own_messages: Изтриване на собствени съобщения
497 permission_delete_own_messages: Изтриване на собствени съобщения
498 permission_export_wiki_pages: Експорт на wiki страници
498 permission_export_wiki_pages: Експорт на wiki страници
499 permission_manage_subtasks: Управление на подзадачите
499 permission_manage_subtasks: Управление на подзадачите
500 permission_manage_related_issues: Управление на връзките между задачи и ревизии
500 permission_manage_related_issues: Управление на връзките между задачи и ревизии
501 permission_import_issues: Импорт на задачи
501 permission_import_issues: Импорт на задачи
502
502
503 project_module_issue_tracking: Тракинг
503 project_module_issue_tracking: Тракинг
504 project_module_time_tracking: Отделяне на време
504 project_module_time_tracking: Отделяне на време
505 project_module_news: Новини
505 project_module_news: Новини
506 project_module_documents: Документи
506 project_module_documents: Документи
507 project_module_files: Файлове
507 project_module_files: Файлове
508 project_module_wiki: Wiki
508 project_module_wiki: Wiki
509 project_module_repository: Хранилище
509 project_module_repository: Хранилище
510 project_module_boards: Форуми
510 project_module_boards: Форуми
511 project_module_calendar: Календар
511 project_module_calendar: Календар
512 project_module_gantt: Мрежов график
512 project_module_gantt: Мрежов график
513
513
514 label_user: Потребител
514 label_user: Потребител
515 label_user_plural: Потребители
515 label_user_plural: Потребители
516 label_user_new: Нов потребител
516 label_user_new: Нов потребител
517 label_user_anonymous: Анонимен
517 label_user_anonymous: Анонимен
518 label_project: Проект
518 label_project: Проект
519 label_project_new: Нов проект
519 label_project_new: Нов проект
520 label_project_plural: Проекти
520 label_project_plural: Проекти
521 label_x_projects:
521 label_x_projects:
522 zero: 0 проекта
522 zero: 0 проекта
523 one: 1 проект
523 one: 1 проект
524 other: "%{count} проекта"
524 other: "%{count} проекта"
525 label_project_all: Всички проекти
525 label_project_all: Всички проекти
526 label_project_latest: Последни проекти
526 label_project_latest: Последни проекти
527 label_issue: Задача
527 label_issue: Задача
528 label_issue_new: Нова задача
528 label_issue_new: Нова задача
529 label_issue_plural: Задачи
529 label_issue_plural: Задачи
530 label_issue_view_all: Всички задачи
530 label_issue_view_all: Всички задачи
531 label_issues_by: "Задачи по %{value}"
531 label_issues_by: "Задачи по %{value}"
532 label_issue_added: Добавена задача
532 label_issue_added: Добавена задача
533 label_issue_updated: Обновена задача
533 label_issue_updated: Обновена задача
534 label_issue_note_added: Добавена бележка
534 label_issue_note_added: Добавена бележка
535 label_issue_status_updated: Обновено състояние
535 label_issue_status_updated: Обновено състояние
536 label_issue_assigned_to_updated: Задачата е с назначен нов изпълнител
536 label_issue_assigned_to_updated: Задачата е с назначен нов изпълнител
537 label_issue_priority_updated: Обновен приоритет
537 label_issue_priority_updated: Обновен приоритет
538 label_document: Документ
538 label_document: Документ
539 label_document_new: Нов документ
539 label_document_new: Нов документ
540 label_document_plural: Документи
540 label_document_plural: Документи
541 label_document_added: Добавен документ
541 label_document_added: Добавен документ
542 label_role: Роля
542 label_role: Роля
543 label_role_plural: Роли
543 label_role_plural: Роли
544 label_role_new: Нова роля
544 label_role_new: Нова роля
545 label_role_and_permissions: Роли и права
545 label_role_and_permissions: Роли и права
546 label_role_anonymous: Анонимен
546 label_role_anonymous: Анонимен
547 label_role_non_member: Не член
547 label_role_non_member: Не член
548 label_member: Член
548 label_member: Член
549 label_member_new: Нов член
549 label_member_new: Нов член
550 label_member_plural: Членове
550 label_member_plural: Членове
551 label_tracker: Тракер
551 label_tracker: Тракер
552 label_tracker_plural: Тракери
552 label_tracker_plural: Тракери
553 label_tracker_new: Нов тракер
553 label_tracker_new: Нов тракер
554 label_workflow: Работен процес
554 label_workflow: Работен процес
555 label_issue_status: Състояние на задача
555 label_issue_status: Състояние на задача
556 label_issue_status_plural: Състояния на задачи
556 label_issue_status_plural: Състояния на задачи
557 label_issue_status_new: Ново състояние
557 label_issue_status_new: Ново състояние
558 label_issue_category: Категория задача
558 label_issue_category: Категория задача
559 label_issue_category_plural: Категории задачи
559 label_issue_category_plural: Категории задачи
560 label_issue_category_new: Нова категория
560 label_issue_category_new: Нова категория
561 label_custom_field: Потребителско поле
561 label_custom_field: Потребителско поле
562 label_custom_field_plural: Потребителски полета
562 label_custom_field_plural: Потребителски полета
563 label_custom_field_new: Ново потребителско поле
563 label_custom_field_new: Ново потребителско поле
564 label_enumerations: Списъци
564 label_enumerations: Списъци
565 label_enumeration_new: Нова стойност
565 label_enumeration_new: Нова стойност
566 label_information: Информация
566 label_information: Информация
567 label_information_plural: Информация
567 label_information_plural: Информация
568 label_please_login: Вход
568 label_please_login: Вход
569 label_register: Регистрация
569 label_register: Регистрация
570 label_login_with_open_id_option: или вход чрез OpenID
570 label_login_with_open_id_option: или вход чрез OpenID
571 label_password_lost: Забравена парола
571 label_password_lost: Забравена парола
572 label_password_required: Потвърдете вашата парола, за да продължите
572 label_password_required: Потвърдете вашата парола, за да продължите
573 label_home: Начало
573 label_home: Начало
574 label_my_page: Лична страница
574 label_my_page: Лична страница
575 label_my_account: Профил
575 label_my_account: Профил
576 label_my_projects: Проекти, в които участвам
576 label_my_projects: Проекти, в които участвам
577 label_my_page_block: Блокове в личната страница
577 label_my_page_block: Блокове в личната страница
578 label_administration: Администрация
578 label_administration: Администрация
579 label_login: Вход
579 label_login: Вход
580 label_logout: Изход
580 label_logout: Изход
581 label_help: Помощ
581 label_help: Помощ
582 label_reported_issues: Публикувани задачи
582 label_reported_issues: Публикувани задачи
583 label_assigned_issues: Назначени задачи
583 label_assigned_issues: Назначени задачи
584 label_assigned_to_me_issues: Възложени на мен
584 label_assigned_to_me_issues: Възложени на мен
585 label_last_login: Последно свързване
585 label_last_login: Последно свързване
586 label_registered_on: Регистрация
586 label_registered_on: Регистрация
587 label_activity: Дейност
587 label_activity: Дейност
588 label_overall_activity: Цялостна дейност
588 label_overall_activity: Цялостна дейност
589 label_user_activity: "Активност на %{value}"
589 label_user_activity: "Активност на %{value}"
590 label_new: Нов
590 label_new: Нов
591 label_logged_as: Здравейте,
591 label_logged_as: Здравейте,
592 label_environment: Среда
592 label_environment: Среда
593 label_authentication: Оторизация
593 label_authentication: Оторизация
594 label_auth_source: Начин на оторозация
594 label_auth_source: Начин на оторозация
595 label_auth_source_new: Нов начин на оторизация
595 label_auth_source_new: Нов начин на оторизация
596 label_auth_source_plural: Начини на оторизация
596 label_auth_source_plural: Начини на оторизация
597 label_subproject_plural: Подпроекти
597 label_subproject_plural: Подпроекти
598 label_subproject_new: Нов подпроект
598 label_subproject_new: Нов подпроект
599 label_and_its_subprojects: "%{value} и неговите подпроекти"
599 label_and_its_subprojects: "%{value} и неговите подпроекти"
600 label_min_max_length: Минимална - максимална дължина
600 label_min_max_length: Минимална - максимална дължина
601 label_list: Списък
601 label_list: Списък
602 label_date: Дата
602 label_date: Дата
603 label_integer: Целочислен
603 label_integer: Целочислен
604 label_float: Дробно
604 label_float: Дробно
605 label_boolean: Чекбокс
605 label_boolean: Чекбокс
606 label_string: Текст
606 label_string: Текст
607 label_text: Дълъг текст
607 label_text: Дълъг текст
608 label_attribute: Атрибут
608 label_attribute: Атрибут
609 label_attribute_plural: Атрибути
609 label_attribute_plural: Атрибути
610 label_no_data: Няма изходни данни
610 label_no_data: Няма изходни данни
611 label_change_status: Промяна на състоянието
611 label_change_status: Промяна на състоянието
612 label_history: История
612 label_history: История
613 label_attachment: Файл
613 label_attachment: Файл
614 label_attachment_new: Нов файл
614 label_attachment_new: Нов файл
615 label_attachment_delete: Изтриване
615 label_attachment_delete: Изтриване
616 label_attachment_plural: Файлове
616 label_attachment_plural: Файлове
617 label_file_added: Добавен файл
617 label_file_added: Добавен файл
618 label_report: Справка
618 label_report: Справка
619 label_report_plural: Справки
619 label_report_plural: Справки
620 label_news: Новини
620 label_news: Новини
621 label_news_new: Добави
621 label_news_new: Добави
622 label_news_plural: Новини
622 label_news_plural: Новини
623 label_news_latest: Последни новини
623 label_news_latest: Последни новини
624 label_news_view_all: Виж всички
624 label_news_view_all: Виж всички
625 label_news_added: Добавена новина
625 label_news_added: Добавена новина
626 label_news_comment_added: Добавен коментар към новина
626 label_news_comment_added: Добавен коментар към новина
627 label_settings: Настройки
627 label_settings: Настройки
628 label_overview: Общ изглед
628 label_overview: Общ изглед
629 label_version: Версия
629 label_version: Версия
630 label_version_new: Нова версия
630 label_version_new: Нова версия
631 label_version_plural: Версии
631 label_version_plural: Версии
632 label_close_versions: Затваряне на завършените версии
632 label_close_versions: Затваряне на завършените версии
633 label_confirmation: Одобрение
633 label_confirmation: Одобрение
634 label_export_to: Експорт към
634 label_export_to: Експорт към
635 label_read: Read...
635 label_read: Read...
636 label_public_projects: Публични проекти
636 label_public_projects: Публични проекти
637 label_open_issues: отворена
637 label_open_issues: отворена
638 label_open_issues_plural: отворени
638 label_open_issues_plural: отворени
639 label_closed_issues: затворена
639 label_closed_issues: затворена
640 label_closed_issues_plural: затворени
640 label_closed_issues_plural: затворени
641 label_x_open_issues_abbr:
641 label_x_open_issues_abbr:
642 zero: 0 отворени
642 zero: 0 отворени
643 one: 1 отворена
643 one: 1 отворена
644 other: "%{count} отворени"
644 other: "%{count} отворени"
645 label_x_closed_issues_abbr:
645 label_x_closed_issues_abbr:
646 zero: 0 затворени
646 zero: 0 затворени
647 one: 1 затворена
647 one: 1 затворена
648 other: "%{count} затворени"
648 other: "%{count} затворени"
649 label_x_issues:
649 label_x_issues:
650 zero: 0 задачи
650 zero: 0 задачи
651 one: 1 задача
651 one: 1 задача
652 other: "%{count} задачи"
652 other: "%{count} задачи"
653 label_total: Общо
653 label_total: Общо
654 label_total_plural: Общо
654 label_total_plural: Общо
655 label_total_time: Общо
655 label_total_time: Общо
656 label_permissions: Права
656 label_permissions: Права
657 label_current_status: Текущо състояние
657 label_current_status: Текущо състояние
658 label_new_statuses_allowed: Позволени състояния
658 label_new_statuses_allowed: Позволени състояния
659 label_all: всички
659 label_all: всички
660 label_any: без значение
660 label_any: без значение
661 label_none: никакви
661 label_none: никакви
662 label_nobody: никой
662 label_nobody: никой
663 label_next: Следващ
663 label_next: Следващ
664 label_previous: Предишен
664 label_previous: Предишен
665 label_used_by: Използва се от
665 label_used_by: Използва се от
666 label_details: Детайли
666 label_details: Детайли
667 label_add_note: Добавяне на бележка
667 label_add_note: Добавяне на бележка
668 label_calendar: Календар
668 label_calendar: Календар
669 label_months_from: месеца от
669 label_months_from: месеца от
670 label_gantt: Мрежов график
670 label_gantt: Мрежов график
671 label_internal: Вътрешен
671 label_internal: Вътрешен
672 label_last_changes: "последни %{count} промени"
672 label_last_changes: "последни %{count} промени"
673 label_change_view_all: Виж всички промени
673 label_change_view_all: Виж всички промени
674 label_personalize_page: Персонализиране
674 label_personalize_page: Персонализиране
675 label_comment: Коментар
675 label_comment: Коментар
676 label_comment_plural: Коментари
676 label_comment_plural: Коментари
677 label_x_comments:
677 label_x_comments:
678 zero: 0 коментара
678 zero: 0 коментара
679 one: 1 коментар
679 one: 1 коментар
680 other: "%{count} коментара"
680 other: "%{count} коментара"
681 label_comment_add: Добавяне на коментар
681 label_comment_add: Добавяне на коментар
682 label_comment_added: Добавен коментар
682 label_comment_added: Добавен коментар
683 label_comment_delete: Изтриване на коментари
683 label_comment_delete: Изтриване на коментари
684 label_query: Потребителска справка
684 label_query: Потребителска справка
685 label_query_plural: Потребителски справки
685 label_query_plural: Потребителски справки
686 label_query_new: Нова заявка
686 label_query_new: Нова заявка
687 label_my_queries: Моите заявки
687 label_my_queries: Моите заявки
688 label_filter_add: Добави филтър
688 label_filter_add: Добави филтър
689 label_filter_plural: Филтри
689 label_filter_plural: Филтри
690 label_equals: е
690 label_equals: е
691 label_not_equals: не е
691 label_not_equals: не е
692 label_in_less_than: след по-малко от
692 label_in_less_than: след по-малко от
693 label_in_more_than: след повече от
693 label_in_more_than: след повече от
694 label_in_the_next_days: в следващите
694 label_in_the_next_days: в следващите
695 label_in_the_past_days: в предишните
695 label_in_the_past_days: в предишните
696 label_greater_or_equal: ">="
696 label_greater_or_equal: ">="
697 label_less_or_equal: <=
697 label_less_or_equal: <=
698 label_between: между
698 label_between: между
699 label_in: в следващите
699 label_in: в следващите
700 label_today: днес
700 label_today: днес
701 label_all_time: всички
701 label_all_time: всички
702 label_yesterday: вчера
702 label_yesterday: вчера
703 label_this_week: тази седмица
703 label_this_week: тази седмица
704 label_last_week: последната седмица
704 label_last_week: последната седмица
705 label_last_n_weeks: последните %{count} седмици
705 label_last_n_weeks: последните %{count} седмици
706 label_last_n_days: "последните %{count} дни"
706 label_last_n_days: "последните %{count} дни"
707 label_this_month: текущия месец
707 label_this_month: текущия месец
708 label_last_month: последния месец
708 label_last_month: последния месец
709 label_this_year: текущата година
709 label_this_year: текущата година
710 label_date_range: Период
710 label_date_range: Период
711 label_less_than_ago: преди по-малко от
711 label_less_than_ago: преди по-малко от
712 label_more_than_ago: преди повече от
712 label_more_than_ago: преди повече от
713 label_ago: преди
713 label_ago: преди
714 label_contains: съдържа
714 label_contains: съдържа
715 label_not_contains: не съдържа
715 label_not_contains: не съдържа
716 label_any_issues_in_project: задачи от проект
716 label_any_issues_in_project: задачи от проект
717 label_any_issues_not_in_project: задачи, които не са в проект
717 label_any_issues_not_in_project: задачи, които не са в проект
718 label_no_issues_in_project: никакви задачи в проект
718 label_no_issues_in_project: никакви задачи в проект
719 label_any_open_issues: отворени задачи
719 label_any_open_issues: отворени задачи
720 label_no_open_issues: без отворени задачи
720 label_no_open_issues: без отворени задачи
721 label_day_plural: дни
721 label_day_plural: дни
722 label_repository: Хранилище
722 label_repository: Хранилище
723 label_repository_new: Ново хранилище
723 label_repository_new: Ново хранилище
724 label_repository_plural: Хранилища
724 label_repository_plural: Хранилища
725 label_browse: Разглеждане
725 label_browse: Разглеждане
726 label_branch: работен вариант
726 label_branch: работен вариант
727 label_tag: Версия
727 label_tag: Версия
728 label_revision: Ревизия
728 label_revision: Ревизия
729 label_revision_plural: Ревизии
729 label_revision_plural: Ревизии
730 label_revision_id: Ревизия %{value}
730 label_revision_id: Ревизия %{value}
731 label_associated_revisions: Асоциирани ревизии
731 label_associated_revisions: Асоциирани ревизии
732 label_added: добавено
732 label_added: добавено
733 label_modified: променено
733 label_modified: променено
734 label_copied: копирано
734 label_copied: копирано
735 label_renamed: преименувано
735 label_renamed: преименувано
736 label_deleted: изтрито
736 label_deleted: изтрито
737 label_latest_revision: Последна ревизия
737 label_latest_revision: Последна ревизия
738 label_latest_revision_plural: Последни ревизии
738 label_latest_revision_plural: Последни ревизии
739 label_view_revisions: Виж ревизиите
739 label_view_revisions: Виж ревизиите
740 label_view_all_revisions: Разглеждане на всички ревизии
740 label_view_all_revisions: Разглеждане на всички ревизии
741 label_max_size: Максимална големина
741 label_max_size: Максимална големина
742 label_sort_highest: Премести най-горе
742 label_sort_highest: Премести най-горе
743 label_sort_higher: Премести по-горе
743 label_sort_higher: Премести по-горе
744 label_sort_lower: Премести по-долу
744 label_sort_lower: Премести по-долу
745 label_sort_lowest: Премести най-долу
745 label_sort_lowest: Премести най-долу
746 label_roadmap: Пътна карта
746 label_roadmap: Пътна карта
747 label_roadmap_due_in: "Излиза след %{value}"
747 label_roadmap_due_in: "Излиза след %{value}"
748 label_roadmap_overdue: "%{value} закъснение"
748 label_roadmap_overdue: "%{value} закъснение"
749 label_roadmap_no_issues: Няма задачи за тази версия
749 label_roadmap_no_issues: Няма задачи за тази версия
750 label_search: Търсене
750 label_search: Търсене
751 label_result_plural: Pезултати
751 label_result_plural: Pезултати
752 label_all_words: Всички думи
752 label_all_words: Всички думи
753 label_wiki: Wiki
753 label_wiki: Wiki
754 label_wiki_edit: Wiki редакция
754 label_wiki_edit: Wiki редакция
755 label_wiki_edit_plural: Wiki редакции
755 label_wiki_edit_plural: Wiki редакции
756 label_wiki_page: Wiki страница
756 label_wiki_page: Wiki страница
757 label_wiki_page_plural: Wiki страници
757 label_wiki_page_plural: Wiki страници
758 label_index_by_title: Индекс
758 label_index_by_title: Индекс
759 label_index_by_date: Индекс по дата
759 label_index_by_date: Индекс по дата
760 label_current_version: Текуща версия
760 label_current_version: Текуща версия
761 label_preview: Преглед
761 label_preview: Преглед
762 label_feed_plural: Емисии
762 label_feed_plural: Емисии
763 label_changes_details: Подробни промени
763 label_changes_details: Подробни промени
764 label_issue_tracking: Тракинг
764 label_issue_tracking: Тракинг
765 label_spent_time: Отделено време
765 label_spent_time: Отделено време
766 label_total_spent_time: Общо употребено време
766 label_total_spent_time: Общо употребено време
767 label_overall_spent_time: Общо употребено време
767 label_overall_spent_time: Общо употребено време
768 label_f_hour: "%{value} час"
768 label_f_hour: "%{value} час"
769 label_f_hour_plural: "%{value} часа"
769 label_f_hour_plural: "%{value} часа"
770 label_f_hour_short: '%{value} час'
770 label_f_hour_short: '%{value} час'
771 label_time_tracking: Отделяне на време
771 label_time_tracking: Отделяне на време
772 label_change_plural: Промени
772 label_change_plural: Промени
773 label_statistics: Статистика
773 label_statistics: Статистика
774 label_commits_per_month: Ревизии по месеци
774 label_commits_per_month: Ревизии по месеци
775 label_commits_per_author: Ревизии по автор
775 label_commits_per_author: Ревизии по автор
776 label_diff: diff
776 label_diff: diff
777 label_view_diff: Виж разликите
777 label_view_diff: Виж разликите
778 label_diff_inline: хоризонтално
778 label_diff_inline: хоризонтално
779 label_diff_side_by_side: вертикално
779 label_diff_side_by_side: вертикално
780 label_options: Опции
780 label_options: Опции
781 label_copy_workflow_from: Копирай работния процес от
781 label_copy_workflow_from: Копирай работния процес от
782 label_permissions_report: Справка за права
782 label_permissions_report: Справка за права
783 label_watched_issues: Наблюдавани задачи
783 label_watched_issues: Наблюдавани задачи
784 label_related_issues: Свързани задачи
784 label_related_issues: Свързани задачи
785 label_applied_status: Установено състояние
785 label_applied_status: Установено състояние
786 label_loading: Зареждане...
786 label_loading: Зареждане...
787 label_relation_new: Нова релация
787 label_relation_new: Нова релация
788 label_relation_delete: Изтриване на релация
788 label_relation_delete: Изтриване на релация
789 label_relates_to: свързана със
789 label_relates_to: свързана със
790 label_duplicates: дублира
790 label_duplicates: дублира
791 label_duplicated_by: дублирана от
791 label_duplicated_by: дублирана от
792 label_blocks: блокира
792 label_blocks: блокира
793 label_blocked_by: блокирана от
793 label_blocked_by: блокирана от
794 label_precedes: предшества
794 label_precedes: предшества
795 label_follows: изпълнява се след
795 label_follows: изпълнява се след
796 label_copied_to: копирана в
796 label_copied_to: копирана в
797 label_copied_from: копирана от
797 label_copied_from: копирана от
798 label_stay_logged_in: Запомни ме
798 label_stay_logged_in: Запомни ме
799 label_disabled: забранено
799 label_disabled: забранено
800 label_show_completed_versions: Показване на реализирани версии
800 label_show_completed_versions: Показване на реализирани версии
801 label_me: аз
801 label_me: аз
802 label_board: Форум
802 label_board: Форум
803 label_board_new: Нов форум
803 label_board_new: Нов форум
804 label_board_plural: Форуми
804 label_board_plural: Форуми
805 label_board_locked: Заключена
805 label_board_locked: Заключена
806 label_board_sticky: Sticky
806 label_board_sticky: Sticky
807 label_topic_plural: Теми
807 label_topic_plural: Теми
808 label_message_plural: Съобщения
808 label_message_plural: Съобщения
809 label_message_last: Последно съобщение
809 label_message_last: Последно съобщение
810 label_message_new: Нова тема
810 label_message_new: Нова тема
811 label_message_posted: Добавено съобщение
811 label_message_posted: Добавено съобщение
812 label_reply_plural: Отговори
812 label_reply_plural: Отговори
813 label_send_information: Изпращане на информацията до потребителя
813 label_send_information: Изпращане на информацията до потребителя
814 label_year: Година
814 label_year: Година
815 label_month: Месец
815 label_month: Месец
816 label_week: Седмица
816 label_week: Седмица
817 label_date_from: От
817 label_date_from: От
818 label_date_to: До
818 label_date_to: До
819 label_language_based: В зависимост от езика
819 label_language_based: В зависимост от езика
820 label_sort_by: "Сортиране по %{value}"
820 label_sort_by: "Сортиране по %{value}"
821 label_send_test_email: Изпращане на тестов e-mail
821 label_send_test_email: Изпращане на тестов e-mail
822 label_feeds_access_key: Atom access ключ
822 label_feeds_access_key: Atom access ключ
823 label_missing_feeds_access_key: Липсващ Atom ключ за достъп
823 label_missing_feeds_access_key: Липсващ Atom ключ за достъп
824 label_feeds_access_key_created_on: "%{value} от създаването на Atom ключа"
824 label_feeds_access_key_created_on: "%{value} от създаването на Atom ключа"
825 label_module_plural: Модули
825 label_module_plural: Модули
826 label_added_time_by: "Публикувана от %{author} преди %{age}"
826 label_added_time_by: "Публикувана от %{author} преди %{age}"
827 label_updated_time_by: "Обновена от %{author} преди %{age}"
827 label_updated_time_by: "Обновена от %{author} преди %{age}"
828 label_updated_time: "Обновена преди %{value}"
828 label_updated_time: "Обновена преди %{value}"
829 label_jump_to_a_project: Проект...
829 label_jump_to_a_project: Проект...
830 label_file_plural: Файлове
830 label_file_plural: Файлове
831 label_changeset_plural: Ревизии
831 label_changeset_plural: Ревизии
832 label_default_columns: По подразбиране
832 label_default_columns: По подразбиране
833 label_no_change_option: (Без промяна)
833 label_no_change_option: (Без промяна)
834 label_bulk_edit_selected_issues: Групово редактиране на задачи
834 label_bulk_edit_selected_issues: Групово редактиране на задачи
835 label_bulk_edit_selected_time_entries: Групово редактиране на записи за използвано време
835 label_bulk_edit_selected_time_entries: Групово редактиране на записи за използвано време
836 label_theme: Тема
836 label_theme: Тема
837 label_default: По подразбиране
837 label_default: По подразбиране
838 label_search_titles_only: Само в заглавията
838 label_search_titles_only: Само в заглавията
839 label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
839 label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
840 label_user_mail_option_selected: "За всички събития само в избраните проекти..."
840 label_user_mail_option_selected: "За всички събития само в избраните проекти..."
841 label_user_mail_option_none: "Само за наблюдавани или в които участвам (автор или назначени на мен)"
841 label_user_mail_option_none: "Само за наблюдавани или в които участвам (автор или назначени на мен)"
842 label_user_mail_option_only_my_events: Само за неща, в които съм включен/а
842 label_user_mail_option_only_my_events: Само за неща, в които съм включен/а
843 label_user_mail_option_only_assigned: Само за неща, назначени на мен
843 label_user_mail_option_only_assigned: Само за неща, назначени на мен
844 label_user_mail_option_only_owner: Само за неща, на които аз съм собственик
844 label_user_mail_option_only_owner: Само за неща, на които аз съм собственик
845 label_user_mail_no_self_notified: "Не искам известия за извършени от мен промени"
845 label_user_mail_no_self_notified: "Не искам известия за извършени от мен промени"
846 label_registration_activation_by_email: активиране на профила по email
846 label_registration_activation_by_email: активиране на профила по email
847 label_registration_manual_activation: ръчно активиране
847 label_registration_manual_activation: ръчно активиране
848 label_registration_automatic_activation: автоматично активиране
848 label_registration_automatic_activation: автоматично активиране
849 label_display_per_page: "На страница по: %{value}"
849 label_display_per_page: "На страница по: %{value}"
850 label_age: Възраст
850 label_age: Възраст
851 label_change_properties: Промяна на настройки
851 label_change_properties: Промяна на настройки
852 label_general: Основни
852 label_general: Основни
853 label_more: Още
853 label_more: Още
854 label_scm: SCM (Система за контрол на версиите)
854 label_scm: SCM (Система за контрол на версиите)
855 label_plugins: Плъгини
855 label_plugins: Плъгини
856 label_ldap_authentication: LDAP оторизация
856 label_ldap_authentication: LDAP оторизация
857 label_downloads_abbr: D/L
857 label_downloads_abbr: D/L
858 label_optional_description: Незадължително описание
858 label_optional_description: Незадължително описание
859 label_add_another_file: Добавяне на друг файл
859 label_add_another_file: Добавяне на друг файл
860 label_preferences: Предпочитания
860 label_preferences: Предпочитания
861 label_chronological_order: Хронологичен ред
861 label_chronological_order: Хронологичен ред
862 label_reverse_chronological_order: Обратен хронологичен ред
862 label_reverse_chronological_order: Обратен хронологичен ред
863 label_planning: Планиране
863 label_planning: Планиране
864 label_incoming_emails: Входящи e-mail-и
864 label_incoming_emails: Входящи e-mail-и
865 label_generate_key: Генериране на ключ
865 label_generate_key: Генериране на ключ
866 label_issue_watchers: Наблюдатели
866 label_issue_watchers: Наблюдатели
867 label_example: Пример
867 label_example: Пример
868 label_display: Показване
868 label_display: Показване
869 label_sort: Сортиране
869 label_sort: Сортиране
870 label_ascending: Нарастващ
870 label_ascending: Нарастващ
871 label_descending: Намаляващ
871 label_descending: Намаляващ
872 label_date_from_to: От %{start} до %{end}
872 label_date_from_to: От %{start} до %{end}
873 label_wiki_content_added: Wiki страница беше добавена
873 label_wiki_content_added: Wiki страница беше добавена
874 label_wiki_content_updated: Wiki страница беше обновена
874 label_wiki_content_updated: Wiki страница беше обновена
875 label_group: Група
875 label_group: Група
876 label_group_plural: Групи
876 label_group_plural: Групи
877 label_group_new: Нова група
877 label_group_new: Нова група
878 label_group_anonymous: Анонимни потребители
878 label_group_anonymous: Анонимни потребители
879 label_group_non_member: Потребители, които не са членове на проекта
879 label_group_non_member: Потребители, които не са членове на проекта
880 label_time_entry_plural: Използвано време
880 label_time_entry_plural: Използвано време
881 label_version_sharing_none: Не споделен
881 label_version_sharing_none: Не споделен
882 label_version_sharing_descendants: С подпроекти
882 label_version_sharing_descendants: С подпроекти
883 label_version_sharing_hierarchy: С проектна йерархия
883 label_version_sharing_hierarchy: С проектна йерархия
884 label_version_sharing_tree: С дърво на проектите
884 label_version_sharing_tree: С дърво на проектите
885 label_version_sharing_system: С всички проекти
885 label_version_sharing_system: С всички проекти
886 label_update_issue_done_ratios: Обновяване на процента на завършените задачи
886 label_update_issue_done_ratios: Обновяване на процента на завършените задачи
887 label_copy_source: Източник
887 label_copy_source: Източник
888 label_copy_target: Цел
888 label_copy_target: Цел
889 label_copy_same_as_target: Също като целта
889 label_copy_same_as_target: Също като целта
890 label_display_used_statuses_only: Показване само на състоянията, използвани от този тракер
890 label_display_used_statuses_only: Показване само на състоянията, използвани от този тракер
891 label_api_access_key: API ключ за достъп
891 label_api_access_key: API ключ за достъп
892 label_missing_api_access_key: Липсващ API ключ
892 label_missing_api_access_key: Липсващ API ключ
893 label_api_access_key_created_on: API ключ за достъп е създаден преди %{value}
893 label_api_access_key_created_on: API ключ за достъп е създаден преди %{value}
894 label_profile: Профил
894 label_profile: Профил
895 label_subtask_plural: Подзадачи
895 label_subtask_plural: Подзадачи
896 label_project_copy_notifications: Изпращане на Send e-mail известия по време на копирането на проекта
896 label_project_copy_notifications: Изпращане на Send e-mail известия по време на копирането на проекта
897 label_principal_search: "Търсене на потребител или група:"
897 label_principal_search: "Търсене на потребител или група:"
898 label_user_search: "Търсене на потребител:"
898 label_user_search: "Търсене на потребител:"
899 label_additional_workflow_transitions_for_author: Позволени са допълнителни преходи, когато потребителят е авторът
899 label_additional_workflow_transitions_for_author: Позволени са допълнителни преходи, когато потребителят е авторът
900 label_additional_workflow_transitions_for_assignee: Позволени са допълнителни преходи, когато потребителят е назначеният към задачата
900 label_additional_workflow_transitions_for_assignee: Позволени са допълнителни преходи, когато потребителят е назначеният към задачата
901 label_issues_visibility_all: Всички задачи
901 label_issues_visibility_all: Всички задачи
902 label_issues_visibility_public: Всички не-лични задачи
902 label_issues_visibility_public: Всички не-лични задачи
903 label_issues_visibility_own: Задачи, създадени от или назначени на потребителя
903 label_issues_visibility_own: Задачи, създадени от или назначени на потребителя
904 label_git_report_last_commit: Извеждане на последното поверяване за файлове и папки
904 label_git_report_last_commit: Извеждане на последното поверяване за файлове и папки
905 label_parent_revision: Ревизия родител
905 label_parent_revision: Ревизия родител
906 label_child_revision: Ревизия наследник
906 label_child_revision: Ревизия наследник
907 label_export_options: "%{export_format} опции за експорт"
907 label_export_options: "%{export_format} опции за експорт"
908 label_copy_attachments: Копиране на прикачените файлове
908 label_copy_attachments: Копиране на прикачените файлове
909 label_copy_subtasks: Копиране на подзадачите
909 label_copy_subtasks: Копиране на подзадачите
910 label_item_position: "%{position}/%{count}"
910 label_item_position: "%{position}/%{count}"
911 label_completed_versions: Завършени версии
911 label_completed_versions: Завършени версии
912 label_search_for_watchers: Търсене на потребители за наблюдатели
912 label_search_for_watchers: Търсене на потребители за наблюдатели
913 label_session_expiration: Изтичане на сесиите
913 label_session_expiration: Изтичане на сесиите
914 label_show_closed_projects: Разглеждане на затворени проекти
914 label_show_closed_projects: Разглеждане на затворени проекти
915 label_status_transitions: Преходи между състоянията
915 label_status_transitions: Преходи между състоянията
916 label_fields_permissions: Видимост на полетата
916 label_fields_permissions: Видимост на полетата
917 label_readonly: Само за четене
917 label_readonly: Само за четене
918 label_required: Задължително
918 label_required: Задължително
919 label_hidden: Скрит
919 label_hidden: Скрит
920 label_attribute_of_project: Project's %{name}
920 label_attribute_of_project: Project's %{name}
921 label_attribute_of_issue: Issue's %{name}
921 label_attribute_of_issue: Issue's %{name}
922 label_attribute_of_author: Author's %{name}
922 label_attribute_of_author: Author's %{name}
923 label_attribute_of_assigned_to: Assignee's %{name}
923 label_attribute_of_assigned_to: Assignee's %{name}
924 label_attribute_of_user: User's %{name}
924 label_attribute_of_user: User's %{name}
925 label_attribute_of_fixed_version: Target version's %{name}
925 label_attribute_of_fixed_version: Target version's %{name}
926 label_cross_project_descendants: С подпроекти
926 label_cross_project_descendants: С подпроекти
927 label_cross_project_tree: С дърво на проектите
927 label_cross_project_tree: С дърво на проектите
928 label_cross_project_hierarchy: С проектна йерархия
928 label_cross_project_hierarchy: С проектна йерархия
929 label_cross_project_system: С всички проекти
929 label_cross_project_system: С всички проекти
930 label_gantt_progress_line: Линия на изпълнението
930 label_gantt_progress_line: Линия на изпълнението
931 label_visibility_private: лични (само за мен)
931 label_visibility_private: лични (само за мен)
932 label_visibility_roles: само за тези роли
932 label_visibility_roles: само за тези роли
933 label_visibility_public: за всички потребители
933 label_visibility_public: за всички потребители
934 label_link: Връзка
934 label_link: Връзка
935 label_only: само
935 label_only: само
936 label_drop_down_list: drop-down списък
936 label_drop_down_list: drop-down списък
937 label_checkboxes: чек-бокс
937 label_checkboxes: чек-бокс
938 label_radio_buttons: радио-бутони
938 label_radio_buttons: радио-бутони
939 label_link_values_to: URL (опция)
939 label_link_values_to: URL (опция)
940 label_custom_field_select_type: "Изберете тип на обект, към който потребителското поле да бъде асоциирано"
940 label_custom_field_select_type: "Изберете тип на обект, към който потребителското поле да бъде асоциирано"
941 label_check_for_updates: Проверка за нови версии
941 label_check_for_updates: Проверка за нови версии
942 label_latest_compatible_version: Последна съвместима версия
942 label_latest_compatible_version: Последна съвместима версия
943 label_unknown_plugin: Непознат плъгин
943 label_unknown_plugin: Непознат плъгин
944 label_add_projects: Добавяне на проекти
944 label_add_projects: Добавяне на проекти
945 label_users_visibility_all: Всички активни потребители
945 label_users_visibility_all: Всички активни потребители
946 label_users_visibility_members_of_visible_projects: Членовете на видимите проекти
946 label_users_visibility_members_of_visible_projects: Членовете на видимите проекти
947 label_edit_attachments: Редактиране на прикачените файлове
947 label_edit_attachments: Редактиране на прикачените файлове
948 label_link_copied_issue: Създаване на връзка между задачите
948 label_link_copied_issue: Създаване на връзка между задачите
949 label_ask: Питане преди копиране
949 label_ask: Питане преди копиране
950 label_search_attachments_yes: Търсене на имената на прикачените файлове и техните описания
950 label_search_attachments_yes: Търсене на имената на прикачените файлове и техните описания
951 label_search_attachments_no: Да не се претърсват прикачените файлове
951 label_search_attachments_no: Да не се претърсват прикачените файлове
952 label_search_attachments_only: Търсене само на прикачените файлове
952 label_search_attachments_only: Търсене само на прикачените файлове
953 label_search_open_issues_only: Търсене само на задачите
953 label_search_open_issues_only: Търсене само на задачите
954 label_email_address_plural: Имейли
954 label_email_address_plural: Имейли
955 label_email_address_add: Добавяне на имейл адрес
955 label_email_address_add: Добавяне на имейл адрес
956 label_enable_notifications: Разрешаване на известията
956 label_enable_notifications: Разрешаване на известията
957 label_disable_notifications: Забрана на известията
957 label_disable_notifications: Забрана на известията
958 label_blank_value: празно
958 label_blank_value: празно
959 label_parent_task_attributes: Атрибути на родителските задачи
959 label_parent_task_attributes: Атрибути на родителските задачи
960 label_parent_task_attributes_derived: Изчислени от подзадачите
960 label_parent_task_attributes_derived: Изчислени от подзадачите
961 label_parent_task_attributes_independent: Независими от подзадачите
961 label_parent_task_attributes_independent: Независими от подзадачите
962 label_time_entries_visibility_all: Всички записи за използвано време
962 label_time_entries_visibility_all: Всички записи за използвано време
963 label_time_entries_visibility_own: Записи за използвано време създадени от потребителя
963 label_time_entries_visibility_own: Записи за използвано време създадени от потребителя
964 label_member_management: Управление на членовете
964 label_member_management: Управление на членовете
965 label_member_management_all_roles: Всички роли
965 label_member_management_all_roles: Всички роли
966 label_member_management_selected_roles_only: Само тези роли
966 label_member_management_selected_roles_only: Само тези роли
967 label_import_issues: Импорт на задачи
967 label_import_issues: Импорт на задачи
968 label_select_file_to_import: Файл за импортиране
968 label_select_file_to_import: Файл за импортиране
969 label_fields_separator: Разделител между полетата
969 label_fields_separator: Разделител между полетата
970 label_fields_wrapper: Разделител в полетата (wrapper)
970 label_fields_wrapper: Разделител в полетата (wrapper)
971 label_encoding: Кодиране
971 label_encoding: Кодиране
972 label_comma_char: Запетая
972 label_comma_char: Запетая
973 label_semi_colon_char: Точка и запетая
973 label_semi_colon_char: Точка и запетая
974 label_quote_char: Кавичка
974 label_quote_char: Кавичка
975 label_double_quote_char: Двойна кавичка
975 label_double_quote_char: Двойна кавичка
976 label_fields_mapping: Съответствие между полетата
976 label_fields_mapping: Съответствие между полетата
977 label_file_content_preview: Предварителен преглед на съдържанието на файла
977 label_file_content_preview: Предварителен преглед на съдържанието на файла
978 label_create_missing_values: Създаване на липсващи стойности
978 label_create_missing_values: Създаване на липсващи стойности
979 label_api: API
979 label_api: API
980 label_field_format_enumeration: Списък ключ/стойност
980 label_field_format_enumeration: Списък ключ/стойност
981 label_default_values_for_new_users: Стойности по подразбиране за нови потребители
981 label_default_values_for_new_users: Стойности по подразбиране за нови потребители
982
982
983 button_login: Вход
983 button_login: Вход
984 button_submit: Изпращане
984 button_submit: Изпращане
985 button_save: Запис
985 button_save: Запис
986 button_check_all: Избор на всички
986 button_check_all: Избор на всички
987 button_uncheck_all: Изчистване на всички
987 button_uncheck_all: Изчистване на всички
988 button_collapse_all: Скриване всички
988 button_collapse_all: Скриване всички
989 button_expand_all: Разгъване всички
989 button_expand_all: Разгъване всички
990 button_delete: Изтриване
990 button_delete: Изтриване
991 button_create: Създаване
991 button_create: Създаване
992 button_create_and_continue: Създаване и продължаване
992 button_create_and_continue: Създаване и продължаване
993 button_test: Тест
993 button_test: Тест
994 button_edit: Редакция
994 button_edit: Редакция
995 button_edit_associated_wikipage: "Редактиране на асоциираната Wiki страница: %{page_title}"
995 button_edit_associated_wikipage: "Редактиране на асоциираната Wiki страница: %{page_title}"
996 button_add: Добавяне
996 button_add: Добавяне
997 button_change: Промяна
997 button_change: Промяна
998 button_apply: Приложи
998 button_apply: Приложи
999 button_clear: Изчисти
999 button_clear: Изчисти
1000 button_lock: Заключване
1000 button_lock: Заключване
1001 button_unlock: Отключване
1001 button_unlock: Отключване
1002 button_download: Изтегляне
1002 button_download: Изтегляне
1003 button_list: Списък
1003 button_list: Списък
1004 button_view: Преглед
1004 button_view: Преглед
1005 button_move: Преместване
1005 button_move: Преместване
1006 button_move_and_follow: Преместване и продължаване
1006 button_move_and_follow: Преместване и продължаване
1007 button_back: Назад
1007 button_back: Назад
1008 button_cancel: Отказ
1008 button_cancel: Отказ
1009 button_activate: Активация
1009 button_activate: Активация
1010 button_sort: Сортиране
1010 button_sort: Сортиране
1011 button_log_time: Отделяне на време
1011 button_log_time: Отделяне на време
1012 button_rollback: Върни се към тази ревизия
1012 button_rollback: Върни се към тази ревизия
1013 button_watch: Наблюдаване
1013 button_watch: Наблюдаване
1014 button_unwatch: Край на наблюдението
1014 button_unwatch: Край на наблюдението
1015 button_reply: Отговор
1015 button_reply: Отговор
1016 button_archive: Архивиране
1016 button_archive: Архивиране
1017 button_unarchive: Разархивиране
1017 button_unarchive: Разархивиране
1018 button_reset: Генериране наново
1018 button_reset: Генериране наново
1019 button_rename: Преименуване
1019 button_rename: Преименуване
1020 button_change_password: Промяна на парола
1020 button_change_password: Промяна на парола
1021 button_copy: Копиране
1021 button_copy: Копиране
1022 button_copy_and_follow: Копиране и продължаване
1022 button_copy_and_follow: Копиране и продължаване
1023 button_annotate: Анотация
1023 button_annotate: Анотация
1024 button_update: Обновяване
1024 button_update: Обновяване
1025 button_configure: Конфигуриране
1025 button_configure: Конфигуриране
1026 button_quote: Цитат
1026 button_quote: Цитат
1027 button_duplicate: Дублиране
1027 button_duplicate: Дублиране
1028 button_show: Показване
1028 button_show: Показване
1029 button_hide: Скриване
1029 button_hide: Скриване
1030 button_edit_section: Редактиране на тази секция
1030 button_edit_section: Редактиране на тази секция
1031 button_export: Експорт
1031 button_export: Експорт
1032 button_delete_my_account: Премахване на моя профил
1032 button_delete_my_account: Премахване на моя профил
1033 button_close: Затваряне
1033 button_close: Затваряне
1034 button_reopen: Отваряне
1034 button_reopen: Отваряне
1035 button_import: Импорт
1035 button_import: Импорт
1036
1036
1037 status_active: активен
1037 status_active: активен
1038 status_registered: регистриран
1038 status_registered: регистриран
1039 status_locked: заключен
1039 status_locked: заключен
1040
1040
1041 project_status_active: активен
1041 project_status_active: активен
1042 project_status_closed: затворен
1042 project_status_closed: затворен
1043 project_status_archived: архивиран
1043 project_status_archived: архивиран
1044
1044
1045 version_status_open: отворена
1045 version_status_open: отворена
1046 version_status_locked: заключена
1046 version_status_locked: заключена
1047 version_status_closed: затворена
1047 version_status_closed: затворена
1048
1048
1049 field_active: Активен
1049 field_active: Активен
1050
1050
1051 text_select_mail_notifications: Изберете събития за изпращане на e-mail.
1051 text_select_mail_notifications: Изберете събития за изпращане на e-mail.
1052 text_regexp_info: пр. ^[A-Z0-9]+$
1052 text_regexp_info: пр. ^[A-Z0-9]+$
1053 text_min_max_length_info: 0 - без ограничения
1053 text_min_max_length_info: 0 - без ограничения
1054 text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
1054 text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
1055 text_subprojects_destroy_warning: "Неговите подпроекти: %{value} също ще бъдат изтрити."
1055 text_subprojects_destroy_warning: "Неговите подпроекти: %{value} също ще бъдат изтрити."
1056 text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
1056 text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
1057 text_are_you_sure: Сигурни ли сте?
1057 text_are_you_sure: Сигурни ли сте?
1058 text_journal_changed: "%{label} променен от %{old} на %{new}"
1058 text_journal_changed: "%{label} променен от %{old} на %{new}"
1059 text_journal_changed_no_detail: "%{label} променен"
1059 text_journal_changed_no_detail: "%{label} променен"
1060 text_journal_set_to: "%{label} установен на %{value}"
1060 text_journal_set_to: "%{label} установен на %{value}"
1061 text_journal_deleted: "%{label} изтрит (%{old})"
1061 text_journal_deleted: "%{label} изтрит (%{old})"
1062 text_journal_added: "Добавено %{label} %{value}"
1062 text_journal_added: "Добавено %{label} %{value}"
1063 text_tip_issue_begin_day: задача, започваща този ден
1063 text_tip_issue_begin_day: задача, започваща този ден
1064 text_tip_issue_end_day: задача, завършваща този ден
1064 text_tip_issue_end_day: задача, завършваща този ден
1065 text_tip_issue_begin_end_day: задача, започваща и завършваща този ден
1065 text_tip_issue_begin_end_day: задача, започваща и завършваща този ден
1066 text_project_identifier_info: 'Позволени са малки букви (a-z), цифри, тирета и _.<br />Промяна след създаването му не е възможна.'
1066 text_project_identifier_info: 'Позволени са малки букви (a-z), цифри, тирета и _.<br />Промяна след създаването му не е възможна.'
1067 text_caracters_maximum: "До %{count} символа."
1067 text_caracters_maximum: "До %{count} символа."
1068 text_caracters_minimum: "Минимум %{count} символа."
1068 text_caracters_minimum: "Минимум %{count} символа."
1069 text_length_between: "От %{min} до %{max} символа."
1069 text_length_between: "От %{min} до %{max} символа."
1070 text_tracker_no_workflow: Няма дефиниран работен процес за този тракер
1070 text_tracker_no_workflow: Няма дефиниран работен процес за този тракер
1071 text_unallowed_characters: Непозволени символи
1071 text_unallowed_characters: Непозволени символи
1072 text_comma_separated: Позволено е изброяване (с разделител запетая).
1072 text_comma_separated: Позволено е изброяване (с разделител запетая).
1073 text_line_separated: Позволени са много стойности (по едно на ред).
1073 text_line_separated: Позволени са много стойности (по едно на ред).
1074 text_issues_ref_in_commit_messages: Отбелязване и приключване на задачи от ревизии
1074 text_issues_ref_in_commit_messages: Отбелязване и приключване на задачи от ревизии
1075 text_issue_added: "Публикувана е нова задача с номер %{id} (от %{author})."
1075 text_issue_added: "Публикувана е нова задача с номер %{id} (от %{author})."
1076 text_issue_updated: "Задача %{id} е обновена (от %{author})."
1076 text_issue_updated: "Задача %{id} е обновена (от %{author})."
1077 text_wiki_destroy_confirmation: Сигурни ли сте, че искате да изтриете това Wiki и цялото му съдържание?
1077 text_wiki_destroy_confirmation: Сигурни ли сте, че искате да изтриете това Wiki и цялото му съдържание?
1078 text_issue_category_destroy_question: "Има задачи (%{count}) обвързани с тази категория. Какво ще изберете?"
1078 text_issue_category_destroy_question: "Има задачи (%{count}) обвързани с тази категория. Какво ще изберете?"
1079 text_issue_category_destroy_assignments: Премахване на връзките с категорията
1079 text_issue_category_destroy_assignments: Премахване на връзките с категорията
1080 text_issue_category_reassign_to: Преобвързване с категория
1080 text_issue_category_reassign_to: Преобвързване с категория
1081 text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
1081 text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
1082 text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, състояния на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
1082 text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, състояния на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
1083 text_load_default_configuration: Зареждане на примерна информация
1083 text_load_default_configuration: Зареждане на примерна информация
1084 text_status_changed_by_changeset: "Приложено с ревизия %{value}."
1084 text_status_changed_by_changeset: "Приложено с ревизия %{value}."
1085 text_time_logged_by_changeset: Приложено в ревизия %{value}.
1085 text_time_logged_by_changeset: Приложено в ревизия %{value}.
1086 text_issues_destroy_confirmation: 'Сигурни ли сте, че искате да изтриете избраните задачи?'
1086 text_issues_destroy_confirmation: 'Сигурни ли сте, че искате да изтриете избраните задачи?'
1087 text_issues_destroy_descendants_confirmation: Тази операция ще премахне и %{count} подзадача(и).
1087 text_issues_destroy_descendants_confirmation: Тази операция ще премахне и %{count} подзадача(и).
1088 text_time_entries_destroy_confirmation: Сигурен ли сте, че изтриете избраните записи за изразходвано време?
1088 text_time_entries_destroy_confirmation: Сигурен ли сте, че изтриете избраните записи за изразходвано време?
1089 text_select_project_modules: 'Изберете активните модули за този проект:'
1089 text_select_project_modules: 'Изберете активните модули за този проект:'
1090 text_default_administrator_account_changed: Сменен фабричния администраторски профил
1090 text_default_administrator_account_changed: Сменен фабричния администраторски профил
1091 text_file_repository_writable: Възможност за писане в хранилището с файлове
1091 text_file_repository_writable: Възможност за писане в хранилището с файлове
1092 text_plugin_assets_writable: Папката на приставките е разрешена за запис
1092 text_plugin_assets_writable: Папката на приставките е разрешена за запис
1093 text_rmagick_available: Наличен RMagick (по избор)
1093 text_rmagick_available: Наличен RMagick (по избор)
1094 text_convert_available: Наличен ImageMagick convert (по избор)
1094 text_convert_available: Наличен ImageMagick convert (по избор)
1095 text_destroy_time_entries_question: "%{hours} часа са отделени на задачите, които искате да изтриете. Какво избирате?"
1095 text_destroy_time_entries_question: "%{hours} часа са отделени на задачите, които искате да изтриете. Какво избирате?"
1096 text_destroy_time_entries: Изтриване на отделеното време
1096 text_destroy_time_entries: Изтриване на отделеното време
1097 text_assign_time_entries_to_project: Прехвърляне на отделеното време към проект
1097 text_assign_time_entries_to_project: Прехвърляне на отделеното време към проект
1098 text_reassign_time_entries: 'Прехвърляне на отделеното време към задача:'
1098 text_reassign_time_entries: 'Прехвърляне на отделеното време към задача:'
1099 text_user_wrote: "%{value} написа:"
1099 text_user_wrote: "%{value} написа:"
1100 text_enumeration_destroy_question: "%{count} обекта са свързани с тази стойност."
1100 text_enumeration_destroy_question: "%{count} обекта са свързани с тази стойност."
1101 text_enumeration_category_reassign_to: 'Пресвържете ги към тази стойност:'
1101 text_enumeration_category_reassign_to: 'Пресвържете ги към тази стойност:'
1102 text_email_delivery_not_configured: "Изпращането на e-mail-и не е конфигурирано и известията не са разрешени.\nКонфигурирайте вашия SMTP сървър в config/configuration.yml и рестартирайте Redmine, за да ги разрешите."
1102 text_email_delivery_not_configured: "Изпращането на e-mail-и не е конфигурирано и известията не са разрешени.\nКонфигурирайте вашия SMTP сървър в config/configuration.yml и рестартирайте Redmine, за да ги разрешите."
1103 text_repository_usernames_mapping: "Изберете или променете потребителите в Redmine, съответстващи на потребителите в дневника на хранилището (repository).\nПотребителите с еднакви имена в Redmine и хранилищата се съвместяват автоматично."
1103 text_repository_usernames_mapping: "Изберете или променете потребителите в Redmine, съответстващи на потребителите в дневника на хранилището (repository).\nПотребителите с еднакви имена в Redmine и хранилищата се съвместяват автоматично."
1104 text_diff_truncated: '... Този diff не е пълен, понеже е надхвърля максималния размер, който може да бъде показан.'
1104 text_diff_truncated: '... Този diff не е пълен, понеже е надхвърля максималния размер, който може да бъде показан.'
1105 text_custom_field_possible_values_info: 'Една стойност на ред'
1105 text_custom_field_possible_values_info: 'Една стойност на ред'
1106 text_wiki_page_destroy_question: Тази страница има %{descendants} страници деца и descendant(s). Какво желаете да правите?
1106 text_wiki_page_destroy_question: Тази страница има %{descendants} страници деца и descendant(s). Какво желаете да правите?
1107 text_wiki_page_nullify_children: Запазване на тези страници като коренни страници
1107 text_wiki_page_nullify_children: Запазване на тези страници като коренни страници
1108 text_wiki_page_destroy_children: Изтриване на страниците деца и всички техни descendants
1108 text_wiki_page_destroy_children: Изтриване на страниците деца и всички техни descendants
1109 text_wiki_page_reassign_children: Преназначаване на страниците деца на тази родителска страница
1109 text_wiki_page_reassign_children: Преназначаване на страниците деца на тази родителска страница
1110 text_own_membership_delete_confirmation: "Вие сте на път да премахнете някои или всички ваши разрешения и е възможно след това да не можете да редактирате този проект.\nСигурен ли сте, че искате да продължите?"
1110 text_own_membership_delete_confirmation: "Вие сте на път да премахнете някои или всички ваши разрешения и е възможно след това да не можете да редактирате този проект.\nСигурен ли сте, че искате да продължите?"
1111 text_zoom_in: Увеличаване
1111 text_zoom_in: Увеличаване
1112 text_zoom_out: Намаляване
1112 text_zoom_out: Намаляване
1113 text_warn_on_leaving_unsaved: Страницата съдържа незаписано съдържание, което може да бъде загубено, ако я напуснете.
1113 text_warn_on_leaving_unsaved: Страницата съдържа незаписано съдържание, което може да бъде загубено, ако я напуснете.
1114 text_scm_path_encoding_note: "По подразбиране: UTF-8"
1114 text_scm_path_encoding_note: "По подразбиране: UTF-8"
1115 text_subversion_repository_note: 'Примери: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1115 text_subversion_repository_note: 'Примери: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1116 text_git_repository_note: Празно и локално хранилище (например /gitrepo, c:\gitrepo)
1116 text_git_repository_note: Празно и локално хранилище (например /gitrepo, c:\gitrepo)
1117 text_mercurial_repository_note: Локално хранилище (например /hgrepo, c:\hgrepo)
1117 text_mercurial_repository_note: Локално хранилище (например /hgrepo, c:\hgrepo)
1118 text_scm_command: SCM команда
1118 text_scm_command: SCM команда
1119 text_scm_command_version: Версия
1119 text_scm_command_version: Версия
1120 text_scm_config: Можете да конфигурирате SCM командите в config/configuration.yml. За да активирате промените, рестартирайте Redmine.
1120 text_scm_config: Можете да конфигурирате SCM командите в config/configuration.yml. За да активирате промените, рестартирайте Redmine.
1121 text_scm_command_not_available: SCM командата не е налична или достъпна. Проверете конфигурацията в административния панел.
1121 text_scm_command_not_available: SCM командата не е налична или достъпна. Проверете конфигурацията в административния панел.
1122 text_issue_conflict_resolution_overwrite: Прилагане на моите промени (предишните коментари ще бъдат запазени, но някои други промени може да бъдат презаписани)
1122 text_issue_conflict_resolution_overwrite: Прилагане на моите промени (предишните коментари ще бъдат запазени, но някои други промени може да бъдат презаписани)
1123 text_issue_conflict_resolution_add_notes: Добавяне на моите коментари и отхвърляне на другите мои промени
1123 text_issue_conflict_resolution_add_notes: Добавяне на моите коментари и отхвърляне на другите мои промени
1124 text_issue_conflict_resolution_cancel: Отхвърляне на всички мои промени и презареждане на %{link}
1124 text_issue_conflict_resolution_cancel: Отхвърляне на всички мои промени и презареждане на %{link}
1125 text_account_destroy_confirmation: "Сигурен/на ли сте, че желаете да продължите?\nВашият профил ще бъде премахнат без възможност за възстановяване."
1125 text_account_destroy_confirmation: "Сигурен/на ли сте, че желаете да продължите?\nВашият профил ще бъде премахнат без възможност за възстановяване."
1126 text_session_expiration_settings: "Внимание: промяната на тези установяваноя може да прекрати всички активни сесии, включително и вашата."
1126 text_session_expiration_settings: "Внимание: промяната на тези установяваноя може да прекрати всички активни сесии, включително и вашата."
1127 text_project_closed: Този проект е затворен и е само за четене.
1127 text_project_closed: Този проект е затворен и е само за четене.
1128 text_turning_multiple_off: Ако забраните възможността за повече от една стойност, повечето стойности ще бъдат
1128 text_turning_multiple_off: Ако забраните възможността за повече от една стойност, повечето стойности ще бъдат
1129 премахнати с цел да остане само по една стойност за поле.
1129 премахнати с цел да остане само по една стойност за поле.
1130
1130
1131 default_role_manager: Мениджър
1131 default_role_manager: Мениджър
1132 default_role_developer: Разработчик
1132 default_role_developer: Разработчик
1133 default_role_reporter: Публикуващ
1133 default_role_reporter: Публикуващ
1134 default_tracker_bug: Грешка
1134 default_tracker_bug: Грешка
1135 default_tracker_feature: Функционалност
1135 default_tracker_feature: Функционалност
1136 default_tracker_support: Поддръжка
1136 default_tracker_support: Поддръжка
1137 default_issue_status_new: Нова
1137 default_issue_status_new: Нова
1138 default_issue_status_in_progress: Изпълнение
1138 default_issue_status_in_progress: Изпълнение
1139 default_issue_status_resolved: Приключена
1139 default_issue_status_resolved: Приключена
1140 default_issue_status_feedback: Обратна връзка
1140 default_issue_status_feedback: Обратна връзка
1141 default_issue_status_closed: Затворена
1141 default_issue_status_closed: Затворена
1142 default_issue_status_rejected: Отхвърлена
1142 default_issue_status_rejected: Отхвърлена
1143 default_doc_category_user: Документация за потребителя
1143 default_doc_category_user: Документация за потребителя
1144 default_doc_category_tech: Техническа документация
1144 default_doc_category_tech: Техническа документация
1145 default_priority_low: Нисък
1145 default_priority_low: Нисък
1146 default_priority_normal: Нормален
1146 default_priority_normal: Нормален
1147 default_priority_high: Висок
1147 default_priority_high: Висок
1148 default_priority_urgent: Спешен
1148 default_priority_urgent: Спешен
1149 default_priority_immediate: Веднага
1149 default_priority_immediate: Веднага
1150 default_activity_design: Дизайн
1150 default_activity_design: Дизайн
1151 default_activity_development: Разработка
1151 default_activity_development: Разработка
1152
1152
1153 enumeration_issue_priorities: Приоритети на задачи
1153 enumeration_issue_priorities: Приоритети на задачи
1154 enumeration_doc_categories: Категории документи
1154 enumeration_doc_categories: Категории документи
1155 enumeration_activities: Дейности (time tracking)
1155 enumeration_activities: Дейности (time tracking)
1156 enumeration_system_activity: Системна активност
1156 enumeration_system_activity: Системна активност
1157 description_filter: Филтър
1157 description_filter: Филтър
1158 description_search: Търсене
1158 description_search: Търсене
1159 description_choose_project: Проекти
1159 description_choose_project: Проекти
1160 description_project_scope: Обхват на търсенето
1160 description_project_scope: Обхват на търсенето
1161 description_notes: Бележки
1161 description_notes: Бележки
1162 description_message_content: Съдържание на съобщението
1162 description_message_content: Съдържание на съобщението
1163 description_query_sort_criteria_attribute: Атрибут на сортиране
1163 description_query_sort_criteria_attribute: Атрибут на сортиране
1164 description_query_sort_criteria_direction: Посока на сортиране
1164 description_query_sort_criteria_direction: Посока на сортиране
1165 description_user_mail_notification: Конфигурация известията по пощата
1165 description_user_mail_notification: Конфигурация известията по пощата
1166 description_available_columns: Налични колони
1166 description_available_columns: Налични колони
1167 description_selected_columns: Избрани колони
1167 description_selected_columns: Избрани колони
1168 description_issue_category_reassign: Изберете категория
1168 description_issue_category_reassign: Изберете категория
1169 description_wiki_subpages_reassign: Изберете нова родителска страница
1169 description_wiki_subpages_reassign: Изберете нова родителска страница
1170 description_all_columns: Всички колони
1170 description_all_columns: Всички колони
1171 description_date_range_list: Изберете диапазон от списъка
1171 description_date_range_list: Изберете диапазон от списъка
1172 description_date_range_interval: Изберете диапазон чрез задаване на начална и крайна дати
1172 description_date_range_interval: Изберете диапазон чрез задаване на начална и крайна дати
1173 description_date_from: Въведете начална дата
1173 description_date_from: Въведете начална дата
1174 description_date_to: Въведете крайна дата
1174 description_date_to: Въведете крайна дата
1175 text_repository_identifier_info: 'Позволени са малки букви (a-z), цифри, тирета и _.<br />Промяна след създаването му не е възможна.'
1175 text_repository_identifier_info: 'Позволени са малки букви (a-z), цифри, тирета и _.<br />Промяна след създаването му не е възможна.'
1176 error_cannot_reassign_time_entries_to_an_issue_about_to_be_deleted: Spent time cannot
1177 be reassigned to an issue that is about to be deleted
@@ -1,1197 +1,1199
1 #Ernad Husremovic hernad@bring.out.ba
1 #Ernad Husremovic hernad@bring.out.ba
2
2
3 bs:
3 bs:
4 direction: ltr
4 direction: ltr
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
12
13 day_names: [Nedjelja, Ponedjeljak, Utorak, Srijeda, Četvrtak, Petak, Subota]
13 day_names: [Nedjelja, Ponedjeljak, Utorak, Srijeda, Četvrtak, Petak, Subota]
14 abbr_day_names: [Ned, Pon, Uto, Sri, Čet, Pet, Sub]
14 abbr_day_names: [Ned, Pon, Uto, Sri, Čet, Pet, Sub]
15
15
16 month_names: [~, Januar, Februar, Mart, April, Maj, Jun, Jul, Avgust, Septembar, Oktobar, Novembar, Decembar]
16 month_names: [~, Januar, Februar, Mart, April, Maj, Jun, Jul, Avgust, Septembar, Oktobar, Novembar, Decembar]
17 abbr_month_names: [~, Jan, Feb, Mar, Apr, Maj, Jun, Jul, Avg, Sep, Okt, Nov, Dec]
17 abbr_month_names: [~, Jan, Feb, Mar, Apr, Maj, Jun, Jul, Avg, Sep, Okt, Nov, Dec]
18 order:
18 order:
19 - :day
19 - :day
20 - :month
20 - :month
21 - :year
21 - :year
22
22
23 time:
23 time:
24 formats:
24 formats:
25 default: "%A, %e. %B %Y, %H:%M"
25 default: "%A, %e. %B %Y, %H:%M"
26 short: "%e. %B, %H:%M Uhr"
26 short: "%e. %B, %H:%M Uhr"
27 long: "%A, %e. %B %Y, %H:%M"
27 long: "%A, %e. %B %Y, %H:%M"
28 time: "%H:%M"
28 time: "%H:%M"
29
29
30 am: "prijepodne"
30 am: "prijepodne"
31 pm: "poslijepodne"
31 pm: "poslijepodne"
32
32
33 datetime:
33 datetime:
34 distance_in_words:
34 distance_in_words:
35 half_a_minute: "pola minute"
35 half_a_minute: "pola minute"
36 less_than_x_seconds:
36 less_than_x_seconds:
37 one: "manje od 1 sekunde"
37 one: "manje od 1 sekunde"
38 other: "manje od %{count} sekudni"
38 other: "manje od %{count} sekudni"
39 x_seconds:
39 x_seconds:
40 one: "1 sekunda"
40 one: "1 sekunda"
41 other: "%{count} sekundi"
41 other: "%{count} sekundi"
42 less_than_x_minutes:
42 less_than_x_minutes:
43 one: "manje od 1 minute"
43 one: "manje od 1 minute"
44 other: "manje od %{count} minuta"
44 other: "manje od %{count} minuta"
45 x_minutes:
45 x_minutes:
46 one: "1 minuta"
46 one: "1 minuta"
47 other: "%{count} minuta"
47 other: "%{count} minuta"
48 about_x_hours:
48 about_x_hours:
49 one: "oko 1 sahat"
49 one: "oko 1 sahat"
50 other: "oko %{count} sahata"
50 other: "oko %{count} sahata"
51 x_hours:
51 x_hours:
52 one: "1 sahat"
52 one: "1 sahat"
53 other: "%{count} sahata"
53 other: "%{count} sahata"
54 x_days:
54 x_days:
55 one: "1 dan"
55 one: "1 dan"
56 other: "%{count} dana"
56 other: "%{count} dana"
57 about_x_months:
57 about_x_months:
58 one: "oko 1 mjesec"
58 one: "oko 1 mjesec"
59 other: "oko %{count} mjeseci"
59 other: "oko %{count} mjeseci"
60 x_months:
60 x_months:
61 one: "1 mjesec"
61 one: "1 mjesec"
62 other: "%{count} mjeseci"
62 other: "%{count} mjeseci"
63 about_x_years:
63 about_x_years:
64 one: "oko 1 godine"
64 one: "oko 1 godine"
65 other: "oko %{count} godina"
65 other: "oko %{count} godina"
66 over_x_years:
66 over_x_years:
67 one: "preko 1 godine"
67 one: "preko 1 godine"
68 other: "preko %{count} godina"
68 other: "preko %{count} godina"
69 almost_x_years:
69 almost_x_years:
70 one: "almost 1 year"
70 one: "almost 1 year"
71 other: "almost %{count} years"
71 other: "almost %{count} years"
72
72
73
73
74 number:
74 number:
75 format:
75 format:
76 precision: 2
76 precision: 2
77 separator: ','
77 separator: ','
78 delimiter: '.'
78 delimiter: '.'
79 currency:
79 currency:
80 format:
80 format:
81 unit: 'KM'
81 unit: 'KM'
82 format: '%u %n'
82 format: '%u %n'
83 negative_format: '%u -%n'
83 negative_format: '%u -%n'
84 delimiter: ''
84 delimiter: ''
85 percentage:
85 percentage:
86 format:
86 format:
87 delimiter: ""
87 delimiter: ""
88 precision:
88 precision:
89 format:
89 format:
90 delimiter: ""
90 delimiter: ""
91 human:
91 human:
92 format:
92 format:
93 delimiter: ""
93 delimiter: ""
94 precision: 3
94 precision: 3
95 storage_units:
95 storage_units:
96 format: "%n %u"
96 format: "%n %u"
97 units:
97 units:
98 byte:
98 byte:
99 one: "Byte"
99 one: "Byte"
100 other: "Bytes"
100 other: "Bytes"
101 kb: "KB"
101 kb: "KB"
102 mb: "MB"
102 mb: "MB"
103 gb: "GB"
103 gb: "GB"
104 tb: "TB"
104 tb: "TB"
105
105
106 # Used in array.to_sentence.
106 # Used in array.to_sentence.
107 support:
107 support:
108 array:
108 array:
109 sentence_connector: "i"
109 sentence_connector: "i"
110 skip_last_comma: false
110 skip_last_comma: false
111
111
112 activerecord:
112 activerecord:
113 errors:
113 errors:
114 template:
114 template:
115 header:
115 header:
116 one: "1 error prohibited this %{model} from being saved"
116 one: "1 error prohibited this %{model} from being saved"
117 other: "%{count} errors prohibited this %{model} from being saved"
117 other: "%{count} errors prohibited this %{model} from being saved"
118 messages:
118 messages:
119 inclusion: "nije uključeno u listu"
119 inclusion: "nije uključeno u listu"
120 exclusion: "je rezervisano"
120 exclusion: "je rezervisano"
121 invalid: "nije ispravno"
121 invalid: "nije ispravno"
122 confirmation: "ne odgovara potvrdi"
122 confirmation: "ne odgovara potvrdi"
123 accepted: "mora se prihvatiti"
123 accepted: "mora se prihvatiti"
124 empty: "ne može biti prazno"
124 empty: "ne može biti prazno"
125 blank: "ne može biti znak razmaka"
125 blank: "ne može biti znak razmaka"
126 too_long: "je predugačko"
126 too_long: "je predugačko"
127 too_short: "je prekratko"
127 too_short: "je prekratko"
128 wrong_length: "je pogrešne dužine"
128 wrong_length: "je pogrešne dužine"
129 taken: "već je zauzeto"
129 taken: "već je zauzeto"
130 not_a_number: "nije broj"
130 not_a_number: "nije broj"
131 not_a_date: "nije ispravan datum"
131 not_a_date: "nije ispravan datum"
132 greater_than: "mora bit veći od %{count}"
132 greater_than: "mora bit veći od %{count}"
133 greater_than_or_equal_to: "mora bit veći ili jednak %{count}"
133 greater_than_or_equal_to: "mora bit veći ili jednak %{count}"
134 equal_to: "mora biti jednak %{count}"
134 equal_to: "mora biti jednak %{count}"
135 less_than: "mora biti manji od %{count}"
135 less_than: "mora biti manji od %{count}"
136 less_than_or_equal_to: "mora bit manji ili jednak %{count}"
136 less_than_or_equal_to: "mora bit manji ili jednak %{count}"
137 odd: "mora biti neparan"
137 odd: "mora biti neparan"
138 even: "mora biti paran"
138 even: "mora biti paran"
139 greater_than_start_date: "mora biti veći nego početni datum"
139 greater_than_start_date: "mora biti veći nego početni datum"
140 not_same_project: "ne pripada istom projektu"
140 not_same_project: "ne pripada istom projektu"
141 circular_dependency: "Ova relacija stvar cirkularnu zavisnost"
141 circular_dependency: "Ova relacija stvar cirkularnu zavisnost"
142 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
142 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
143 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
143 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
144
144
145 actionview_instancetag_blank_option: Molimo odaberite
145 actionview_instancetag_blank_option: Molimo odaberite
146
146
147 general_text_No: 'Da'
147 general_text_No: 'Da'
148 general_text_Yes: 'Ne'
148 general_text_Yes: 'Ne'
149 general_text_no: 'ne'
149 general_text_no: 'ne'
150 general_text_yes: 'da'
150 general_text_yes: 'da'
151 general_lang_name: 'Bosnian (Bosanski)'
151 general_lang_name: 'Bosnian (Bosanski)'
152 general_csv_separator: ','
152 general_csv_separator: ','
153 general_csv_decimal_separator: '.'
153 general_csv_decimal_separator: '.'
154 general_csv_encoding: UTF-8
154 general_csv_encoding: UTF-8
155 general_pdf_fontname: freesans
155 general_pdf_fontname: freesans
156 general_pdf_monospaced_fontname: freemono
156 general_pdf_monospaced_fontname: freemono
157 general_first_day_of_week: '7'
157 general_first_day_of_week: '7'
158
158
159 notice_account_activated: Vaš nalog je aktiviran. Možete se prijaviti.
159 notice_account_activated: Vaš nalog je aktiviran. Možete se prijaviti.
160 notice_account_invalid_creditentials: Pogrešan korisnik ili lozinka
160 notice_account_invalid_creditentials: Pogrešan korisnik ili lozinka
161 notice_account_lost_email_sent: Email sa uputstvima o izboru nove šifre je poslat na vašu adresu.
161 notice_account_lost_email_sent: Email sa uputstvima o izboru nove šifre je poslat na vašu adresu.
162 notice_account_password_updated: Lozinka je uspješno promjenjena.
162 notice_account_password_updated: Lozinka je uspješno promjenjena.
163 notice_account_pending: "Vaš nalog je kreiran i čeka odobrenje administratora."
163 notice_account_pending: "Vaš nalog je kreiran i čeka odobrenje administratora."
164 notice_account_register_done: Nalog je uspješno kreiran. Da bi ste aktivirali vaš nalog kliknite na link koji vam je poslat.
164 notice_account_register_done: Nalog je uspješno kreiran. Da bi ste aktivirali vaš nalog kliknite na link koji vam je poslat.
165 notice_account_unknown_email: Nepoznati korisnik.
165 notice_account_unknown_email: Nepoznati korisnik.
166 notice_account_updated: Nalog je uspješno promjenen.
166 notice_account_updated: Nalog je uspješno promjenen.
167 notice_account_wrong_password: Pogrešna lozinka
167 notice_account_wrong_password: Pogrešna lozinka
168 notice_can_t_change_password: Ovaj nalog koristi eksterni izvor prijavljivanja. Ne mogu da promjenim šifru.
168 notice_can_t_change_password: Ovaj nalog koristi eksterni izvor prijavljivanja. Ne mogu da promjenim šifru.
169 notice_default_data_loaded: Podrazumjevana konfiguracija uspječno učitana.
169 notice_default_data_loaded: Podrazumjevana konfiguracija uspječno učitana.
170 notice_email_error: Došlo je do greške pri slanju emaila (%{value})
170 notice_email_error: Došlo je do greške pri slanju emaila (%{value})
171 notice_email_sent: "Email je poslan %{value}"
171 notice_email_sent: "Email je poslan %{value}"
172 notice_failed_to_save_issues: "Neuspješno snimanje %{count} aktivnosti na %{total} izabrano: %{ids}."
172 notice_failed_to_save_issues: "Neuspješno snimanje %{count} aktivnosti na %{total} izabrano: %{ids}."
173 notice_feeds_access_key_reseted: Vaš Atom pristup je resetovan.
173 notice_feeds_access_key_reseted: Vaš Atom pristup je resetovan.
174 notice_file_not_found: Stranica kojoj pokušavate da pristupite ne postoji ili je uklonjena.
174 notice_file_not_found: Stranica kojoj pokušavate da pristupite ne postoji ili je uklonjena.
175 notice_locking_conflict: "Konflikt: podaci su izmjenjeni od strane drugog korisnika."
175 notice_locking_conflict: "Konflikt: podaci su izmjenjeni od strane drugog korisnika."
176 notice_no_issue_selected: "Nijedna aktivnost nije izabrana! Molim, izaberite aktivnosti koje želite za ispravljate."
176 notice_no_issue_selected: "Nijedna aktivnost nije izabrana! Molim, izaberite aktivnosti koje želite za ispravljate."
177 notice_not_authorized: Niste ovlašćeni da pristupite ovoj stranici.
177 notice_not_authorized: Niste ovlašćeni da pristupite ovoj stranici.
178 notice_successful_connection: Uspješna konekcija.
178 notice_successful_connection: Uspješna konekcija.
179 notice_successful_create: Uspješno kreiranje.
179 notice_successful_create: Uspješno kreiranje.
180 notice_successful_delete: Brisanje izvršeno.
180 notice_successful_delete: Brisanje izvršeno.
181 notice_successful_update: Promjene uspješno izvršene.
181 notice_successful_update: Promjene uspješno izvršene.
182
182
183 error_can_t_load_default_data: "Podrazumjevane postavke se ne mogu učitati %{value}"
183 error_can_t_load_default_data: "Podrazumjevane postavke se ne mogu učitati %{value}"
184 error_scm_command_failed: "Desila se greška pri pristupu repozitoriju: %{value}"
184 error_scm_command_failed: "Desila se greška pri pristupu repozitoriju: %{value}"
185 error_scm_not_found: "Unos i/ili revizija ne postoji u repozitoriju."
185 error_scm_not_found: "Unos i/ili revizija ne postoji u repozitoriju."
186
186
187 error_scm_annotate: "Ova stavka ne postoji ili nije označena."
187 error_scm_annotate: "Ova stavka ne postoji ili nije označena."
188 error_issue_not_found_in_project: 'Aktivnost nije nađena ili ne pripada ovom projektu'
188 error_issue_not_found_in_project: 'Aktivnost nije nađena ili ne pripada ovom projektu'
189
189
190 warning_attachments_not_saved: "%{count} fajl(ovi) ne mogu biti snimljen(i)."
190 warning_attachments_not_saved: "%{count} fajl(ovi) ne mogu biti snimljen(i)."
191
191
192 mail_subject_lost_password: "Vaša %{value} lozinka"
192 mail_subject_lost_password: "Vaša %{value} lozinka"
193 mail_body_lost_password: 'Za promjenu lozinke, kliknite na sljedeći link:'
193 mail_body_lost_password: 'Za promjenu lozinke, kliknite na sljedeći link:'
194 mail_subject_register: "Aktivirajte %{value} vaš korisnički račun"
194 mail_subject_register: "Aktivirajte %{value} vaš korisnički račun"
195 mail_body_register: 'Za aktivaciju vašeg korisničkog računa, kliknite na sljedeći link:'
195 mail_body_register: 'Za aktivaciju vašeg korisničkog računa, kliknite na sljedeći link:'
196 mail_body_account_information_external: "Možete koristiti vaš %{value} korisnički račun za prijavu na sistem."
196 mail_body_account_information_external: "Možete koristiti vaš %{value} korisnički račun za prijavu na sistem."
197 mail_body_account_information: Informacija o vašem korisničkom računu
197 mail_body_account_information: Informacija o vašem korisničkom računu
198 mail_subject_account_activation_request: "%{value} zahtjev za aktivaciju korisničkog računa"
198 mail_subject_account_activation_request: "%{value} zahtjev za aktivaciju korisničkog računa"
199 mail_body_account_activation_request: "Novi korisnik (%{value}) se registrovao. Korisnički račun čeka vaše odobrenje za aktivaciju:"
199 mail_body_account_activation_request: "Novi korisnik (%{value}) se registrovao. Korisnički račun čeka vaše odobrenje za aktivaciju:"
200 mail_subject_reminder: "%{count} aktivnost(i) u kašnjenju u narednim %{days} danima"
200 mail_subject_reminder: "%{count} aktivnost(i) u kašnjenju u narednim %{days} danima"
201 mail_body_reminder: "%{count} aktivnost(i) koje su dodjeljenje vama u narednim %{days} danima:"
201 mail_body_reminder: "%{count} aktivnost(i) koje su dodjeljenje vama u narednim %{days} danima:"
202
202
203
203
204 field_name: Ime
204 field_name: Ime
205 field_description: Opis
205 field_description: Opis
206 field_summary: Pojašnjenje
206 field_summary: Pojašnjenje
207 field_is_required: Neophodno popuniti
207 field_is_required: Neophodno popuniti
208 field_firstname: Ime
208 field_firstname: Ime
209 field_lastname: Prezime
209 field_lastname: Prezime
210 field_mail: Email
210 field_mail: Email
211 field_filename: Fajl
211 field_filename: Fajl
212 field_filesize: Veličina
212 field_filesize: Veličina
213 field_downloads: Downloadi
213 field_downloads: Downloadi
214 field_author: Autor
214 field_author: Autor
215 field_created_on: Kreirano
215 field_created_on: Kreirano
216 field_updated_on: Izmjenjeno
216 field_updated_on: Izmjenjeno
217 field_field_format: Format
217 field_field_format: Format
218 field_is_for_all: Za sve projekte
218 field_is_for_all: Za sve projekte
219 field_possible_values: Moguće vrijednosti
219 field_possible_values: Moguće vrijednosti
220 field_regexp: '"Regularni izraz"'
220 field_regexp: '"Regularni izraz"'
221 field_min_length: Minimalna veličina
221 field_min_length: Minimalna veličina
222 field_max_length: Maksimalna veličina
222 field_max_length: Maksimalna veličina
223 field_value: Vrijednost
223 field_value: Vrijednost
224 field_category: Kategorija
224 field_category: Kategorija
225 field_title: Naslov
225 field_title: Naslov
226 field_project: Projekat
226 field_project: Projekat
227 field_issue: Aktivnost
227 field_issue: Aktivnost
228 field_status: Status
228 field_status: Status
229 field_notes: Bilješke
229 field_notes: Bilješke
230 field_is_closed: Aktivnost zatvorena
230 field_is_closed: Aktivnost zatvorena
231 field_is_default: Podrazumjevana vrijednost
231 field_is_default: Podrazumjevana vrijednost
232 field_tracker: Područje aktivnosti
232 field_tracker: Područje aktivnosti
233 field_subject: Subjekat
233 field_subject: Subjekat
234 field_due_date: Završiti do
234 field_due_date: Završiti do
235 field_assigned_to: Dodijeljeno
235 field_assigned_to: Dodijeljeno
236 field_priority: Prioritet
236 field_priority: Prioritet
237 field_fixed_version: Ciljna verzija
237 field_fixed_version: Ciljna verzija
238 field_user: Korisnik
238 field_user: Korisnik
239 field_role: Uloga
239 field_role: Uloga
240 field_homepage: Naslovna strana
240 field_homepage: Naslovna strana
241 field_is_public: Javni
241 field_is_public: Javni
242 field_parent: Podprojekt od
242 field_parent: Podprojekt od
243 field_is_in_roadmap: Aktivnosti prikazane u planu realizacije
243 field_is_in_roadmap: Aktivnosti prikazane u planu realizacije
244 field_login: Prijava
244 field_login: Prijava
245 field_mail_notification: Email notifikacije
245 field_mail_notification: Email notifikacije
246 field_admin: Administrator
246 field_admin: Administrator
247 field_last_login_on: Posljednja konekcija
247 field_last_login_on: Posljednja konekcija
248 field_language: Jezik
248 field_language: Jezik
249 field_effective_date: Datum
249 field_effective_date: Datum
250 field_password: Lozinka
250 field_password: Lozinka
251 field_new_password: Nova lozinka
251 field_new_password: Nova lozinka
252 field_password_confirmation: Potvrda
252 field_password_confirmation: Potvrda
253 field_version: Verzija
253 field_version: Verzija
254 field_type: Tip
254 field_type: Tip
255 field_host: Host
255 field_host: Host
256 field_port: Port
256 field_port: Port
257 field_account: Korisnički račun
257 field_account: Korisnički račun
258 field_base_dn: Base DN
258 field_base_dn: Base DN
259 field_attr_login: Attribut za prijavu
259 field_attr_login: Attribut za prijavu
260 field_attr_firstname: Attribut za ime
260 field_attr_firstname: Attribut za ime
261 field_attr_lastname: Atribut za prezime
261 field_attr_lastname: Atribut za prezime
262 field_attr_mail: Atribut za email
262 field_attr_mail: Atribut za email
263 field_onthefly: 'Kreiranje korisnika "On-the-fly"'
263 field_onthefly: 'Kreiranje korisnika "On-the-fly"'
264 field_start_date: Početak
264 field_start_date: Početak
265 field_done_ratio: "% Realizovano"
265 field_done_ratio: "% Realizovano"
266 field_auth_source: Mod za authentifikaciju
266 field_auth_source: Mod za authentifikaciju
267 field_hide_mail: Sakrij moju email adresu
267 field_hide_mail: Sakrij moju email adresu
268 field_comments: Komentar
268 field_comments: Komentar
269 field_url: URL
269 field_url: URL
270 field_start_page: Početna stranica
270 field_start_page: Početna stranica
271 field_subproject: Podprojekat
271 field_subproject: Podprojekat
272 field_hours: Sahata
272 field_hours: Sahata
273 field_activity: Operacija
273 field_activity: Operacija
274 field_spent_on: Datum
274 field_spent_on: Datum
275 field_identifier: Identifikator
275 field_identifier: Identifikator
276 field_is_filter: Korišteno kao filter
276 field_is_filter: Korišteno kao filter
277 field_issue_to: Povezana aktivnost
277 field_issue_to: Povezana aktivnost
278 field_delay: Odgađanje
278 field_delay: Odgađanje
279 field_assignable: Aktivnosti dodijeljene ovoj ulozi
279 field_assignable: Aktivnosti dodijeljene ovoj ulozi
280 field_redirect_existing_links: Izvrši redirekciju postojećih linkova
280 field_redirect_existing_links: Izvrši redirekciju postojećih linkova
281 field_estimated_hours: Procjena vremena
281 field_estimated_hours: Procjena vremena
282 field_column_names: Kolone
282 field_column_names: Kolone
283 field_time_zone: Vremenska zona
283 field_time_zone: Vremenska zona
284 field_searchable: Pretraživo
284 field_searchable: Pretraživo
285 field_default_value: Podrazumjevana vrijednost
285 field_default_value: Podrazumjevana vrijednost
286 field_comments_sorting: Prikaži komentare
286 field_comments_sorting: Prikaži komentare
287 field_parent_title: 'Stranica "roditelj"'
287 field_parent_title: 'Stranica "roditelj"'
288 field_editable: Može se mijenjati
288 field_editable: Može se mijenjati
289 field_watcher: Posmatrač
289 field_watcher: Posmatrač
290 field_identity_url: OpenID URL
290 field_identity_url: OpenID URL
291 field_content: Sadržaj
291 field_content: Sadržaj
292
292
293 setting_app_title: Naslov aplikacije
293 setting_app_title: Naslov aplikacije
294 setting_app_subtitle: Podnaslov aplikacije
294 setting_app_subtitle: Podnaslov aplikacije
295 setting_welcome_text: Tekst dobrodošlice
295 setting_welcome_text: Tekst dobrodošlice
296 setting_default_language: Podrazumjevani jezik
296 setting_default_language: Podrazumjevani jezik
297 setting_login_required: Authentifikacija neophodna
297 setting_login_required: Authentifikacija neophodna
298 setting_self_registration: Samo-registracija
298 setting_self_registration: Samo-registracija
299 setting_attachment_max_size: Maksimalna veličina prikačenog fajla
299 setting_attachment_max_size: Maksimalna veličina prikačenog fajla
300 setting_issues_export_limit: Limit za eksport aktivnosti
300 setting_issues_export_limit: Limit za eksport aktivnosti
301 setting_mail_from: Mail adresa - pošaljilac
301 setting_mail_from: Mail adresa - pošaljilac
302 setting_bcc_recipients: '"BCC" (blind carbon copy) primaoci '
302 setting_bcc_recipients: '"BCC" (blind carbon copy) primaoci '
303 setting_plain_text_mail: Email sa običnim tekstom (bez HTML-a)
303 setting_plain_text_mail: Email sa običnim tekstom (bez HTML-a)
304 setting_host_name: Ime hosta i putanja
304 setting_host_name: Ime hosta i putanja
305 setting_text_formatting: Formatiranje teksta
305 setting_text_formatting: Formatiranje teksta
306 setting_wiki_compression: Kompresija Wiki istorije
306 setting_wiki_compression: Kompresija Wiki istorije
307
307
308 setting_feeds_limit: 'Limit za "Atom" feed-ove'
308 setting_feeds_limit: 'Limit za "Atom" feed-ove'
309 setting_default_projects_public: Podrazumjeva se da je novi projekat javni
309 setting_default_projects_public: Podrazumjeva se da je novi projekat javni
310 setting_autofetch_changesets: 'Automatski kupi "commit"-e'
310 setting_autofetch_changesets: 'Automatski kupi "commit"-e'
311 setting_sys_api_enabled: 'Omogući "WS" za upravljanje repozitorijom'
311 setting_sys_api_enabled: 'Omogući "WS" za upravljanje repozitorijom'
312 setting_commit_ref_keywords: Ključne riječi za reference
312 setting_commit_ref_keywords: Ključne riječi za reference
313 setting_commit_fix_keywords: 'Ključne riječi za status "zatvoreno"'
313 setting_commit_fix_keywords: 'Ključne riječi za status "zatvoreno"'
314 setting_autologin: Automatski login
314 setting_autologin: Automatski login
315 setting_date_format: Format datuma
315 setting_date_format: Format datuma
316 setting_time_format: Format vremena
316 setting_time_format: Format vremena
317 setting_cross_project_issue_relations: Omogući relacije između aktivnosti na različitim projektima
317 setting_cross_project_issue_relations: Omogući relacije između aktivnosti na različitim projektima
318 setting_issue_list_default_columns: Podrazumjevane koleone za prikaz na listi aktivnosti
318 setting_issue_list_default_columns: Podrazumjevane koleone za prikaz na listi aktivnosti
319 setting_emails_footer: Potpis na email-ovima
319 setting_emails_footer: Potpis na email-ovima
320 setting_protocol: Protokol
320 setting_protocol: Protokol
321 setting_per_page_options: Broj objekata po stranici
321 setting_per_page_options: Broj objekata po stranici
322 setting_user_format: Format korisničkog prikaza
322 setting_user_format: Format korisničkog prikaza
323 setting_activity_days_default: Prikaz promjena na projektu - opseg dana
323 setting_activity_days_default: Prikaz promjena na projektu - opseg dana
324 setting_display_subprojects_issues: Prikaz podprojekata na glavnom projektima (podrazumjeva se)
324 setting_display_subprojects_issues: Prikaz podprojekata na glavnom projektima (podrazumjeva se)
325 setting_enabled_scm: Omogući SCM (source code management)
325 setting_enabled_scm: Omogući SCM (source code management)
326 setting_mail_handler_api_enabled: Omogući automatsku obradu ulaznih emailova
326 setting_mail_handler_api_enabled: Omogući automatsku obradu ulaznih emailova
327 setting_mail_handler_api_key: API ključ (obrada ulaznih mailova)
327 setting_mail_handler_api_key: API ključ (obrada ulaznih mailova)
328 setting_sequential_project_identifiers: Generiši identifikatore projekta sekvencijalno
328 setting_sequential_project_identifiers: Generiši identifikatore projekta sekvencijalno
329 setting_gravatar_enabled: 'Koristi "gravatar" korisničke ikone'
329 setting_gravatar_enabled: 'Koristi "gravatar" korisničke ikone'
330 setting_diff_max_lines_displayed: Maksimalan broj linija za prikaz razlika između dva fajla
330 setting_diff_max_lines_displayed: Maksimalan broj linija za prikaz razlika između dva fajla
331 setting_file_max_size_displayed: Maksimalna veličina fajla kod prikaza razlika unutar fajla (inline)
331 setting_file_max_size_displayed: Maksimalna veličina fajla kod prikaza razlika unutar fajla (inline)
332 setting_repository_log_display_limit: Maksimalna veličina revizija prikazanih na log fajlu
332 setting_repository_log_display_limit: Maksimalna veličina revizija prikazanih na log fajlu
333 setting_openid: Omogući OpenID prijavu i registraciju
333 setting_openid: Omogući OpenID prijavu i registraciju
334
334
335 permission_edit_project: Ispravke projekta
335 permission_edit_project: Ispravke projekta
336 permission_select_project_modules: Odaberi module projekta
336 permission_select_project_modules: Odaberi module projekta
337 permission_manage_members: Upravljanje članovima
337 permission_manage_members: Upravljanje članovima
338 permission_manage_versions: Upravljanje verzijama
338 permission_manage_versions: Upravljanje verzijama
339 permission_manage_categories: Upravljanje kategorijama aktivnosti
339 permission_manage_categories: Upravljanje kategorijama aktivnosti
340 permission_add_issues: Dodaj aktivnosti
340 permission_add_issues: Dodaj aktivnosti
341 permission_edit_issues: Ispravka aktivnosti
341 permission_edit_issues: Ispravka aktivnosti
342 permission_manage_issue_relations: Upravljaj relacijama među aktivnostima
342 permission_manage_issue_relations: Upravljaj relacijama među aktivnostima
343 permission_add_issue_notes: Dodaj bilješke
343 permission_add_issue_notes: Dodaj bilješke
344 permission_edit_issue_notes: Ispravi bilješke
344 permission_edit_issue_notes: Ispravi bilješke
345 permission_edit_own_issue_notes: Ispravi sopstvene bilješke
345 permission_edit_own_issue_notes: Ispravi sopstvene bilješke
346 permission_move_issues: Pomjeri aktivnosti
346 permission_move_issues: Pomjeri aktivnosti
347 permission_delete_issues: Izbriši aktivnosti
347 permission_delete_issues: Izbriši aktivnosti
348 permission_manage_public_queries: Upravljaj javnim upitima
348 permission_manage_public_queries: Upravljaj javnim upitima
349 permission_save_queries: Snimi upite
349 permission_save_queries: Snimi upite
350 permission_view_gantt: Pregled gantograma
350 permission_view_gantt: Pregled gantograma
351 permission_view_calendar: Pregled kalendara
351 permission_view_calendar: Pregled kalendara
352 permission_view_issue_watchers: Pregled liste korisnika koji prate aktivnost
352 permission_view_issue_watchers: Pregled liste korisnika koji prate aktivnost
353 permission_add_issue_watchers: Dodaj onoga koji prati aktivnost
353 permission_add_issue_watchers: Dodaj onoga koji prati aktivnost
354 permission_log_time: Evidentiraj utrošak vremena
354 permission_log_time: Evidentiraj utrošak vremena
355 permission_view_time_entries: Pregled utroška vremena
355 permission_view_time_entries: Pregled utroška vremena
356 permission_edit_time_entries: Ispravka utroška vremena
356 permission_edit_time_entries: Ispravka utroška vremena
357 permission_edit_own_time_entries: Ispravka svog utroška vremena
357 permission_edit_own_time_entries: Ispravka svog utroška vremena
358 permission_manage_news: Upravljaj novostima
358 permission_manage_news: Upravljaj novostima
359 permission_comment_news: Komentiraj novosti
359 permission_comment_news: Komentiraj novosti
360 permission_view_documents: Pregled dokumenata
360 permission_view_documents: Pregled dokumenata
361 permission_manage_files: Upravljaj fajlovima
361 permission_manage_files: Upravljaj fajlovima
362 permission_view_files: Pregled fajlova
362 permission_view_files: Pregled fajlova
363 permission_manage_wiki: Upravljaj wiki stranicama
363 permission_manage_wiki: Upravljaj wiki stranicama
364 permission_rename_wiki_pages: Ispravi wiki stranicu
364 permission_rename_wiki_pages: Ispravi wiki stranicu
365 permission_delete_wiki_pages: Izbriši wiki stranicu
365 permission_delete_wiki_pages: Izbriši wiki stranicu
366 permission_view_wiki_pages: Pregled wiki sadržaja
366 permission_view_wiki_pages: Pregled wiki sadržaja
367 permission_view_wiki_edits: Pregled wiki istorije
367 permission_view_wiki_edits: Pregled wiki istorije
368 permission_edit_wiki_pages: Ispravka wiki stranica
368 permission_edit_wiki_pages: Ispravka wiki stranica
369 permission_delete_wiki_pages_attachments: Brisanje fajlova prikačenih wiki-ju
369 permission_delete_wiki_pages_attachments: Brisanje fajlova prikačenih wiki-ju
370 permission_protect_wiki_pages: Zaštiti wiki stranicu
370 permission_protect_wiki_pages: Zaštiti wiki stranicu
371 permission_manage_repository: Upravljaj repozitorijem
371 permission_manage_repository: Upravljaj repozitorijem
372 permission_browse_repository: Pregled repozitorija
372 permission_browse_repository: Pregled repozitorija
373 permission_view_changesets: Pregled setova promjena
373 permission_view_changesets: Pregled setova promjena
374 permission_commit_access: 'Pristup "commit"-u'
374 permission_commit_access: 'Pristup "commit"-u'
375 permission_manage_boards: Upravljaj forumima
375 permission_manage_boards: Upravljaj forumima
376 permission_view_messages: Pregled poruka
376 permission_view_messages: Pregled poruka
377 permission_add_messages: Šalji poruke
377 permission_add_messages: Šalji poruke
378 permission_edit_messages: Ispravi poruke
378 permission_edit_messages: Ispravi poruke
379 permission_edit_own_messages: Ispravka sopstvenih poruka
379 permission_edit_own_messages: Ispravka sopstvenih poruka
380 permission_delete_messages: Prisanje poruka
380 permission_delete_messages: Prisanje poruka
381 permission_delete_own_messages: Brisanje sopstvenih poruka
381 permission_delete_own_messages: Brisanje sopstvenih poruka
382
382
383 project_module_issue_tracking: Praćenje aktivnosti
383 project_module_issue_tracking: Praćenje aktivnosti
384 project_module_time_tracking: Praćenje vremena
384 project_module_time_tracking: Praćenje vremena
385 project_module_news: Novosti
385 project_module_news: Novosti
386 project_module_documents: Dokumenti
386 project_module_documents: Dokumenti
387 project_module_files: Fajlovi
387 project_module_files: Fajlovi
388 project_module_wiki: Wiki stranice
388 project_module_wiki: Wiki stranice
389 project_module_repository: Repozitorij
389 project_module_repository: Repozitorij
390 project_module_boards: Forumi
390 project_module_boards: Forumi
391
391
392 label_user: Korisnik
392 label_user: Korisnik
393 label_user_plural: Korisnici
393 label_user_plural: Korisnici
394 label_user_new: Novi korisnik
394 label_user_new: Novi korisnik
395 label_project: Projekat
395 label_project: Projekat
396 label_project_new: Novi projekat
396 label_project_new: Novi projekat
397 label_project_plural: Projekti
397 label_project_plural: Projekti
398 label_x_projects:
398 label_x_projects:
399 zero: 0 projekata
399 zero: 0 projekata
400 one: 1 projekat
400 one: 1 projekat
401 other: "%{count} projekata"
401 other: "%{count} projekata"
402 label_project_all: Svi projekti
402 label_project_all: Svi projekti
403 label_project_latest: Posljednji projekti
403 label_project_latest: Posljednji projekti
404 label_issue: Aktivnost
404 label_issue: Aktivnost
405 label_issue_new: Nova aktivnost
405 label_issue_new: Nova aktivnost
406 label_issue_plural: Aktivnosti
406 label_issue_plural: Aktivnosti
407 label_issue_view_all: Vidi sve aktivnosti
407 label_issue_view_all: Vidi sve aktivnosti
408 label_issues_by: "Aktivnosti po %{value}"
408 label_issues_by: "Aktivnosti po %{value}"
409 label_issue_added: Aktivnost je dodana
409 label_issue_added: Aktivnost je dodana
410 label_issue_updated: Aktivnost je izmjenjena
410 label_issue_updated: Aktivnost je izmjenjena
411 label_document: Dokument
411 label_document: Dokument
412 label_document_new: Novi dokument
412 label_document_new: Novi dokument
413 label_document_plural: Dokumenti
413 label_document_plural: Dokumenti
414 label_document_added: Dokument je dodan
414 label_document_added: Dokument je dodan
415 label_role: Uloga
415 label_role: Uloga
416 label_role_plural: Uloge
416 label_role_plural: Uloge
417 label_role_new: Nove uloge
417 label_role_new: Nove uloge
418 label_role_and_permissions: Uloge i dozvole
418 label_role_and_permissions: Uloge i dozvole
419 label_member: Izvršilac
419 label_member: Izvršilac
420 label_member_new: Novi izvršilac
420 label_member_new: Novi izvršilac
421 label_member_plural: Izvršioci
421 label_member_plural: Izvršioci
422 label_tracker: Područje aktivnosti
422 label_tracker: Područje aktivnosti
423 label_tracker_plural: Područja aktivnosti
423 label_tracker_plural: Područja aktivnosti
424 label_tracker_new: Novo područje aktivnosti
424 label_tracker_new: Novo područje aktivnosti
425 label_workflow: Tok promjena na aktivnosti
425 label_workflow: Tok promjena na aktivnosti
426 label_issue_status: Status aktivnosti
426 label_issue_status: Status aktivnosti
427 label_issue_status_plural: Statusi aktivnosti
427 label_issue_status_plural: Statusi aktivnosti
428 label_issue_status_new: Novi status
428 label_issue_status_new: Novi status
429 label_issue_category: Kategorija aktivnosti
429 label_issue_category: Kategorija aktivnosti
430 label_issue_category_plural: Kategorije aktivnosti
430 label_issue_category_plural: Kategorije aktivnosti
431 label_issue_category_new: Nova kategorija
431 label_issue_category_new: Nova kategorija
432 label_custom_field: Proizvoljno polje
432 label_custom_field: Proizvoljno polje
433 label_custom_field_plural: Proizvoljna polja
433 label_custom_field_plural: Proizvoljna polja
434 label_custom_field_new: Novo proizvoljno polje
434 label_custom_field_new: Novo proizvoljno polje
435 label_enumerations: Enumeracije
435 label_enumerations: Enumeracije
436 label_enumeration_new: Nova vrijednost
436 label_enumeration_new: Nova vrijednost
437 label_information: Informacija
437 label_information: Informacija
438 label_information_plural: Informacije
438 label_information_plural: Informacije
439 label_please_login: Molimo prijavite se
439 label_please_login: Molimo prijavite se
440 label_register: Registracija
440 label_register: Registracija
441 label_login_with_open_id_option: ili prijava sa OpenID-om
441 label_login_with_open_id_option: ili prijava sa OpenID-om
442 label_password_lost: Izgubljena lozinka
442 label_password_lost: Izgubljena lozinka
443 label_home: Početna stranica
443 label_home: Početna stranica
444 label_my_page: Moja stranica
444 label_my_page: Moja stranica
445 label_my_account: Moj korisnički račun
445 label_my_account: Moj korisnički račun
446 label_my_projects: Moji projekti
446 label_my_projects: Moji projekti
447 label_administration: Administracija
447 label_administration: Administracija
448 label_login: Prijavi se
448 label_login: Prijavi se
449 label_logout: Odjavi se
449 label_logout: Odjavi se
450 label_help: Pomoć
450 label_help: Pomoć
451 label_reported_issues: Prijavljene aktivnosti
451 label_reported_issues: Prijavljene aktivnosti
452 label_assigned_to_me_issues: Aktivnosti dodjeljene meni
452 label_assigned_to_me_issues: Aktivnosti dodjeljene meni
453 label_last_login: Posljednja konekcija
453 label_last_login: Posljednja konekcija
454 label_registered_on: Registrovan na
454 label_registered_on: Registrovan na
455 label_activity_plural: Promjene
455 label_activity_plural: Promjene
456 label_activity: Operacija
456 label_activity: Operacija
457 label_overall_activity: Pregled svih promjena
457 label_overall_activity: Pregled svih promjena
458 label_user_activity: "Promjene izvršene od: %{value}"
458 label_user_activity: "Promjene izvršene od: %{value}"
459 label_new: Novi
459 label_new: Novi
460 label_logged_as: Prijavljen kao
460 label_logged_as: Prijavljen kao
461 label_environment: Sistemsko okruženje
461 label_environment: Sistemsko okruženje
462 label_authentication: Authentifikacija
462 label_authentication: Authentifikacija
463 label_auth_source: Mod authentifikacije
463 label_auth_source: Mod authentifikacije
464 label_auth_source_new: Novi mod authentifikacije
464 label_auth_source_new: Novi mod authentifikacije
465 label_auth_source_plural: Modovi authentifikacije
465 label_auth_source_plural: Modovi authentifikacije
466 label_subproject_plural: Podprojekti
466 label_subproject_plural: Podprojekti
467 label_and_its_subprojects: "%{value} i njegovi podprojekti"
467 label_and_its_subprojects: "%{value} i njegovi podprojekti"
468 label_min_max_length: Min - Maks dužina
468 label_min_max_length: Min - Maks dužina
469 label_list: Lista
469 label_list: Lista
470 label_date: Datum
470 label_date: Datum
471 label_integer: Cijeli broj
471 label_integer: Cijeli broj
472 label_float: Float
472 label_float: Float
473 label_boolean: Logička varijabla
473 label_boolean: Logička varijabla
474 label_string: Tekst
474 label_string: Tekst
475 label_text: Dugi tekst
475 label_text: Dugi tekst
476 label_attribute: Atribut
476 label_attribute: Atribut
477 label_attribute_plural: Atributi
477 label_attribute_plural: Atributi
478 label_no_data: Nema podataka za prikaz
478 label_no_data: Nema podataka za prikaz
479 label_change_status: Promjeni status
479 label_change_status: Promjeni status
480 label_history: Istorija
480 label_history: Istorija
481 label_attachment: Fajl
481 label_attachment: Fajl
482 label_attachment_new: Novi fajl
482 label_attachment_new: Novi fajl
483 label_attachment_delete: Izbriši fajl
483 label_attachment_delete: Izbriši fajl
484 label_attachment_plural: Fajlovi
484 label_attachment_plural: Fajlovi
485 label_file_added: Fajl je dodan
485 label_file_added: Fajl je dodan
486 label_report: Izvještaj
486 label_report: Izvještaj
487 label_report_plural: Izvještaji
487 label_report_plural: Izvještaji
488 label_news: Novosti
488 label_news: Novosti
489 label_news_new: Dodaj novosti
489 label_news_new: Dodaj novosti
490 label_news_plural: Novosti
490 label_news_plural: Novosti
491 label_news_latest: Posljednje novosti
491 label_news_latest: Posljednje novosti
492 label_news_view_all: Pogledaj sve novosti
492 label_news_view_all: Pogledaj sve novosti
493 label_news_added: Novosti su dodane
493 label_news_added: Novosti su dodane
494 label_settings: Postavke
494 label_settings: Postavke
495 label_overview: Pregled
495 label_overview: Pregled
496 label_version: Verzija
496 label_version: Verzija
497 label_version_new: Nova verzija
497 label_version_new: Nova verzija
498 label_version_plural: Verzije
498 label_version_plural: Verzije
499 label_confirmation: Potvrda
499 label_confirmation: Potvrda
500 label_export_to: 'Takođe dostupno u:'
500 label_export_to: 'Takođe dostupno u:'
501 label_read: Čitaj...
501 label_read: Čitaj...
502 label_public_projects: Javni projekti
502 label_public_projects: Javni projekti
503 label_open_issues: otvoren
503 label_open_issues: otvoren
504 label_open_issues_plural: otvoreni
504 label_open_issues_plural: otvoreni
505 label_closed_issues: zatvoren
505 label_closed_issues: zatvoren
506 label_closed_issues_plural: zatvoreni
506 label_closed_issues_plural: zatvoreni
507 label_x_open_issues_abbr:
507 label_x_open_issues_abbr:
508 zero: 0 otvoreno
508 zero: 0 otvoreno
509 one: 1 otvorena
509 one: 1 otvorena
510 other: "%{count} otvorene"
510 other: "%{count} otvorene"
511 label_x_closed_issues_abbr:
511 label_x_closed_issues_abbr:
512 zero: 0 zatvoreno
512 zero: 0 zatvoreno
513 one: 1 zatvorena
513 one: 1 zatvorena
514 other: "%{count} zatvorene"
514 other: "%{count} zatvorene"
515 label_total: Ukupno
515 label_total: Ukupno
516 label_permissions: Dozvole
516 label_permissions: Dozvole
517 label_current_status: Tekući status
517 label_current_status: Tekući status
518 label_new_statuses_allowed: Novi statusi dozvoljeni
518 label_new_statuses_allowed: Novi statusi dozvoljeni
519 label_all: sve
519 label_all: sve
520 label_none: ništa
520 label_none: ništa
521 label_nobody: niko
521 label_nobody: niko
522 label_next: Sljedeće
522 label_next: Sljedeće
523 label_previous: Predhodno
523 label_previous: Predhodno
524 label_used_by: Korišteno od
524 label_used_by: Korišteno od
525 label_details: Detalji
525 label_details: Detalji
526 label_add_note: Dodaj bilješku
526 label_add_note: Dodaj bilješku
527 label_calendar: Kalendar
527 label_calendar: Kalendar
528 label_months_from: mjeseci od
528 label_months_from: mjeseci od
529 label_gantt: Gantt
529 label_gantt: Gantt
530 label_internal: Interno
530 label_internal: Interno
531 label_last_changes: "posljednjih %{count} promjena"
531 label_last_changes: "posljednjih %{count} promjena"
532 label_change_view_all: Vidi sve promjene
532 label_change_view_all: Vidi sve promjene
533 label_personalize_page: Personaliziraj ovu stranicu
533 label_personalize_page: Personaliziraj ovu stranicu
534 label_comment: Komentar
534 label_comment: Komentar
535 label_comment_plural: Komentari
535 label_comment_plural: Komentari
536 label_x_comments:
536 label_x_comments:
537 zero: bez komentara
537 zero: bez komentara
538 one: 1 komentar
538 one: 1 komentar
539 other: "%{count} komentari"
539 other: "%{count} komentari"
540 label_comment_add: Dodaj komentar
540 label_comment_add: Dodaj komentar
541 label_comment_added: Komentar je dodan
541 label_comment_added: Komentar je dodan
542 label_comment_delete: Izbriši komentar
542 label_comment_delete: Izbriši komentar
543 label_query: Proizvoljan upit
543 label_query: Proizvoljan upit
544 label_query_plural: Proizvoljni upiti
544 label_query_plural: Proizvoljni upiti
545 label_query_new: Novi upit
545 label_query_new: Novi upit
546 label_filter_add: Dodaj filter
546 label_filter_add: Dodaj filter
547 label_filter_plural: Filteri
547 label_filter_plural: Filteri
548 label_equals: je
548 label_equals: je
549 label_not_equals: nije
549 label_not_equals: nije
550 label_in_less_than: je manji nego
550 label_in_less_than: je manji nego
551 label_in_more_than: je više nego
551 label_in_more_than: je više nego
552 label_in: u
552 label_in: u
553 label_today: danas
553 label_today: danas
554 label_all_time: sve vrijeme
554 label_all_time: sve vrijeme
555 label_yesterday: juče
555 label_yesterday: juče
556 label_this_week: ova hefta
556 label_this_week: ova hefta
557 label_last_week: zadnja hefta
557 label_last_week: zadnja hefta
558 label_last_n_days: "posljednjih %{count} dana"
558 label_last_n_days: "posljednjih %{count} dana"
559 label_this_month: ovaj mjesec
559 label_this_month: ovaj mjesec
560 label_last_month: posljednji mjesec
560 label_last_month: posljednji mjesec
561 label_this_year: ova godina
561 label_this_year: ova godina
562 label_date_range: Datumski opseg
562 label_date_range: Datumski opseg
563 label_less_than_ago: ranije nego (dana)
563 label_less_than_ago: ranije nego (dana)
564 label_more_than_ago: starije nego (dana)
564 label_more_than_ago: starije nego (dana)
565 label_ago: prije (dana)
565 label_ago: prije (dana)
566 label_contains: sadrži
566 label_contains: sadrži
567 label_not_contains: ne sadrži
567 label_not_contains: ne sadrži
568 label_day_plural: dani
568 label_day_plural: dani
569 label_repository: Repozitorij
569 label_repository: Repozitorij
570 label_repository_plural: Repozitoriji
570 label_repository_plural: Repozitoriji
571 label_browse: Listaj
571 label_browse: Listaj
572 label_revision: Revizija
572 label_revision: Revizija
573 label_revision_plural: Revizije
573 label_revision_plural: Revizije
574 label_associated_revisions: Doddjeljene revizije
574 label_associated_revisions: Doddjeljene revizije
575 label_added: dodano
575 label_added: dodano
576 label_modified: izmjenjeno
576 label_modified: izmjenjeno
577 label_copied: kopirano
577 label_copied: kopirano
578 label_renamed: preimenovano
578 label_renamed: preimenovano
579 label_deleted: izbrisano
579 label_deleted: izbrisano
580 label_latest_revision: Posljednja revizija
580 label_latest_revision: Posljednja revizija
581 label_latest_revision_plural: Posljednje revizije
581 label_latest_revision_plural: Posljednje revizije
582 label_view_revisions: Vidi revizije
582 label_view_revisions: Vidi revizije
583 label_max_size: Maksimalna veličina
583 label_max_size: Maksimalna veličina
584 label_sort_highest: Pomjeri na vrh
584 label_sort_highest: Pomjeri na vrh
585 label_sort_higher: Pomjeri gore
585 label_sort_higher: Pomjeri gore
586 label_sort_lower: Pomjeri dole
586 label_sort_lower: Pomjeri dole
587 label_sort_lowest: Pomjeri na dno
587 label_sort_lowest: Pomjeri na dno
588 label_roadmap: Plan realizacije
588 label_roadmap: Plan realizacije
589 label_roadmap_due_in: "Obavezan do %{value}"
589 label_roadmap_due_in: "Obavezan do %{value}"
590 label_roadmap_overdue: "%{value} kasni"
590 label_roadmap_overdue: "%{value} kasni"
591 label_roadmap_no_issues: Nema aktivnosti za ovu verziju
591 label_roadmap_no_issues: Nema aktivnosti za ovu verziju
592 label_search: Traži
592 label_search: Traži
593 label_result_plural: Rezultati
593 label_result_plural: Rezultati
594 label_all_words: Sve riječi
594 label_all_words: Sve riječi
595 label_wiki: Wiki stranice
595 label_wiki: Wiki stranice
596 label_wiki_edit: ispravka wiki-ja
596 label_wiki_edit: ispravka wiki-ja
597 label_wiki_edit_plural: ispravke wiki-ja
597 label_wiki_edit_plural: ispravke wiki-ja
598 label_wiki_page: Wiki stranica
598 label_wiki_page: Wiki stranica
599 label_wiki_page_plural: Wiki stranice
599 label_wiki_page_plural: Wiki stranice
600 label_index_by_title: Indeks prema naslovima
600 label_index_by_title: Indeks prema naslovima
601 label_index_by_date: Indeks po datumima
601 label_index_by_date: Indeks po datumima
602 label_current_version: Tekuća verzija
602 label_current_version: Tekuća verzija
603 label_preview: Pregled
603 label_preview: Pregled
604 label_feed_plural: Feeds
604 label_feed_plural: Feeds
605 label_changes_details: Detalji svih promjena
605 label_changes_details: Detalji svih promjena
606 label_issue_tracking: Evidencija aktivnosti
606 label_issue_tracking: Evidencija aktivnosti
607 label_spent_time: Utrošak vremena
607 label_spent_time: Utrošak vremena
608 label_f_hour: "%{value} sahat"
608 label_f_hour: "%{value} sahat"
609 label_f_hour_plural: "%{value} sahata"
609 label_f_hour_plural: "%{value} sahata"
610 label_time_tracking: Evidencija vremena
610 label_time_tracking: Evidencija vremena
611 label_change_plural: Promjene
611 label_change_plural: Promjene
612 label_statistics: Statistika
612 label_statistics: Statistika
613 label_commits_per_month: '"Commit"-a po mjesecu'
613 label_commits_per_month: '"Commit"-a po mjesecu'
614 label_commits_per_author: '"Commit"-a po autoru'
614 label_commits_per_author: '"Commit"-a po autoru'
615 label_view_diff: Pregled razlika
615 label_view_diff: Pregled razlika
616 label_diff_inline: zajedno
616 label_diff_inline: zajedno
617 label_diff_side_by_side: jedna pored druge
617 label_diff_side_by_side: jedna pored druge
618 label_options: Opcije
618 label_options: Opcije
619 label_copy_workflow_from: Kopiraj tok promjena statusa iz
619 label_copy_workflow_from: Kopiraj tok promjena statusa iz
620 label_permissions_report: Izvještaj
620 label_permissions_report: Izvještaj
621 label_watched_issues: Aktivnosti koje pratim
621 label_watched_issues: Aktivnosti koje pratim
622 label_related_issues: Korelirane aktivnosti
622 label_related_issues: Korelirane aktivnosti
623 label_applied_status: Status je primjenjen
623 label_applied_status: Status je primjenjen
624 label_loading: Učitavam...
624 label_loading: Učitavam...
625 label_relation_new: Nova relacija
625 label_relation_new: Nova relacija
626 label_relation_delete: Izbriši relaciju
626 label_relation_delete: Izbriši relaciju
627 label_relates_to: korelira sa
627 label_relates_to: korelira sa
628 label_duplicates: duplikat
628 label_duplicates: duplikat
629 label_duplicated_by: duplicirano od
629 label_duplicated_by: duplicirano od
630 label_blocks: blokira
630 label_blocks: blokira
631 label_blocked_by: blokirano on
631 label_blocked_by: blokirano on
632 label_precedes: predhodi
632 label_precedes: predhodi
633 label_follows: slijedi
633 label_follows: slijedi
634 label_stay_logged_in: Ostani prijavljen
634 label_stay_logged_in: Ostani prijavljen
635 label_disabled: onemogućen
635 label_disabled: onemogućen
636 label_show_completed_versions: Prikaži završene verzije
636 label_show_completed_versions: Prikaži završene verzije
637 label_me: ja
637 label_me: ja
638 label_board: Forum
638 label_board: Forum
639 label_board_new: Novi forum
639 label_board_new: Novi forum
640 label_board_plural: Forumi
640 label_board_plural: Forumi
641 label_topic_plural: Teme
641 label_topic_plural: Teme
642 label_message_plural: Poruke
642 label_message_plural: Poruke
643 label_message_last: Posljednja poruka
643 label_message_last: Posljednja poruka
644 label_message_new: Nova poruka
644 label_message_new: Nova poruka
645 label_message_posted: Poruka je dodana
645 label_message_posted: Poruka je dodana
646 label_reply_plural: Odgovori
646 label_reply_plural: Odgovori
647 label_send_information: Pošalji informaciju o korisničkom računu
647 label_send_information: Pošalji informaciju o korisničkom računu
648 label_year: Godina
648 label_year: Godina
649 label_month: Mjesec
649 label_month: Mjesec
650 label_week: Hefta
650 label_week: Hefta
651 label_date_from: Od
651 label_date_from: Od
652 label_date_to: Do
652 label_date_to: Do
653 label_language_based: Bazirano na korisnikovom jeziku
653 label_language_based: Bazirano na korisnikovom jeziku
654 label_sort_by: "Sortiraj po %{value}"
654 label_sort_by: "Sortiraj po %{value}"
655 label_send_test_email: Pošalji testni email
655 label_send_test_email: Pošalji testni email
656 label_feeds_access_key_created_on: "Atom pristupni ključ kreiran prije %{value} dana"
656 label_feeds_access_key_created_on: "Atom pristupni ključ kreiran prije %{value} dana"
657 label_module_plural: Moduli
657 label_module_plural: Moduli
658 label_added_time_by: "Dodano od %{author} prije %{age}"
658 label_added_time_by: "Dodano od %{author} prije %{age}"
659 label_updated_time_by: "Izmjenjeno od %{author} prije %{age}"
659 label_updated_time_by: "Izmjenjeno od %{author} prije %{age}"
660 label_updated_time: "Izmjenjeno prije %{value}"
660 label_updated_time: "Izmjenjeno prije %{value}"
661 label_jump_to_a_project: Skoči na projekat...
661 label_jump_to_a_project: Skoči na projekat...
662 label_file_plural: Fajlovi
662 label_file_plural: Fajlovi
663 label_changeset_plural: Setovi promjena
663 label_changeset_plural: Setovi promjena
664 label_default_columns: Podrazumjevane kolone
664 label_default_columns: Podrazumjevane kolone
665 label_no_change_option: (Bez promjene)
665 label_no_change_option: (Bez promjene)
666 label_bulk_edit_selected_issues: Ispravi odjednom odabrane aktivnosti
666 label_bulk_edit_selected_issues: Ispravi odjednom odabrane aktivnosti
667 label_theme: Tema
667 label_theme: Tema
668 label_default: Podrazumjevano
668 label_default: Podrazumjevano
669 label_search_titles_only: Pretraži samo naslove
669 label_search_titles_only: Pretraži samo naslove
670 label_user_mail_option_all: "Za bilo koji događaj na svim mojim projektima"
670 label_user_mail_option_all: "Za bilo koji događaj na svim mojim projektima"
671 label_user_mail_option_selected: "Za bilo koji događaj na odabranim projektima..."
671 label_user_mail_option_selected: "Za bilo koji događaj na odabranim projektima..."
672 label_user_mail_no_self_notified: "Ne želim notifikaciju za promjene koje sam ja napravio"
672 label_user_mail_no_self_notified: "Ne želim notifikaciju za promjene koje sam ja napravio"
673 label_registration_activation_by_email: aktivacija korisničkog računa email-om
673 label_registration_activation_by_email: aktivacija korisničkog računa email-om
674 label_registration_manual_activation: ručna aktivacija korisničkog računa
674 label_registration_manual_activation: ručna aktivacija korisničkog računa
675 label_registration_automatic_activation: automatska kreacija korisničkog računa
675 label_registration_automatic_activation: automatska kreacija korisničkog računa
676 label_display_per_page: "Po stranici: %{value}"
676 label_display_per_page: "Po stranici: %{value}"
677 label_age: Starost
677 label_age: Starost
678 label_change_properties: Promjena osobina
678 label_change_properties: Promjena osobina
679 label_general: Generalno
679 label_general: Generalno
680 label_more: Više
680 label_more: Više
681 label_scm: SCM
681 label_scm: SCM
682 label_plugins: Plugin-ovi
682 label_plugins: Plugin-ovi
683 label_ldap_authentication: LDAP authentifikacija
683 label_ldap_authentication: LDAP authentifikacija
684 label_downloads_abbr: D/L
684 label_downloads_abbr: D/L
685 label_optional_description: Opis (opciono)
685 label_optional_description: Opis (opciono)
686 label_add_another_file: Dodaj još jedan fajl
686 label_add_another_file: Dodaj još jedan fajl
687 label_preferences: Postavke
687 label_preferences: Postavke
688 label_chronological_order: Hronološki poredak
688 label_chronological_order: Hronološki poredak
689 label_reverse_chronological_order: Reverzni hronološki poredak
689 label_reverse_chronological_order: Reverzni hronološki poredak
690 label_planning: Planiranje
690 label_planning: Planiranje
691 label_incoming_emails: Dolazni email-ovi
691 label_incoming_emails: Dolazni email-ovi
692 label_generate_key: Generiši ključ
692 label_generate_key: Generiši ključ
693 label_issue_watchers: Praćeno od
693 label_issue_watchers: Praćeno od
694 label_example: Primjer
694 label_example: Primjer
695 label_display: Prikaz
695 label_display: Prikaz
696
696
697 button_apply: Primjeni
697 button_apply: Primjeni
698 button_add: Dodaj
698 button_add: Dodaj
699 button_archive: Arhiviranje
699 button_archive: Arhiviranje
700 button_back: Nazad
700 button_back: Nazad
701 button_cancel: Odustani
701 button_cancel: Odustani
702 button_change: Izmjeni
702 button_change: Izmjeni
703 button_change_password: Izmjena lozinke
703 button_change_password: Izmjena lozinke
704 button_check_all: Označi sve
704 button_check_all: Označi sve
705 button_clear: Briši
705 button_clear: Briši
706 button_copy: Kopiraj
706 button_copy: Kopiraj
707 button_create: Novi
707 button_create: Novi
708 button_delete: Briši
708 button_delete: Briši
709 button_download: Download
709 button_download: Download
710 button_edit: Ispravka
710 button_edit: Ispravka
711 button_list: Lista
711 button_list: Lista
712 button_lock: Zaključaj
712 button_lock: Zaključaj
713 button_log_time: Utrošak vremena
713 button_log_time: Utrošak vremena
714 button_login: Prijava
714 button_login: Prijava
715 button_move: Pomjeri
715 button_move: Pomjeri
716 button_rename: Promjena imena
716 button_rename: Promjena imena
717 button_reply: Odgovor
717 button_reply: Odgovor
718 button_reset: Resetuj
718 button_reset: Resetuj
719 button_rollback: Vrati predhodno stanje
719 button_rollback: Vrati predhodno stanje
720 button_save: Snimi
720 button_save: Snimi
721 button_sort: Sortiranje
721 button_sort: Sortiranje
722 button_submit: Pošalji
722 button_submit: Pošalji
723 button_test: Testiraj
723 button_test: Testiraj
724 button_unarchive: Otpakuj arhivu
724 button_unarchive: Otpakuj arhivu
725 button_uncheck_all: Isključi sve
725 button_uncheck_all: Isključi sve
726 button_unlock: Otključaj
726 button_unlock: Otključaj
727 button_unwatch: Prekini notifikaciju
727 button_unwatch: Prekini notifikaciju
728 button_update: Promjena na aktivnosti
728 button_update: Promjena na aktivnosti
729 button_view: Pregled
729 button_view: Pregled
730 button_watch: Notifikacija
730 button_watch: Notifikacija
731 button_configure: Konfiguracija
731 button_configure: Konfiguracija
732 button_quote: Citat
732 button_quote: Citat
733
733
734 status_active: aktivan
734 status_active: aktivan
735 status_registered: registrovan
735 status_registered: registrovan
736 status_locked: zaključan
736 status_locked: zaključan
737
737
738 text_select_mail_notifications: Odaberi događaje za koje će se slati email notifikacija.
738 text_select_mail_notifications: Odaberi događaje za koje će se slati email notifikacija.
739 text_regexp_info: npr. ^[A-Z0-9]+$
739 text_regexp_info: npr. ^[A-Z0-9]+$
740 text_min_max_length_info: 0 znači bez restrikcije
740 text_min_max_length_info: 0 znači bez restrikcije
741 text_project_destroy_confirmation: Sigurno želite izbrisati ovaj projekat i njegove podatke ?
741 text_project_destroy_confirmation: Sigurno želite izbrisati ovaj projekat i njegove podatke ?
742 text_subprojects_destroy_warning: "Podprojekt(i): %{value} će takođe biti izbrisani."
742 text_subprojects_destroy_warning: "Podprojekt(i): %{value} će takođe biti izbrisani."
743 text_workflow_edit: Odaberite ulogu i područje aktivnosti za ispravku toka promjena na aktivnosti
743 text_workflow_edit: Odaberite ulogu i područje aktivnosti za ispravku toka promjena na aktivnosti
744 text_are_you_sure: Da li ste sigurni ?
744 text_are_you_sure: Da li ste sigurni ?
745 text_tip_issue_begin_day: zadatak počinje danas
745 text_tip_issue_begin_day: zadatak počinje danas
746 text_tip_issue_end_day: zadatak završava danas
746 text_tip_issue_end_day: zadatak završava danas
747 text_tip_issue_begin_end_day: zadatak započinje i završava danas
747 text_tip_issue_begin_end_day: zadatak započinje i završava danas
748 text_caracters_maximum: "maksimum %{count} karaktera."
748 text_caracters_maximum: "maksimum %{count} karaktera."
749 text_caracters_minimum: "Dužina mora biti najmanje %{count} znakova."
749 text_caracters_minimum: "Dužina mora biti najmanje %{count} znakova."
750 text_length_between: "Broj znakova između %{min} i %{max}."
750 text_length_between: "Broj znakova između %{min} i %{max}."
751 text_tracker_no_workflow: Tok statusa nije definisan za ovo područje aktivnosti
751 text_tracker_no_workflow: Tok statusa nije definisan za ovo područje aktivnosti
752 text_unallowed_characters: Nedozvoljeni znakovi
752 text_unallowed_characters: Nedozvoljeni znakovi
753 text_comma_separated: Višestruke vrijednosti dozvoljene (odvojiti zarezom).
753 text_comma_separated: Višestruke vrijednosti dozvoljene (odvojiti zarezom).
754 text_issues_ref_in_commit_messages: 'Referenciranje i zatvaranje aktivnosti putem "commit" poruka'
754 text_issues_ref_in_commit_messages: 'Referenciranje i zatvaranje aktivnosti putem "commit" poruka'
755 text_issue_added: "Aktivnost %{id} je prijavljena od %{author}."
755 text_issue_added: "Aktivnost %{id} je prijavljena od %{author}."
756 text_issue_updated: "Aktivnost %{id} je izmjenjena od %{author}."
756 text_issue_updated: "Aktivnost %{id} je izmjenjena od %{author}."
757 text_wiki_destroy_confirmation: Sigurno želite izbrisati ovaj wiki i čitav njegov sadržaj ?
757 text_wiki_destroy_confirmation: Sigurno želite izbrisati ovaj wiki i čitav njegov sadržaj ?
758 text_issue_category_destroy_question: "Neke aktivnosti (%{count}) pripadaju ovoj kategoriji. Sigurno to želite uraditi ?"
758 text_issue_category_destroy_question: "Neke aktivnosti (%{count}) pripadaju ovoj kategoriji. Sigurno to želite uraditi ?"
759 text_issue_category_destroy_assignments: Ukloni kategoriju
759 text_issue_category_destroy_assignments: Ukloni kategoriju
760 text_issue_category_reassign_to: Ponovo dodijeli ovu kategoriju
760 text_issue_category_reassign_to: Ponovo dodijeli ovu kategoriju
761 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)."
761 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)."
762 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."
762 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."
763 text_load_default_configuration: Učitaj tekuću konfiguraciju
763 text_load_default_configuration: Učitaj tekuću konfiguraciju
764 text_status_changed_by_changeset: "Primjenjeno u setu promjena %{value}."
764 text_status_changed_by_changeset: "Primjenjeno u setu promjena %{value}."
765 text_issues_destroy_confirmation: 'Sigurno želite izbrisati odabranu/e aktivnost/i ?'
765 text_issues_destroy_confirmation: 'Sigurno želite izbrisati odabranu/e aktivnost/i ?'
766 text_select_project_modules: 'Odaberi module koje želite u ovom projektu:'
766 text_select_project_modules: 'Odaberi module koje želite u ovom projektu:'
767 text_default_administrator_account_changed: Tekući administratorski račun je promjenjen
767 text_default_administrator_account_changed: Tekući administratorski račun je promjenjen
768 text_file_repository_writable: U direktorij sa fajlovima koji su prilozi se može pisati
768 text_file_repository_writable: U direktorij sa fajlovima koji su prilozi se može pisati
769 text_plugin_assets_writable: U direktorij plugin-ova se može pisati
769 text_plugin_assets_writable: U direktorij plugin-ova se može pisati
770 text_rmagick_available: RMagick je dostupan (opciono)
770 text_rmagick_available: RMagick je dostupan (opciono)
771 text_destroy_time_entries_question: "%{hours} sahata je prijavljeno na aktivnostima koje želite brisati. Želite li to učiniti ?"
771 text_destroy_time_entries_question: "%{hours} sahata je prijavljeno na aktivnostima koje želite brisati. Želite li to učiniti ?"
772 text_destroy_time_entries: Izbriši prijavljeno vrijeme
772 text_destroy_time_entries: Izbriši prijavljeno vrijeme
773 text_assign_time_entries_to_project: Dodaj prijavljenoo vrijeme projektu
773 text_assign_time_entries_to_project: Dodaj prijavljenoo vrijeme projektu
774 text_reassign_time_entries: 'Preraspodjeli prijavljeno vrijeme na ovu aktivnost:'
774 text_reassign_time_entries: 'Preraspodjeli prijavljeno vrijeme na ovu aktivnost:'
775 text_user_wrote: "%{value} je napisao/la:"
775 text_user_wrote: "%{value} je napisao/la:"
776 text_enumeration_destroy_question: "Za %{count} objekata je dodjeljenja ova vrijednost."
776 text_enumeration_destroy_question: "Za %{count} objekata je dodjeljenja ova vrijednost."
777 text_enumeration_category_reassign_to: 'Ponovo im dodjeli ovu vrijednost:'
777 text_enumeration_category_reassign_to: 'Ponovo im dodjeli ovu vrijednost:'
778 text_email_delivery_not_configured: "Email dostava nije konfiguraisana, notifikacija je onemogućena.\nKonfiguriši SMTP server u config/configuration.yml i restartuj aplikaciju nakon toga."
778 text_email_delivery_not_configured: "Email dostava nije konfiguraisana, notifikacija je onemogućena.\nKonfiguriši SMTP server u config/configuration.yml i restartuj aplikaciju nakon toga."
779 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."
779 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."
780 text_diff_truncated: '... Ovaj prikaz razlike je odsječen pošto premašuje maksimalnu veličinu za prikaz'
780 text_diff_truncated: '... Ovaj prikaz razlike je odsječen pošto premašuje maksimalnu veličinu za prikaz'
781 text_custom_field_possible_values_info: 'Jedna linija za svaku vrijednost'
781 text_custom_field_possible_values_info: 'Jedna linija za svaku vrijednost'
782
782
783 default_role_manager: Menadžer
783 default_role_manager: Menadžer
784 default_role_developer: Programer
784 default_role_developer: Programer
785 default_role_reporter: Reporter
785 default_role_reporter: Reporter
786 default_tracker_bug: Greška
786 default_tracker_bug: Greška
787 default_tracker_feature: Nova funkcija
787 default_tracker_feature: Nova funkcija
788 default_tracker_support: Podrška
788 default_tracker_support: Podrška
789 default_issue_status_new: Novi
789 default_issue_status_new: Novi
790 default_issue_status_in_progress: In Progress
790 default_issue_status_in_progress: In Progress
791 default_issue_status_resolved: Riješen
791 default_issue_status_resolved: Riješen
792 default_issue_status_feedback: Čeka se povratna informacija
792 default_issue_status_feedback: Čeka se povratna informacija
793 default_issue_status_closed: Zatvoren
793 default_issue_status_closed: Zatvoren
794 default_issue_status_rejected: Odbijen
794 default_issue_status_rejected: Odbijen
795 default_doc_category_user: Korisnička dokumentacija
795 default_doc_category_user: Korisnička dokumentacija
796 default_doc_category_tech: Tehnička dokumentacija
796 default_doc_category_tech: Tehnička dokumentacija
797 default_priority_low: Nizak
797 default_priority_low: Nizak
798 default_priority_normal: Normalan
798 default_priority_normal: Normalan
799 default_priority_high: Visok
799 default_priority_high: Visok
800 default_priority_urgent: Urgentno
800 default_priority_urgent: Urgentno
801 default_priority_immediate: Odmah
801 default_priority_immediate: Odmah
802 default_activity_design: Dizajn
802 default_activity_design: Dizajn
803 default_activity_development: Programiranje
803 default_activity_development: Programiranje
804
804
805 enumeration_issue_priorities: Prioritet aktivnosti
805 enumeration_issue_priorities: Prioritet aktivnosti
806 enumeration_doc_categories: Kategorije dokumenata
806 enumeration_doc_categories: Kategorije dokumenata
807 enumeration_activities: Operacije (utrošak vremena)
807 enumeration_activities: Operacije (utrošak vremena)
808 notice_unable_delete_version: Ne mogu izbrisati verziju.
808 notice_unable_delete_version: Ne mogu izbrisati verziju.
809 button_create_and_continue: Kreiraj i nastavi
809 button_create_and_continue: Kreiraj i nastavi
810 button_annotate: Zabilježi
810 button_annotate: Zabilježi
811 button_activate: Aktiviraj
811 button_activate: Aktiviraj
812 label_sort: Sortiranje
812 label_sort: Sortiranje
813 label_date_from_to: Od %{start} do %{end}
813 label_date_from_to: Od %{start} do %{end}
814 label_ascending: Rastuće
814 label_ascending: Rastuće
815 label_descending: Opadajuće
815 label_descending: Opadajuće
816 label_greater_or_equal: ">="
816 label_greater_or_equal: ">="
817 label_less_or_equal: <=
817 label_less_or_equal: <=
818 text_wiki_page_destroy_question: This page has %{descendants} child page(s) and descendant(s). What do you want to do?
818 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_reassign_children: Reassign child pages to this parent page
819 text_wiki_page_reassign_children: Reassign child pages to this parent page
820 text_wiki_page_nullify_children: Keep child pages as root pages
820 text_wiki_page_nullify_children: Keep child pages as root pages
821 text_wiki_page_destroy_children: Delete child pages and all their descendants
821 text_wiki_page_destroy_children: Delete child pages and all their descendants
822 setting_password_min_length: Minimum password length
822 setting_password_min_length: Minimum password length
823 field_group_by: Group results by
823 field_group_by: Group results by
824 mail_subject_wiki_content_updated: "'%{id}' wiki page has been updated"
824 mail_subject_wiki_content_updated: "'%{id}' wiki page has been updated"
825 label_wiki_content_added: Wiki page added
825 label_wiki_content_added: Wiki page added
826 mail_subject_wiki_content_added: "'%{id}' wiki page has been added"
826 mail_subject_wiki_content_added: "'%{id}' wiki page has been added"
827 mail_body_wiki_content_added: The '%{id}' wiki page has been added by %{author}.
827 mail_body_wiki_content_added: The '%{id}' wiki page has been added by %{author}.
828 label_wiki_content_updated: Wiki page updated
828 label_wiki_content_updated: Wiki page updated
829 mail_body_wiki_content_updated: The '%{id}' wiki page has been updated by %{author}.
829 mail_body_wiki_content_updated: The '%{id}' wiki page has been updated by %{author}.
830 permission_add_project: Create project
830 permission_add_project: Create project
831 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
831 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
832 label_view_all_revisions: View all revisions
832 label_view_all_revisions: View all revisions
833 label_tag: Tag
833 label_tag: Tag
834 label_branch: Branch
834 label_branch: Branch
835 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
835 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
836 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
836 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
837 text_journal_changed: "%{label} changed from %{old} to %{new}"
837 text_journal_changed: "%{label} changed from %{old} to %{new}"
838 text_journal_set_to: "%{label} set to %{value}"
838 text_journal_set_to: "%{label} set to %{value}"
839 text_journal_deleted: "%{label} deleted (%{old})"
839 text_journal_deleted: "%{label} deleted (%{old})"
840 label_group_plural: Groups
840 label_group_plural: Groups
841 label_group: Group
841 label_group: Group
842 label_group_new: New group
842 label_group_new: New group
843 label_time_entry_plural: Spent time
843 label_time_entry_plural: Spent time
844 text_journal_added: "%{label} %{value} added"
844 text_journal_added: "%{label} %{value} added"
845 field_active: Active
845 field_active: Active
846 enumeration_system_activity: System Activity
846 enumeration_system_activity: System Activity
847 permission_delete_issue_watchers: Delete watchers
847 permission_delete_issue_watchers: Delete watchers
848 version_status_closed: closed
848 version_status_closed: closed
849 version_status_locked: locked
849 version_status_locked: locked
850 version_status_open: open
850 version_status_open: open
851 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
851 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
852 label_user_anonymous: Anonymous
852 label_user_anonymous: Anonymous
853 button_move_and_follow: Move and follow
853 button_move_and_follow: Move and follow
854 setting_default_projects_modules: Default enabled modules for new projects
854 setting_default_projects_modules: Default enabled modules for new projects
855 setting_gravatar_default: Default Gravatar image
855 setting_gravatar_default: Default Gravatar image
856 field_sharing: Sharing
856 field_sharing: Sharing
857 label_version_sharing_hierarchy: With project hierarchy
857 label_version_sharing_hierarchy: With project hierarchy
858 label_version_sharing_system: With all projects
858 label_version_sharing_system: With all projects
859 label_version_sharing_descendants: With subprojects
859 label_version_sharing_descendants: With subprojects
860 label_version_sharing_tree: With project tree
860 label_version_sharing_tree: With project tree
861 label_version_sharing_none: Not shared
861 label_version_sharing_none: Not shared
862 error_can_not_archive_project: This project can not be archived
862 error_can_not_archive_project: This project can not be archived
863 button_duplicate: Duplicate
863 button_duplicate: Duplicate
864 button_copy_and_follow: Copy and follow
864 button_copy_and_follow: Copy and follow
865 label_copy_source: Source
865 label_copy_source: Source
866 setting_issue_done_ratio: Calculate the issue done ratio with
866 setting_issue_done_ratio: Calculate the issue done ratio with
867 setting_issue_done_ratio_issue_status: Use the issue status
867 setting_issue_done_ratio_issue_status: Use the issue status
868 error_issue_done_ratios_not_updated: Issue done ratios not updated.
868 error_issue_done_ratios_not_updated: Issue done ratios not updated.
869 error_workflow_copy_target: Please select target tracker(s) and role(s)
869 error_workflow_copy_target: Please select target tracker(s) and role(s)
870 setting_issue_done_ratio_issue_field: Use the issue field
870 setting_issue_done_ratio_issue_field: Use the issue field
871 label_copy_same_as_target: Same as target
871 label_copy_same_as_target: Same as target
872 label_copy_target: Target
872 label_copy_target: Target
873 notice_issue_done_ratios_updated: Issue done ratios updated.
873 notice_issue_done_ratios_updated: Issue done ratios updated.
874 error_workflow_copy_source: Please select a source tracker or role
874 error_workflow_copy_source: Please select a source tracker or role
875 label_update_issue_done_ratios: Update issue done ratios
875 label_update_issue_done_ratios: Update issue done ratios
876 setting_start_of_week: Start calendars on
876 setting_start_of_week: Start calendars on
877 permission_view_issues: View Issues
877 permission_view_issues: View Issues
878 label_display_used_statuses_only: Only display statuses that are used by this tracker
878 label_display_used_statuses_only: Only display statuses that are used by this tracker
879 label_revision_id: Revision %{value}
879 label_revision_id: Revision %{value}
880 label_api_access_key: API access key
880 label_api_access_key: API access key
881 label_api_access_key_created_on: API access key created %{value} ago
881 label_api_access_key_created_on: API access key created %{value} ago
882 label_feeds_access_key: Atom access key
882 label_feeds_access_key: Atom access key
883 notice_api_access_key_reseted: Your API access key was reset.
883 notice_api_access_key_reseted: Your API access key was reset.
884 setting_rest_api_enabled: Enable REST web service
884 setting_rest_api_enabled: Enable REST web service
885 label_missing_api_access_key: Missing an API access key
885 label_missing_api_access_key: Missing an API access key
886 label_missing_feeds_access_key: Missing a Atom access key
886 label_missing_feeds_access_key: Missing a Atom access key
887 button_show: Show
887 button_show: Show
888 text_line_separated: Multiple values allowed (one line for each value).
888 text_line_separated: Multiple values allowed (one line for each value).
889 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
889 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
890 permission_add_subprojects: Create subprojects
890 permission_add_subprojects: Create subprojects
891 label_subproject_new: New subproject
891 label_subproject_new: New subproject
892 text_own_membership_delete_confirmation: |-
892 text_own_membership_delete_confirmation: |-
893 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
893 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
894 Are you sure you want to continue?
894 Are you sure you want to continue?
895 label_close_versions: Close completed versions
895 label_close_versions: Close completed versions
896 label_board_sticky: Sticky
896 label_board_sticky: Sticky
897 label_board_locked: Locked
897 label_board_locked: Locked
898 permission_export_wiki_pages: Export wiki pages
898 permission_export_wiki_pages: Export wiki pages
899 setting_cache_formatted_text: Cache formatted text
899 setting_cache_formatted_text: Cache formatted text
900 permission_manage_project_activities: Manage project activities
900 permission_manage_project_activities: Manage project activities
901 error_unable_delete_issue_status: Unable to delete issue status
901 error_unable_delete_issue_status: Unable to delete issue status
902 label_profile: Profile
902 label_profile: Profile
903 permission_manage_subtasks: Manage subtasks
903 permission_manage_subtasks: Manage subtasks
904 field_parent_issue: Parent task
904 field_parent_issue: Parent task
905 label_subtask_plural: Subtasks
905 label_subtask_plural: Subtasks
906 label_project_copy_notifications: Send email notifications during the project copy
906 label_project_copy_notifications: Send email notifications during the project copy
907 error_can_not_delete_custom_field: Unable to delete custom field
907 error_can_not_delete_custom_field: Unable to delete custom field
908 error_unable_to_connect: Unable to connect (%{value})
908 error_unable_to_connect: Unable to connect (%{value})
909 error_can_not_remove_role: This role is in use and can not be deleted.
909 error_can_not_remove_role: This role is in use and can not be deleted.
910 error_can_not_delete_tracker: This tracker contains issues and cannot be deleted.
910 error_can_not_delete_tracker: This tracker contains issues and cannot be deleted.
911 field_principal: Principal
911 field_principal: Principal
912 label_my_page_block: My page block
912 label_my_page_block: My page block
913 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
913 notice_failed_to_save_members: "Failed to save member(s): %{errors}."
914 text_zoom_out: Zoom out
914 text_zoom_out: Zoom out
915 text_zoom_in: Zoom in
915 text_zoom_in: Zoom in
916 notice_unable_delete_time_entry: Unable to delete time log entry.
916 notice_unable_delete_time_entry: Unable to delete time log entry.
917 label_overall_spent_time: Overall spent time
917 label_overall_spent_time: Overall spent time
918 field_time_entries: Log time
918 field_time_entries: Log time
919 project_module_gantt: Gantt
919 project_module_gantt: Gantt
920 project_module_calendar: Calendar
920 project_module_calendar: Calendar
921 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
921 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
922 field_text: Text field
922 field_text: Text field
923 label_user_mail_option_only_owner: Only for things I am the owner of
923 label_user_mail_option_only_owner: Only for things I am the owner of
924 setting_default_notification_option: Default notification option
924 setting_default_notification_option: Default notification option
925 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
925 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
926 label_user_mail_option_only_assigned: Only for things I am assigned to
926 label_user_mail_option_only_assigned: Only for things I am assigned to
927 label_user_mail_option_none: No events
927 label_user_mail_option_none: No events
928 field_member_of_group: Assignee's group
928 field_member_of_group: Assignee's group
929 field_assigned_to_role: Assignee's role
929 field_assigned_to_role: Assignee's role
930 notice_not_authorized_archived_project: The project you're trying to access has been archived.
930 notice_not_authorized_archived_project: The project you're trying to access has been archived.
931 label_principal_search: "Search for user or group:"
931 label_principal_search: "Search for user or group:"
932 label_user_search: "Search for user:"
932 label_user_search: "Search for user:"
933 field_visible: Visible
933 field_visible: Visible
934 setting_commit_logtime_activity_id: Activity for logged time
934 setting_commit_logtime_activity_id: Activity for logged time
935 text_time_logged_by_changeset: Applied in changeset %{value}.
935 text_time_logged_by_changeset: Applied in changeset %{value}.
936 setting_commit_logtime_enabled: Enable time logging
936 setting_commit_logtime_enabled: Enable time logging
937 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
937 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
938 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
938 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
939 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
939 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
940 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
940 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
941 label_my_queries: My custom queries
941 label_my_queries: My custom queries
942 text_journal_changed_no_detail: "%{label} updated"
942 text_journal_changed_no_detail: "%{label} updated"
943 label_news_comment_added: Comment added to a news
943 label_news_comment_added: Comment added to a news
944 button_expand_all: Expand all
944 button_expand_all: Expand all
945 button_collapse_all: Collapse all
945 button_collapse_all: Collapse all
946 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
946 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
947 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
947 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
948 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
948 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
949 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
949 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
950 label_role_anonymous: Anonymous
950 label_role_anonymous: Anonymous
951 label_role_non_member: Non member
951 label_role_non_member: Non member
952 label_issue_note_added: Note added
952 label_issue_note_added: Note added
953 label_issue_status_updated: Status updated
953 label_issue_status_updated: Status updated
954 label_issue_priority_updated: Priority updated
954 label_issue_priority_updated: Priority updated
955 label_issues_visibility_own: Issues created by or assigned to the user
955 label_issues_visibility_own: Issues created by or assigned to the user
956 field_issues_visibility: Issues visibility
956 field_issues_visibility: Issues visibility
957 label_issues_visibility_all: All issues
957 label_issues_visibility_all: All issues
958 permission_set_own_issues_private: Set own issues public or private
958 permission_set_own_issues_private: Set own issues public or private
959 field_is_private: Private
959 field_is_private: Private
960 permission_set_issues_private: Set issues public or private
960 permission_set_issues_private: Set issues public or private
961 label_issues_visibility_public: All non private issues
961 label_issues_visibility_public: All non private issues
962 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
962 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
963 field_commit_logs_encoding: 'Enkodiranje "commit" poruka'
963 field_commit_logs_encoding: 'Enkodiranje "commit" poruka'
964 field_scm_path_encoding: Path encoding
964 field_scm_path_encoding: Path encoding
965 text_scm_path_encoding_note: "Default: UTF-8"
965 text_scm_path_encoding_note: "Default: UTF-8"
966 field_path_to_repository: Path to repository
966 field_path_to_repository: Path to repository
967 field_root_directory: Root directory
967 field_root_directory: Root directory
968 field_cvs_module: Module
968 field_cvs_module: Module
969 field_cvsroot: CVSROOT
969 field_cvsroot: CVSROOT
970 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
970 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
971 text_scm_command: Command
971 text_scm_command: Command
972 text_scm_command_version: Version
972 text_scm_command_version: Version
973 label_git_report_last_commit: Report last commit for files and directories
973 label_git_report_last_commit: Report last commit for files and directories
974 notice_issue_successful_create: Issue %{id} created.
974 notice_issue_successful_create: Issue %{id} created.
975 label_between: between
975 label_between: between
976 setting_issue_group_assignment: Allow issue assignment to groups
976 setting_issue_group_assignment: Allow issue assignment to groups
977 label_diff: diff
977 label_diff: diff
978 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
978 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
979 description_query_sort_criteria_direction: Sort direction
979 description_query_sort_criteria_direction: Sort direction
980 description_project_scope: Search scope
980 description_project_scope: Search scope
981 description_filter: Filter
981 description_filter: Filter
982 description_user_mail_notification: Mail notification settings
982 description_user_mail_notification: Mail notification settings
983 description_date_from: Enter start date
983 description_date_from: Enter start date
984 description_message_content: Message content
984 description_message_content: Message content
985 description_available_columns: Available Columns
985 description_available_columns: Available Columns
986 description_date_range_interval: Choose range by selecting start and end date
986 description_date_range_interval: Choose range by selecting start and end date
987 description_issue_category_reassign: Choose issue category
987 description_issue_category_reassign: Choose issue category
988 description_search: Searchfield
988 description_search: Searchfield
989 description_notes: Notes
989 description_notes: Notes
990 description_date_range_list: Choose range from list
990 description_date_range_list: Choose range from list
991 description_choose_project: Projects
991 description_choose_project: Projects
992 description_date_to: Enter end date
992 description_date_to: Enter end date
993 description_query_sort_criteria_attribute: Sort attribute
993 description_query_sort_criteria_attribute: Sort attribute
994 description_wiki_subpages_reassign: Choose new parent page
994 description_wiki_subpages_reassign: Choose new parent page
995 description_selected_columns: Selected Columns
995 description_selected_columns: Selected Columns
996 label_parent_revision: Parent
996 label_parent_revision: Parent
997 label_child_revision: Child
997 label_child_revision: Child
998 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
998 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
999 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
999 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1000 button_edit_section: Edit this section
1000 button_edit_section: Edit this section
1001 setting_repositories_encodings: Attachments and repositories encodings
1001 setting_repositories_encodings: Attachments and repositories encodings
1002 description_all_columns: All Columns
1002 description_all_columns: All Columns
1003 button_export: Export
1003 button_export: Export
1004 label_export_options: "%{export_format} export options"
1004 label_export_options: "%{export_format} export options"
1005 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1005 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1006 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1006 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1007 label_x_issues:
1007 label_x_issues:
1008 zero: 0 aktivnost
1008 zero: 0 aktivnost
1009 one: 1 aktivnost
1009 one: 1 aktivnost
1010 other: "%{count} aktivnosti"
1010 other: "%{count} aktivnosti"
1011 label_repository_new: New repository
1011 label_repository_new: New repository
1012 field_repository_is_default: Main repository
1012 field_repository_is_default: Main repository
1013 label_copy_attachments: Copy attachments
1013 label_copy_attachments: Copy attachments
1014 label_item_position: "%{position}/%{count}"
1014 label_item_position: "%{position}/%{count}"
1015 label_completed_versions: Completed versions
1015 label_completed_versions: Completed versions
1016 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1016 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1017 field_multiple: Multiple values
1017 field_multiple: Multiple values
1018 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1018 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1019 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1019 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1020 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1020 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1021 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1021 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1022 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1022 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1023 permission_manage_related_issues: Manage related issues
1023 permission_manage_related_issues: Manage related issues
1024 field_auth_source_ldap_filter: LDAP filter
1024 field_auth_source_ldap_filter: LDAP filter
1025 label_search_for_watchers: Search for watchers to add
1025 label_search_for_watchers: Search for watchers to add
1026 notice_account_deleted: Your account has been permanently deleted.
1026 notice_account_deleted: Your account has been permanently deleted.
1027 setting_unsubscribe: Allow users to delete their own account
1027 setting_unsubscribe: Allow users to delete their own account
1028 button_delete_my_account: Delete my account
1028 button_delete_my_account: Delete my account
1029 text_account_destroy_confirmation: |-
1029 text_account_destroy_confirmation: |-
1030 Are you sure you want to proceed?
1030 Are you sure you want to proceed?
1031 Your account will be permanently deleted, with no way to reactivate it.
1031 Your account will be permanently deleted, with no way to reactivate it.
1032 error_session_expired: Your session has expired. Please login again.
1032 error_session_expired: Your session has expired. Please login again.
1033 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1033 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1034 setting_session_lifetime: Session maximum lifetime
1034 setting_session_lifetime: Session maximum lifetime
1035 setting_session_timeout: Session inactivity timeout
1035 setting_session_timeout: Session inactivity timeout
1036 label_session_expiration: Session expiration
1036 label_session_expiration: Session expiration
1037 permission_close_project: Close / reopen the project
1037 permission_close_project: Close / reopen the project
1038 label_show_closed_projects: View closed projects
1038 label_show_closed_projects: View closed projects
1039 button_close: Close
1039 button_close: Close
1040 button_reopen: Reopen
1040 button_reopen: Reopen
1041 project_status_active: active
1041 project_status_active: active
1042 project_status_closed: closed
1042 project_status_closed: closed
1043 project_status_archived: archived
1043 project_status_archived: archived
1044 text_project_closed: This project is closed and read-only.
1044 text_project_closed: This project is closed and read-only.
1045 notice_user_successful_create: User %{id} created.
1045 notice_user_successful_create: User %{id} created.
1046 field_core_fields: Standard fields
1046 field_core_fields: Standard fields
1047 field_timeout: Timeout (in seconds)
1047 field_timeout: Timeout (in seconds)
1048 setting_thumbnails_enabled: Display attachment thumbnails
1048 setting_thumbnails_enabled: Display attachment thumbnails
1049 setting_thumbnails_size: Thumbnails size (in pixels)
1049 setting_thumbnails_size: Thumbnails size (in pixels)
1050 label_status_transitions: Status transitions
1050 label_status_transitions: Status transitions
1051 label_fields_permissions: Fields permissions
1051 label_fields_permissions: Fields permissions
1052 label_readonly: Read-only
1052 label_readonly: Read-only
1053 label_required: Required
1053 label_required: Required
1054 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1054 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1055 field_board_parent: Parent forum
1055 field_board_parent: Parent forum
1056 label_attribute_of_project: Project's %{name}
1056 label_attribute_of_project: Project's %{name}
1057 label_attribute_of_author: Author's %{name}
1057 label_attribute_of_author: Author's %{name}
1058 label_attribute_of_assigned_to: Assignee's %{name}
1058 label_attribute_of_assigned_to: Assignee's %{name}
1059 label_attribute_of_fixed_version: Target version's %{name}
1059 label_attribute_of_fixed_version: Target version's %{name}
1060 label_copy_subtasks: Copy subtasks
1060 label_copy_subtasks: Copy subtasks
1061 label_copied_to: copied to
1061 label_copied_to: copied to
1062 label_copied_from: copied from
1062 label_copied_from: copied from
1063 label_any_issues_in_project: any issues in project
1063 label_any_issues_in_project: any issues in project
1064 label_any_issues_not_in_project: any issues not in project
1064 label_any_issues_not_in_project: any issues not in project
1065 field_private_notes: Private notes
1065 field_private_notes: Private notes
1066 permission_view_private_notes: View private notes
1066 permission_view_private_notes: View private notes
1067 permission_set_notes_private: Set notes as private
1067 permission_set_notes_private: Set notes as private
1068 label_no_issues_in_project: no issues in project
1068 label_no_issues_in_project: no issues in project
1069 label_any: sve
1069 label_any: sve
1070 label_last_n_weeks: last %{count} weeks
1070 label_last_n_weeks: last %{count} weeks
1071 setting_cross_project_subtasks: Allow cross-project subtasks
1071 setting_cross_project_subtasks: Allow cross-project subtasks
1072 label_cross_project_descendants: With subprojects
1072 label_cross_project_descendants: With subprojects
1073 label_cross_project_tree: With project tree
1073 label_cross_project_tree: With project tree
1074 label_cross_project_hierarchy: With project hierarchy
1074 label_cross_project_hierarchy: With project hierarchy
1075 label_cross_project_system: With all projects
1075 label_cross_project_system: With all projects
1076 button_hide: Hide
1076 button_hide: Hide
1077 setting_non_working_week_days: Non-working days
1077 setting_non_working_week_days: Non-working days
1078 label_in_the_next_days: in the next
1078 label_in_the_next_days: in the next
1079 label_in_the_past_days: in the past
1079 label_in_the_past_days: in the past
1080 label_attribute_of_user: User's %{name}
1080 label_attribute_of_user: User's %{name}
1081 text_turning_multiple_off: If you disable multiple values, multiple values will be
1081 text_turning_multiple_off: If you disable multiple values, multiple values will be
1082 removed in order to preserve only one value per item.
1082 removed in order to preserve only one value per item.
1083 label_attribute_of_issue: Issue's %{name}
1083 label_attribute_of_issue: Issue's %{name}
1084 permission_add_documents: Add documents
1084 permission_add_documents: Add documents
1085 permission_edit_documents: Edit documents
1085 permission_edit_documents: Edit documents
1086 permission_delete_documents: Delete documents
1086 permission_delete_documents: Delete documents
1087 label_gantt_progress_line: Progress line
1087 label_gantt_progress_line: Progress line
1088 setting_jsonp_enabled: Enable JSONP support
1088 setting_jsonp_enabled: Enable JSONP support
1089 field_inherit_members: Inherit members
1089 field_inherit_members: Inherit members
1090 field_closed_on: Closed
1090 field_closed_on: Closed
1091 field_generate_password: Generate password
1091 field_generate_password: Generate password
1092 setting_default_projects_tracker_ids: Default trackers for new projects
1092 setting_default_projects_tracker_ids: Default trackers for new projects
1093 label_total_time: Ukupno
1093 label_total_time: Ukupno
1094 text_scm_config: You can configure your SCM commands in config/configuration.yml. Please restart the application after editing it.
1094 text_scm_config: You can configure your SCM commands in config/configuration.yml. Please restart the application after editing it.
1095 text_scm_command_not_available: SCM command is not available. Please check settings on the administration panel.
1095 text_scm_command_not_available: SCM command is not available. Please check settings on the administration panel.
1096 setting_emails_header: Email header
1096 setting_emails_header: Email header
1097 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1097 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1098 to receive a new activation email, please <a href="%{url}">click this link</a>.
1098 to receive a new activation email, please <a href="%{url}">click this link</a>.
1099 notice_account_locked: Your account is locked.
1099 notice_account_locked: Your account is locked.
1100 label_hidden: Hidden
1100 label_hidden: Hidden
1101 label_visibility_private: to me only
1101 label_visibility_private: to me only
1102 label_visibility_roles: to these roles only
1102 label_visibility_roles: to these roles only
1103 label_visibility_public: to any users
1103 label_visibility_public: to any users
1104 field_must_change_passwd: Must change password at next logon
1104 field_must_change_passwd: Must change password at next logon
1105 notice_new_password_must_be_different: The new password must be different from the
1105 notice_new_password_must_be_different: The new password must be different from the
1106 current password
1106 current password
1107 setting_mail_handler_excluded_filenames: Exclude attachments by name
1107 setting_mail_handler_excluded_filenames: Exclude attachments by name
1108 text_convert_available: ImageMagick convert available (optional)
1108 text_convert_available: ImageMagick convert available (optional)
1109 label_link: Link
1109 label_link: Link
1110 label_only: only
1110 label_only: only
1111 label_drop_down_list: drop-down list
1111 label_drop_down_list: drop-down list
1112 label_checkboxes: checkboxes
1112 label_checkboxes: checkboxes
1113 label_link_values_to: Link values to URL
1113 label_link_values_to: Link values to URL
1114 setting_force_default_language_for_anonymous: Force default language for anonymous
1114 setting_force_default_language_for_anonymous: Force default language for anonymous
1115 users
1115 users
1116 setting_force_default_language_for_loggedin: Force default language for logged-in
1116 setting_force_default_language_for_loggedin: Force default language for logged-in
1117 users
1117 users
1118 label_custom_field_select_type: Select the type of object to which the custom field
1118 label_custom_field_select_type: Select the type of object to which the custom field
1119 is to be attached
1119 is to be attached
1120 label_issue_assigned_to_updated: Assignee updated
1120 label_issue_assigned_to_updated: Assignee updated
1121 label_check_for_updates: Check for updates
1121 label_check_for_updates: Check for updates
1122 label_latest_compatible_version: Latest compatible version
1122 label_latest_compatible_version: Latest compatible version
1123 label_unknown_plugin: Unknown plugin
1123 label_unknown_plugin: Unknown plugin
1124 label_radio_buttons: radio buttons
1124 label_radio_buttons: radio buttons
1125 label_group_anonymous: Anonymous users
1125 label_group_anonymous: Anonymous users
1126 label_group_non_member: Non member users
1126 label_group_non_member: Non member users
1127 label_add_projects: Add projects
1127 label_add_projects: Add projects
1128 field_default_status: Default status
1128 field_default_status: Default status
1129 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1129 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1130 field_users_visibility: Users visibility
1130 field_users_visibility: Users visibility
1131 label_users_visibility_all: All active users
1131 label_users_visibility_all: All active users
1132 label_users_visibility_members_of_visible_projects: Members of visible projects
1132 label_users_visibility_members_of_visible_projects: Members of visible projects
1133 label_edit_attachments: Edit attached files
1133 label_edit_attachments: Edit attached files
1134 setting_link_copied_issue: Link issues on copy
1134 setting_link_copied_issue: Link issues on copy
1135 label_link_copied_issue: Link copied issue
1135 label_link_copied_issue: Link copied issue
1136 label_ask: Ask
1136 label_ask: Ask
1137 label_search_attachments_yes: Search attachment filenames and descriptions
1137 label_search_attachments_yes: Search attachment filenames and descriptions
1138 label_search_attachments_no: Do not search attachments
1138 label_search_attachments_no: Do not search attachments
1139 label_search_attachments_only: Search attachments only
1139 label_search_attachments_only: Search attachments only
1140 label_search_open_issues_only: Open issues only
1140 label_search_open_issues_only: Open issues only
1141 field_address: Email
1141 field_address: Email
1142 setting_max_additional_emails: Maximum number of additional email addresses
1142 setting_max_additional_emails: Maximum number of additional email addresses
1143 label_email_address_plural: Emails
1143 label_email_address_plural: Emails
1144 label_email_address_add: Add email address
1144 label_email_address_add: Add email address
1145 label_enable_notifications: Enable notifications
1145 label_enable_notifications: Enable notifications
1146 label_disable_notifications: Disable notifications
1146 label_disable_notifications: Disable notifications
1147 setting_search_results_per_page: Search results per page
1147 setting_search_results_per_page: Search results per page
1148 label_blank_value: blank
1148 label_blank_value: blank
1149 permission_copy_issues: Copy issues
1149 permission_copy_issues: Copy issues
1150 error_password_expired: Your password has expired or the administrator requires you
1150 error_password_expired: Your password has expired or the administrator requires you
1151 to change it.
1151 to change it.
1152 field_time_entries_visibility: Time logs visibility
1152 field_time_entries_visibility: Time logs visibility
1153 setting_password_max_age: Require password change after
1153 setting_password_max_age: Require password change after
1154 label_parent_task_attributes: Parent tasks attributes
1154 label_parent_task_attributes: Parent tasks attributes
1155 label_parent_task_attributes_derived: Calculated from subtasks
1155 label_parent_task_attributes_derived: Calculated from subtasks
1156 label_parent_task_attributes_independent: Independent of subtasks
1156 label_parent_task_attributes_independent: Independent of subtasks
1157 label_time_entries_visibility_all: All time entries
1157 label_time_entries_visibility_all: All time entries
1158 label_time_entries_visibility_own: Time entries created by the user
1158 label_time_entries_visibility_own: Time entries created by the user
1159 label_member_management: Member management
1159 label_member_management: Member management
1160 label_member_management_all_roles: All roles
1160 label_member_management_all_roles: All roles
1161 label_member_management_selected_roles_only: Only these roles
1161 label_member_management_selected_roles_only: Only these roles
1162 label_password_required: Confirm your password to continue
1162 label_password_required: Confirm your password to continue
1163 label_total_spent_time: Overall spent time
1163 label_total_spent_time: Overall spent time
1164 notice_import_finished: All %{count} items have been imported.
1164 notice_import_finished: All %{count} items have been imported.
1165 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1165 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1166 imported.'
1166 imported.'
1167 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1167 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1168 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1168 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1169 settings below
1169 settings below
1170 error_can_not_read_import_file: An error occurred while reading the file to import
1170 error_can_not_read_import_file: An error occurred while reading the file to import
1171 permission_import_issues: Import issues
1171 permission_import_issues: Import issues
1172 label_import_issues: Import issues
1172 label_import_issues: Import issues
1173 label_select_file_to_import: Select the file to import
1173 label_select_file_to_import: Select the file to import
1174 label_fields_separator: Field separator
1174 label_fields_separator: Field separator
1175 label_fields_wrapper: Field wrapper
1175 label_fields_wrapper: Field wrapper
1176 label_encoding: Encoding
1176 label_encoding: Encoding
1177 label_comma_char: Comma
1177 label_comma_char: Comma
1178 label_semi_colon_char: Semi colon
1178 label_semi_colon_char: Semi colon
1179 label_quote_char: Quote
1179 label_quote_char: Quote
1180 label_double_quote_char: Double quote
1180 label_double_quote_char: Double quote
1181 label_fields_mapping: Fields mapping
1181 label_fields_mapping: Fields mapping
1182 label_file_content_preview: File content preview
1182 label_file_content_preview: File content preview
1183 label_create_missing_values: Create missing values
1183 label_create_missing_values: Create missing values
1184 button_import: Import
1184 button_import: Import
1185 field_total_estimated_hours: Total estimated time
1185 field_total_estimated_hours: Total estimated time
1186 label_api: API
1186 label_api: API
1187 label_total_plural: Totals
1187 label_total_plural: Totals
1188 label_assigned_issues: Assigned issues
1188 label_assigned_issues: Assigned issues
1189 label_field_format_enumeration: Key/value list
1189 label_field_format_enumeration: Key/value list
1190 label_f_hour_short: '%{value} h'
1190 label_f_hour_short: '%{value} h'
1191 field_default_version: Default version
1191 field_default_version: Default version
1192 error_attachment_extension_not_allowed: Attachment extension %{extension} is not allowed
1192 error_attachment_extension_not_allowed: Attachment extension %{extension} is not allowed
1193 setting_attachment_extensions_allowed: Allowed extensions
1193 setting_attachment_extensions_allowed: Allowed extensions
1194 setting_attachment_extensions_denied: Disallowed extensions
1194 setting_attachment_extensions_denied: Disallowed extensions
1195 label_any_open_issues: any open issues
1195 label_any_open_issues: any open issues
1196 label_no_open_issues: no open issues
1196 label_no_open_issues: no open issues
1197 label_default_values_for_new_users: Default values for new users
1197 label_default_values_for_new_users: Default values for new users
1198 error_cannot_reassign_time_entries_to_an_issue_about_to_be_deleted: Spent time cannot
1199 be reassigned to an issue that is about to be deleted
@@ -1,1186 +1,1188
1 # Redmine catalan translation:
1 # Redmine catalan translation:
2 # by Joan Duran
2 # by Joan Duran
3
3
4 ca:
4 ca:
5 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
5 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
6 direction: ltr
6 direction: ltr
7 date:
7 date:
8 formats:
8 formats:
9 # Use the strftime parameters for formats.
9 # Use the strftime parameters for formats.
10 # When no format has been given, it uses default.
10 # When no format has been given, it uses default.
11 # You can provide other formats here if you like!
11 # You can provide other formats here if you like!
12 default: "%d-%m-%Y"
12 default: "%d-%m-%Y"
13 short: "%e de %b"
13 short: "%e de %b"
14 long: "%a, %e de %b de %Y"
14 long: "%a, %e de %b de %Y"
15
15
16 day_names: [Diumenge, Dilluns, Dimarts, Dimecres, Dijous, Divendres, Dissabte]
16 day_names: [Diumenge, Dilluns, Dimarts, Dimecres, Dijous, Divendres, Dissabte]
17 abbr_day_names: [dg, dl, dt, dc, dj, dv, ds]
17 abbr_day_names: [dg, dl, dt, dc, dj, dv, ds]
18
18
19 # Don't forget the nil at the beginning; there's no such thing as a 0th month
19 # Don't forget the nil at the beginning; there's no such thing as a 0th month
20 month_names: [~, Gener, Febrer, Març, Abril, Maig, Juny, Juliol, Agost, Setembre, Octubre, Novembre, Desembre]
20 month_names: [~, Gener, Febrer, Març, Abril, Maig, Juny, Juliol, Agost, Setembre, Octubre, Novembre, Desembre]
21 abbr_month_names: [~, Gen, Feb, Mar, Abr, Mai, Jun, Jul, Ago, Set, Oct, Nov, Des]
21 abbr_month_names: [~, Gen, Feb, Mar, Abr, Mai, Jun, Jul, Ago, Set, Oct, Nov, Des]
22 # Used in date_select and datime_select.
22 # Used in date_select and datime_select.
23 order:
23 order:
24 - :year
24 - :year
25 - :month
25 - :month
26 - :day
26 - :day
27
27
28 time:
28 time:
29 formats:
29 formats:
30 default: "%d-%m-%Y %H:%M"
30 default: "%d-%m-%Y %H:%M"
31 time: "%H:%M"
31 time: "%H:%M"
32 short: "%e de %b, %H:%M"
32 short: "%e de %b, %H:%M"
33 long: "%a, %e de %b de %Y, %H:%M"
33 long: "%a, %e de %b de %Y, %H:%M"
34 am: "am"
34 am: "am"
35 pm: "pm"
35 pm: "pm"
36
36
37 datetime:
37 datetime:
38 distance_in_words:
38 distance_in_words:
39 half_a_minute: "mig minut"
39 half_a_minute: "mig minut"
40 less_than_x_seconds:
40 less_than_x_seconds:
41 one: "menys d'un segon"
41 one: "menys d'un segon"
42 other: "menys de %{count} segons"
42 other: "menys de %{count} segons"
43 x_seconds:
43 x_seconds:
44 one: "1 segons"
44 one: "1 segons"
45 other: "%{count} segons"
45 other: "%{count} segons"
46 less_than_x_minutes:
46 less_than_x_minutes:
47 one: "menys d'un minut"
47 one: "menys d'un minut"
48 other: "menys de %{count} minuts"
48 other: "menys de %{count} minuts"
49 x_minutes:
49 x_minutes:
50 one: "1 minut"
50 one: "1 minut"
51 other: "%{count} minuts"
51 other: "%{count} minuts"
52 about_x_hours:
52 about_x_hours:
53 one: "aproximadament 1 hora"
53 one: "aproximadament 1 hora"
54 other: "aproximadament %{count} hores"
54 other: "aproximadament %{count} hores"
55 x_hours:
55 x_hours:
56 one: "1 hora"
56 one: "1 hora"
57 other: "%{count} hores"
57 other: "%{count} hores"
58 x_days:
58 x_days:
59 one: "1 dia"
59 one: "1 dia"
60 other: "%{count} dies"
60 other: "%{count} dies"
61 about_x_months:
61 about_x_months:
62 one: "aproximadament 1 mes"
62 one: "aproximadament 1 mes"
63 other: "aproximadament %{count} mesos"
63 other: "aproximadament %{count} mesos"
64 x_months:
64 x_months:
65 one: "1 mes"
65 one: "1 mes"
66 other: "%{count} mesos"
66 other: "%{count} mesos"
67 about_x_years:
67 about_x_years:
68 one: "aproximadament 1 any"
68 one: "aproximadament 1 any"
69 other: "aproximadament %{count} anys"
69 other: "aproximadament %{count} anys"
70 over_x_years:
70 over_x_years:
71 one: "més d'un any"
71 one: "més d'un any"
72 other: "més de %{count} anys"
72 other: "més de %{count} anys"
73 almost_x_years:
73 almost_x_years:
74 one: "almost 1 year"
74 one: "almost 1 year"
75 other: "almost %{count} years"
75 other: "almost %{count} years"
76
76
77 number:
77 number:
78 # Default format for numbers
78 # Default format for numbers
79 format:
79 format:
80 separator: "."
80 separator: "."
81 delimiter: ""
81 delimiter: ""
82 precision: 3
82 precision: 3
83 human:
83 human:
84 format:
84 format:
85 delimiter: ""
85 delimiter: ""
86 precision: 3
86 precision: 3
87 storage_units:
87 storage_units:
88 format: "%n %u"
88 format: "%n %u"
89 units:
89 units:
90 byte:
90 byte:
91 one: "Byte"
91 one: "Byte"
92 other: "Bytes"
92 other: "Bytes"
93 kb: "KB"
93 kb: "KB"
94 mb: "MB"
94 mb: "MB"
95 gb: "GB"
95 gb: "GB"
96 tb: "TB"
96 tb: "TB"
97
97
98 # Used in array.to_sentence.
98 # Used in array.to_sentence.
99 support:
99 support:
100 array:
100 array:
101 sentence_connector: "i"
101 sentence_connector: "i"
102 skip_last_comma: false
102 skip_last_comma: false
103
103
104 activerecord:
104 activerecord:
105 errors:
105 errors:
106 template:
106 template:
107 header:
107 header:
108 one: "1 error prohibited this %{model} from being saved"
108 one: "1 error prohibited this %{model} from being saved"
109 other: "%{count} errors prohibited this %{model} from being saved"
109 other: "%{count} errors prohibited this %{model} from being saved"
110 messages:
110 messages:
111 inclusion: "no està inclòs a la llista"
111 inclusion: "no està inclòs a la llista"
112 exclusion: "està reservat"
112 exclusion: "està reservat"
113 invalid: "no és vàlid"
113 invalid: "no és vàlid"
114 confirmation: "la confirmació no coincideix"
114 confirmation: "la confirmació no coincideix"
115 accepted: "s'ha d'acceptar"
115 accepted: "s'ha d'acceptar"
116 empty: "no pot estar buit"
116 empty: "no pot estar buit"
117 blank: "no pot estar en blanc"
117 blank: "no pot estar en blanc"
118 too_long: "és massa llarg"
118 too_long: "és massa llarg"
119 too_short: "és massa curt"
119 too_short: "és massa curt"
120 wrong_length: "la longitud és incorrecta"
120 wrong_length: "la longitud és incorrecta"
121 taken: "ja s'està utilitzant"
121 taken: "ja s'està utilitzant"
122 not_a_number: "no és un número"
122 not_a_number: "no és un número"
123 not_a_date: "no és una data vàlida"
123 not_a_date: "no és una data vàlida"
124 greater_than: "ha de ser més gran que %{count}"
124 greater_than: "ha de ser més gran que %{count}"
125 greater_than_or_equal_to: "ha de ser més gran o igual a %{count}"
125 greater_than_or_equal_to: "ha de ser més gran o igual a %{count}"
126 equal_to: "ha de ser igual a %{count}"
126 equal_to: "ha de ser igual a %{count}"
127 less_than: "ha de ser menys que %{count}"
127 less_than: "ha de ser menys que %{count}"
128 less_than_or_equal_to: "ha de ser menys o igual a %{count}"
128 less_than_or_equal_to: "ha de ser menys o igual a %{count}"
129 odd: "ha de ser senar"
129 odd: "ha de ser senar"
130 even: "ha de ser parell"
130 even: "ha de ser parell"
131 greater_than_start_date: "ha de ser superior que la data inicial"
131 greater_than_start_date: "ha de ser superior que la data inicial"
132 not_same_project: "no pertany al mateix projecte"
132 not_same_project: "no pertany al mateix projecte"
133 circular_dependency: "Aquesta relació crearia una dependència circular"
133 circular_dependency: "Aquesta relació crearia una dependència circular"
134 cant_link_an_issue_with_a_descendant: "Un assumpte no es pot enllaçar a una de les seves subtasques"
134 cant_link_an_issue_with_a_descendant: "Un assumpte no es pot enllaçar a una de les seves subtasques"
135 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
135 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
136
136
137 actionview_instancetag_blank_option: Seleccioneu
137 actionview_instancetag_blank_option: Seleccioneu
138
138
139 general_text_No: 'No'
139 general_text_No: 'No'
140 general_text_Yes: 'Si'
140 general_text_Yes: 'Si'
141 general_text_no: 'no'
141 general_text_no: 'no'
142 general_text_yes: 'si'
142 general_text_yes: 'si'
143 general_lang_name: 'Catalan (Català)'
143 general_lang_name: 'Catalan (Català)'
144 general_csv_separator: ';'
144 general_csv_separator: ';'
145 general_csv_decimal_separator: ','
145 general_csv_decimal_separator: ','
146 general_csv_encoding: ISO-8859-15
146 general_csv_encoding: ISO-8859-15
147 general_pdf_fontname: freesans
147 general_pdf_fontname: freesans
148 general_pdf_monospaced_fontname: freemono
148 general_pdf_monospaced_fontname: freemono
149 general_first_day_of_week: '1'
149 general_first_day_of_week: '1'
150
150
151 notice_account_updated: "El compte s'ha actualitzat correctament."
151 notice_account_updated: "El compte s'ha actualitzat correctament."
152 notice_account_invalid_creditentials: Usuari o contrasenya invàlid
152 notice_account_invalid_creditentials: Usuari o contrasenya invàlid
153 notice_account_password_updated: "La contrasenya s'ha modificat correctament."
153 notice_account_password_updated: "La contrasenya s'ha modificat correctament."
154 notice_account_wrong_password: Contrasenya incorrecta
154 notice_account_wrong_password: Contrasenya incorrecta
155 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."
155 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."
156 notice_account_unknown_email: Usuari desconegut.
156 notice_account_unknown_email: Usuari desconegut.
157 notice_can_t_change_password: "Aquest compte utilitza una font d'autenticació externa. No és possible canviar la contrasenya."
157 notice_can_t_change_password: "Aquest compte utilitza una font d'autenticació externa. No és possible canviar la contrasenya."
158 notice_account_lost_email_sent: "S'ha enviat un correu electrònic amb instruccions per a seleccionar una contrasenya nova."
158 notice_account_lost_email_sent: "S'ha enviat un correu electrònic amb instruccions per a seleccionar una contrasenya nova."
159 notice_account_activated: "El compte s'ha activat. Ara podeu entrar."
159 notice_account_activated: "El compte s'ha activat. Ara podeu entrar."
160 notice_successful_create: "S'ha creat correctament."
160 notice_successful_create: "S'ha creat correctament."
161 notice_successful_update: "S'ha modificat correctament."
161 notice_successful_update: "S'ha modificat correctament."
162 notice_successful_delete: "S'ha suprimit correctament."
162 notice_successful_delete: "S'ha suprimit correctament."
163 notice_successful_connection: "S'ha connectat correctament."
163 notice_successful_connection: "S'ha connectat correctament."
164 notice_file_not_found: "La pàgina a la que intenteu accedir no existeix o s'ha suprimit."
164 notice_file_not_found: "La pàgina a la que intenteu accedir no existeix o s'ha suprimit."
165 notice_locking_conflict: Un altre usuari ha actualitzat les dades.
165 notice_locking_conflict: Un altre usuari ha actualitzat les dades.
166 notice_not_authorized: No teniu permís per a accedir a aquesta pàgina.
166 notice_not_authorized: No teniu permís per a accedir a aquesta pàgina.
167 notice_email_sent: "S'ha enviat un correu electrònic a %{value}"
167 notice_email_sent: "S'ha enviat un correu electrònic a %{value}"
168 notice_email_error: "S'ha produït un error en enviar el correu (%{value})"
168 notice_email_error: "S'ha produït un error en enviar el correu (%{value})"
169 notice_feeds_access_key_reseted: "S'ha reiniciat la clau d'accés del Atom."
169 notice_feeds_access_key_reseted: "S'ha reiniciat la clau d'accés del Atom."
170 notice_api_access_key_reseted: "S'ha reiniciat la clau d'accés a l'API."
170 notice_api_access_key_reseted: "S'ha reiniciat la clau d'accés a l'API."
171 notice_failed_to_save_issues: "No s'han pogut desar %{count} assumptes de %{total} seleccionats: %{ids}."
171 notice_failed_to_save_issues: "No s'han pogut desar %{count} assumptes de %{total} seleccionats: %{ids}."
172 notice_failed_to_save_members: "No s'han pogut desar els membres: %{errors}."
172 notice_failed_to_save_members: "No s'han pogut desar els membres: %{errors}."
173 notice_no_issue_selected: "No s'ha seleccionat cap assumpte. Activeu els assumptes que voleu editar."
173 notice_no_issue_selected: "No s'ha seleccionat cap assumpte. Activeu els assumptes que voleu editar."
174 notice_account_pending: "S'ha creat el compte i ara està pendent de l'aprovació de l'administrador."
174 notice_account_pending: "S'ha creat el compte i ara està pendent de l'aprovació de l'administrador."
175 notice_default_data_loaded: "S'ha carregat correctament la configuració predeterminada."
175 notice_default_data_loaded: "S'ha carregat correctament la configuració predeterminada."
176 notice_unable_delete_version: "No s'ha pogut suprimir la versió."
176 notice_unable_delete_version: "No s'ha pogut suprimir la versió."
177 notice_unable_delete_time_entry: "No s'ha pogut suprimir l'entrada del registre de temps."
177 notice_unable_delete_time_entry: "No s'ha pogut suprimir l'entrada del registre de temps."
178 notice_issue_done_ratios_updated: "S'ha actualitzat el tant per cent dels assumptes."
178 notice_issue_done_ratios_updated: "S'ha actualitzat el tant per cent dels assumptes."
179
179
180 error_can_t_load_default_data: "No s'ha pogut carregar la configuració predeterminada: %{value} "
180 error_can_t_load_default_data: "No s'ha pogut carregar la configuració predeterminada: %{value} "
181 error_scm_not_found: "No s'ha trobat l'entrada o la revisió en el dipòsit."
181 error_scm_not_found: "No s'ha trobat l'entrada o la revisió en el dipòsit."
182 error_scm_command_failed: "S'ha produït un error en intentar accedir al dipòsit: %{value}"
182 error_scm_command_failed: "S'ha produït un error en intentar accedir al dipòsit: %{value}"
183 error_scm_annotate: "L'entrada no existeix o no s'ha pogut anotar."
183 error_scm_annotate: "L'entrada no existeix o no s'ha pogut anotar."
184 error_issue_not_found_in_project: "No s'ha trobat l'assumpte o no pertany a aquest projecte"
184 error_issue_not_found_in_project: "No s'ha trobat l'assumpte o no pertany a aquest projecte"
185 error_no_tracker_in_project: "Aquest projecte no seguidor associat. Comproveu els paràmetres del projecte."
185 error_no_tracker_in_project: "Aquest projecte no seguidor associat. Comproveu els paràmetres del projecte."
186 error_no_default_issue_status: "No s'ha definit cap estat d'assumpte predeterminat. Comproveu la configuració (aneu a «Administració -> Estats de l'assumpte»)."
186 error_no_default_issue_status: "No s'ha definit cap estat d'assumpte predeterminat. Comproveu la configuració (aneu a «Administració -> Estats de l'assumpte»)."
187 error_can_not_delete_custom_field: "No s'ha pogut suprimir el camp personalitat"
187 error_can_not_delete_custom_field: "No s'ha pogut suprimir el camp personalitat"
188 error_can_not_delete_tracker: "Aquest seguidor conté assumptes i no es pot suprimir."
188 error_can_not_delete_tracker: "Aquest seguidor conté assumptes i no es pot suprimir."
189 error_can_not_remove_role: "Aquest rol s'està utilitzant i no es pot suprimir."
189 error_can_not_remove_role: "Aquest rol s'està utilitzant i no es pot suprimir."
190 error_can_not_reopen_issue_on_closed_version: "Un assumpte assignat a una versió tancada no es pot tornar a obrir"
190 error_can_not_reopen_issue_on_closed_version: "Un assumpte assignat a una versió tancada no es pot tornar a obrir"
191 error_can_not_archive_project: "Aquest projecte no es pot arxivar"
191 error_can_not_archive_project: "Aquest projecte no es pot arxivar"
192 error_issue_done_ratios_not_updated: "No s'ha actualitza el tant per cent dels assumptes."
192 error_issue_done_ratios_not_updated: "No s'ha actualitza el tant per cent dels assumptes."
193 error_workflow_copy_source: "Seleccioneu un seguidor o rol font"
193 error_workflow_copy_source: "Seleccioneu un seguidor o rol font"
194 error_workflow_copy_target: "Seleccioneu seguidors i rols objectiu"
194 error_workflow_copy_target: "Seleccioneu seguidors i rols objectiu"
195 error_unable_delete_issue_status: "No s'ha pogut suprimir l'estat de l'assumpte"
195 error_unable_delete_issue_status: "No s'ha pogut suprimir l'estat de l'assumpte"
196 error_unable_to_connect: "No s'ha pogut connectar (%{value})"
196 error_unable_to_connect: "No s'ha pogut connectar (%{value})"
197 warning_attachments_not_saved: "No s'han pogut desar %{count} fitxers."
197 warning_attachments_not_saved: "No s'han pogut desar %{count} fitxers."
198
198
199 mail_subject_lost_password: "Contrasenya de %{value}"
199 mail_subject_lost_password: "Contrasenya de %{value}"
200 mail_body_lost_password: "Per a canviar la contrasenya, feu clic en l'enllaç següent:"
200 mail_body_lost_password: "Per a canviar la contrasenya, feu clic en l'enllaç següent:"
201 mail_subject_register: "Activació del compte de %{value}"
201 mail_subject_register: "Activació del compte de %{value}"
202 mail_body_register: "Per a activar el compte, feu clic en l'enllaç següent:"
202 mail_body_register: "Per a activar el compte, feu clic en l'enllaç següent:"
203 mail_body_account_information_external: "Podeu utilitzar el compte «%{value}» per a entrar."
203 mail_body_account_information_external: "Podeu utilitzar el compte «%{value}» per a entrar."
204 mail_body_account_information: Informació del compte
204 mail_body_account_information: Informació del compte
205 mail_subject_account_activation_request: "Sol·licitud d'activació del compte de %{value}"
205 mail_subject_account_activation_request: "Sol·licitud d'activació del compte de %{value}"
206 mail_body_account_activation_request: "S'ha registrat un usuari nou (%{value}). El seu compte està pendent d'aprovació:"
206 mail_body_account_activation_request: "S'ha registrat un usuari nou (%{value}). El seu compte està pendent d'aprovació:"
207 mail_subject_reminder: "%{count} assumptes venceran els següents %{days} dies"
207 mail_subject_reminder: "%{count} assumptes venceran els següents %{days} dies"
208 mail_body_reminder: "%{count} assumptes que teniu assignades venceran els següents %{days} dies:"
208 mail_body_reminder: "%{count} assumptes que teniu assignades venceran els següents %{days} dies:"
209 mail_subject_wiki_content_added: "S'ha afegit la pàgina wiki «%{id}»"
209 mail_subject_wiki_content_added: "S'ha afegit la pàgina wiki «%{id}»"
210 mail_body_wiki_content_added: "En %{author} ha afegit la pàgina wiki «%{id}»."
210 mail_body_wiki_content_added: "En %{author} ha afegit la pàgina wiki «%{id}»."
211 mail_subject_wiki_content_updated: "S'ha actualitzat la pàgina wiki «%{id}»"
211 mail_subject_wiki_content_updated: "S'ha actualitzat la pàgina wiki «%{id}»"
212 mail_body_wiki_content_updated: "En %{author} ha actualitzat la pàgina wiki «%{id}»."
212 mail_body_wiki_content_updated: "En %{author} ha actualitzat la pàgina wiki «%{id}»."
213
213
214
214
215 field_name: Nom
215 field_name: Nom
216 field_description: Descripció
216 field_description: Descripció
217 field_summary: Resum
217 field_summary: Resum
218 field_is_required: Necessari
218 field_is_required: Necessari
219 field_firstname: Nom
219 field_firstname: Nom
220 field_lastname: Cognom
220 field_lastname: Cognom
221 field_mail: Correu electrònic
221 field_mail: Correu electrònic
222 field_filename: Fitxer
222 field_filename: Fitxer
223 field_filesize: Mida
223 field_filesize: Mida
224 field_downloads: Baixades
224 field_downloads: Baixades
225 field_author: Autor
225 field_author: Autor
226 field_created_on: Creat
226 field_created_on: Creat
227 field_updated_on: Actualitzat
227 field_updated_on: Actualitzat
228 field_field_format: Format
228 field_field_format: Format
229 field_is_for_all: Per a tots els projectes
229 field_is_for_all: Per a tots els projectes
230 field_possible_values: Valores possibles
230 field_possible_values: Valores possibles
231 field_regexp: Expressió regular
231 field_regexp: Expressió regular
232 field_min_length: Longitud mínima
232 field_min_length: Longitud mínima
233 field_max_length: Longitud màxima
233 field_max_length: Longitud màxima
234 field_value: Valor
234 field_value: Valor
235 field_category: Categoria
235 field_category: Categoria
236 field_title: Títol
236 field_title: Títol
237 field_project: Projecte
237 field_project: Projecte
238 field_issue: Assumpte
238 field_issue: Assumpte
239 field_status: Estat
239 field_status: Estat
240 field_notes: Notes
240 field_notes: Notes
241 field_is_closed: Assumpte tancat
241 field_is_closed: Assumpte tancat
242 field_is_default: Estat predeterminat
242 field_is_default: Estat predeterminat
243 field_tracker: Seguidor
243 field_tracker: Seguidor
244 field_subject: Tema
244 field_subject: Tema
245 field_due_date: Data de venciment
245 field_due_date: Data de venciment
246 field_assigned_to: Assignat a
246 field_assigned_to: Assignat a
247 field_priority: Prioritat
247 field_priority: Prioritat
248 field_fixed_version: Versió objectiu
248 field_fixed_version: Versió objectiu
249 field_user: Usuari
249 field_user: Usuari
250 field_principal: Principal
250 field_principal: Principal
251 field_role: Rol
251 field_role: Rol
252 field_homepage: Pàgina web
252 field_homepage: Pàgina web
253 field_is_public: Públic
253 field_is_public: Públic
254 field_parent: Subprojecte de
254 field_parent: Subprojecte de
255 field_is_in_roadmap: Assumptes mostrats en la planificació
255 field_is_in_roadmap: Assumptes mostrats en la planificació
256 field_login: Entrada
256 field_login: Entrada
257 field_mail_notification: Notificacions per correu electrònic
257 field_mail_notification: Notificacions per correu electrònic
258 field_admin: Administrador
258 field_admin: Administrador
259 field_last_login_on: Última connexió
259 field_last_login_on: Última connexió
260 field_language: Idioma
260 field_language: Idioma
261 field_effective_date: Data
261 field_effective_date: Data
262 field_password: Contrasenya
262 field_password: Contrasenya
263 field_new_password: Contrasenya nova
263 field_new_password: Contrasenya nova
264 field_password_confirmation: Confirmació
264 field_password_confirmation: Confirmació
265 field_version: Versió
265 field_version: Versió
266 field_type: Tipus
266 field_type: Tipus
267 field_host: Ordinador
267 field_host: Ordinador
268 field_port: Port
268 field_port: Port
269 field_account: Compte
269 field_account: Compte
270 field_base_dn: Base DN
270 field_base_dn: Base DN
271 field_attr_login: "Atribut d'entrada"
271 field_attr_login: "Atribut d'entrada"
272 field_attr_firstname: Atribut del nom
272 field_attr_firstname: Atribut del nom
273 field_attr_lastname: Atribut del cognom
273 field_attr_lastname: Atribut del cognom
274 field_attr_mail: Atribut del correu electrònic
274 field_attr_mail: Atribut del correu electrònic
275 field_onthefly: "Creació de l'usuari «al vol»"
275 field_onthefly: "Creació de l'usuari «al vol»"
276 field_start_date: Inici
276 field_start_date: Inici
277 field_done_ratio: "% realitzat"
277 field_done_ratio: "% realitzat"
278 field_auth_source: "Mode d'autenticació"
278 field_auth_source: "Mode d'autenticació"
279 field_hide_mail: "Oculta l'adreça de correu electrònic"
279 field_hide_mail: "Oculta l'adreça de correu electrònic"
280 field_comments: Comentari
280 field_comments: Comentari
281 field_url: URL
281 field_url: URL
282 field_start_page: Pàgina inicial
282 field_start_page: Pàgina inicial
283 field_subproject: Subprojecte
283 field_subproject: Subprojecte
284 field_hours: Hores
284 field_hours: Hores
285 field_activity: Activitat
285 field_activity: Activitat
286 field_spent_on: Data
286 field_spent_on: Data
287 field_identifier: Identificador
287 field_identifier: Identificador
288 field_is_filter: "S'ha utilitzat com a filtre"
288 field_is_filter: "S'ha utilitzat com a filtre"
289 field_issue_to: Assumpte relacionat
289 field_issue_to: Assumpte relacionat
290 field_delay: Retard
290 field_delay: Retard
291 field_assignable: Es poden assignar assumptes a aquest rol
291 field_assignable: Es poden assignar assumptes a aquest rol
292 field_redirect_existing_links: Redirigeix els enllaços existents
292 field_redirect_existing_links: Redirigeix els enllaços existents
293 field_estimated_hours: Temps previst
293 field_estimated_hours: Temps previst
294 field_column_names: Columnes
294 field_column_names: Columnes
295 field_time_entries: "Registre de temps"
295 field_time_entries: "Registre de temps"
296 field_time_zone: Zona horària
296 field_time_zone: Zona horària
297 field_searchable: Es pot cercar
297 field_searchable: Es pot cercar
298 field_default_value: Valor predeterminat
298 field_default_value: Valor predeterminat
299 field_comments_sorting: Mostra els comentaris
299 field_comments_sorting: Mostra els comentaris
300 field_parent_title: Pàgina pare
300 field_parent_title: Pàgina pare
301 field_editable: Es pot editar
301 field_editable: Es pot editar
302 field_watcher: Vigilància
302 field_watcher: Vigilància
303 field_identity_url: URL OpenID
303 field_identity_url: URL OpenID
304 field_content: Contingut
304 field_content: Contingut
305 field_group_by: "Agrupa els resultats per"
305 field_group_by: "Agrupa els resultats per"
306 field_sharing: Compartició
306 field_sharing: Compartició
307 field_parent_issue: "Tasca pare"
307 field_parent_issue: "Tasca pare"
308
308
309 setting_app_title: "Títol de l'aplicació"
309 setting_app_title: "Títol de l'aplicació"
310 setting_app_subtitle: "Subtítol de l'aplicació"
310 setting_app_subtitle: "Subtítol de l'aplicació"
311 setting_welcome_text: Text de benvinguda
311 setting_welcome_text: Text de benvinguda
312 setting_default_language: Idioma predeterminat
312 setting_default_language: Idioma predeterminat
313 setting_login_required: Es necessita autenticació
313 setting_login_required: Es necessita autenticació
314 setting_self_registration: Registre automàtic
314 setting_self_registration: Registre automàtic
315 setting_attachment_max_size: Mida màxima dels adjunts
315 setting_attachment_max_size: Mida màxima dels adjunts
316 setting_issues_export_limit: "Límit d'exportació d'assumptes"
316 setting_issues_export_limit: "Límit d'exportació d'assumptes"
317 setting_mail_from: "Adreça de correu electrònic d'emissió"
317 setting_mail_from: "Adreça de correu electrònic d'emissió"
318 setting_bcc_recipients: Vincula els destinataris de les còpies amb carbó (bcc)
318 setting_bcc_recipients: Vincula els destinataris de les còpies amb carbó (bcc)
319 setting_plain_text_mail: només text pla (no HTML)
319 setting_plain_text_mail: només text pla (no HTML)
320 setting_host_name: "Nom de l'ordinador"
320 setting_host_name: "Nom de l'ordinador"
321 setting_text_formatting: Format del text
321 setting_text_formatting: Format del text
322 setting_wiki_compression: "Comprimeix l'historial del wiki"
322 setting_wiki_compression: "Comprimeix l'historial del wiki"
323 setting_feeds_limit: Límit de contingut del canal
323 setting_feeds_limit: Límit de contingut del canal
324 setting_default_projects_public: Els projectes nous són públics per defecte
324 setting_default_projects_public: Els projectes nous són públics per defecte
325 setting_autofetch_changesets: Omple automàticament les publicacions
325 setting_autofetch_changesets: Omple automàticament les publicacions
326 setting_sys_api_enabled: Habilita el WS per a la gestió del dipòsit
326 setting_sys_api_enabled: Habilita el WS per a la gestió del dipòsit
327 setting_commit_ref_keywords: Paraules claus per a la referència
327 setting_commit_ref_keywords: Paraules claus per a la referència
328 setting_commit_fix_keywords: Paraules claus per a la correcció
328 setting_commit_fix_keywords: Paraules claus per a la correcció
329 setting_autologin: Entrada automàtica
329 setting_autologin: Entrada automàtica
330 setting_date_format: Format de la data
330 setting_date_format: Format de la data
331 setting_time_format: Format de hora
331 setting_time_format: Format de hora
332 setting_cross_project_issue_relations: "Permet les relacions d'assumptes entre projectes"
332 setting_cross_project_issue_relations: "Permet les relacions d'assumptes entre projectes"
333 setting_issue_list_default_columns: "Columnes mostrades per defecte en la llista d'assumptes"
333 setting_issue_list_default_columns: "Columnes mostrades per defecte en la llista d'assumptes"
334 setting_emails_footer: Peu dels correus electrònics
334 setting_emails_footer: Peu dels correus electrònics
335 setting_protocol: Protocol
335 setting_protocol: Protocol
336 setting_per_page_options: Opcions dels objectes per pàgina
336 setting_per_page_options: Opcions dels objectes per pàgina
337 setting_user_format: "Format de com mostrar l'usuari"
337 setting_user_format: "Format de com mostrar l'usuari"
338 setting_activity_days_default: "Dies a mostrar l'activitat del projecte"
338 setting_activity_days_default: "Dies a mostrar l'activitat del projecte"
339 setting_display_subprojects_issues: "Mostra els assumptes d'un subprojecte en el projecte pare per defecte"
339 setting_display_subprojects_issues: "Mostra els assumptes d'un subprojecte en el projecte pare per defecte"
340 setting_enabled_scm: "Habilita l'SCM"
340 setting_enabled_scm: "Habilita l'SCM"
341 setting_mail_handler_body_delimiters: "Trunca els correus electrònics després d'una d'aquestes línies"
341 setting_mail_handler_body_delimiters: "Trunca els correus electrònics després d'una d'aquestes línies"
342 setting_mail_handler_api_enabled: "Habilita el WS per correus electrònics d'entrada"
342 setting_mail_handler_api_enabled: "Habilita el WS per correus electrònics d'entrada"
343 setting_mail_handler_api_key: Clau API
343 setting_mail_handler_api_key: Clau API
344 setting_sequential_project_identifiers: Genera identificadors de projecte seqüencials
344 setting_sequential_project_identifiers: Genera identificadors de projecte seqüencials
345 setting_gravatar_enabled: "Utilitza les icones d'usuari Gravatar"
345 setting_gravatar_enabled: "Utilitza les icones d'usuari Gravatar"
346 setting_gravatar_default: "Imatge Gravatar predeterminada"
346 setting_gravatar_default: "Imatge Gravatar predeterminada"
347 setting_diff_max_lines_displayed: Número màxim de línies amb diferències mostrades
347 setting_diff_max_lines_displayed: Número màxim de línies amb diferències mostrades
348 setting_file_max_size_displayed: Mida màxima dels fitxers de text mostrats en línia
348 setting_file_max_size_displayed: Mida màxima dels fitxers de text mostrats en línia
349 setting_repository_log_display_limit: Número màxim de revisions que es mostren al registre de fitxers
349 setting_repository_log_display_limit: Número màxim de revisions que es mostren al registre de fitxers
350 setting_openid: "Permet entrar i registrar-se amb l'OpenID"
350 setting_openid: "Permet entrar i registrar-se amb l'OpenID"
351 setting_password_min_length: "Longitud mínima de la contrasenya"
351 setting_password_min_length: "Longitud mínima de la contrasenya"
352 setting_new_project_user_role_id: "Aquest rol es dóna a un usuari no administrador per a crear projectes"
352 setting_new_project_user_role_id: "Aquest rol es dóna a un usuari no administrador per a crear projectes"
353 setting_default_projects_modules: "Mòduls activats per defecte en els projectes nous"
353 setting_default_projects_modules: "Mòduls activats per defecte en els projectes nous"
354 setting_issue_done_ratio: "Calcula tant per cent realitzat de l'assumpte amb"
354 setting_issue_done_ratio: "Calcula tant per cent realitzat de l'assumpte amb"
355 setting_issue_done_ratio_issue_status: "Utilitza l'estat de l'assumpte"
355 setting_issue_done_ratio_issue_status: "Utilitza l'estat de l'assumpte"
356 setting_issue_done_ratio_issue_field: "Utilitza el camp de l'assumpte"
356 setting_issue_done_ratio_issue_field: "Utilitza el camp de l'assumpte"
357 setting_start_of_week: "Inicia les setmanes en"
357 setting_start_of_week: "Inicia les setmanes en"
358 setting_rest_api_enabled: "Habilita el servei web REST"
358 setting_rest_api_enabled: "Habilita el servei web REST"
359 setting_cache_formatted_text: Cache formatted text
359 setting_cache_formatted_text: Cache formatted text
360
360
361 permission_add_project: "Crea projectes"
361 permission_add_project: "Crea projectes"
362 permission_add_subprojects: "Crea subprojectes"
362 permission_add_subprojects: "Crea subprojectes"
363 permission_edit_project: Edita el projecte
363 permission_edit_project: Edita el projecte
364 permission_select_project_modules: Selecciona els mòduls del projecte
364 permission_select_project_modules: Selecciona els mòduls del projecte
365 permission_manage_members: Gestiona els membres
365 permission_manage_members: Gestiona els membres
366 permission_manage_project_activities: "Gestiona les activitats del projecte"
366 permission_manage_project_activities: "Gestiona les activitats del projecte"
367 permission_manage_versions: Gestiona les versions
367 permission_manage_versions: Gestiona les versions
368 permission_manage_categories: Gestiona les categories dels assumptes
368 permission_manage_categories: Gestiona les categories dels assumptes
369 permission_view_issues: "Visualitza els assumptes"
369 permission_view_issues: "Visualitza els assumptes"
370 permission_add_issues: Afegeix assumptes
370 permission_add_issues: Afegeix assumptes
371 permission_edit_issues: Edita els assumptes
371 permission_edit_issues: Edita els assumptes
372 permission_manage_issue_relations: Gestiona les relacions dels assumptes
372 permission_manage_issue_relations: Gestiona les relacions dels assumptes
373 permission_add_issue_notes: Afegeix notes
373 permission_add_issue_notes: Afegeix notes
374 permission_edit_issue_notes: Edita les notes
374 permission_edit_issue_notes: Edita les notes
375 permission_edit_own_issue_notes: Edita les notes pròpies
375 permission_edit_own_issue_notes: Edita les notes pròpies
376 permission_move_issues: Mou els assumptes
376 permission_move_issues: Mou els assumptes
377 permission_delete_issues: Suprimeix els assumptes
377 permission_delete_issues: Suprimeix els assumptes
378 permission_manage_public_queries: Gestiona les consultes públiques
378 permission_manage_public_queries: Gestiona les consultes públiques
379 permission_save_queries: Desa les consultes
379 permission_save_queries: Desa les consultes
380 permission_view_gantt: Visualitza la gràfica de Gantt
380 permission_view_gantt: Visualitza la gràfica de Gantt
381 permission_view_calendar: Visualitza el calendari
381 permission_view_calendar: Visualitza el calendari
382 permission_view_issue_watchers: Visualitza la llista de vigilàncies
382 permission_view_issue_watchers: Visualitza la llista de vigilàncies
383 permission_add_issue_watchers: Afegeix vigilàncies
383 permission_add_issue_watchers: Afegeix vigilàncies
384 permission_delete_issue_watchers: Suprimeix els vigilants
384 permission_delete_issue_watchers: Suprimeix els vigilants
385 permission_log_time: Registra el temps invertit
385 permission_log_time: Registra el temps invertit
386 permission_view_time_entries: Visualitza el temps invertit
386 permission_view_time_entries: Visualitza el temps invertit
387 permission_edit_time_entries: Edita els registres de temps
387 permission_edit_time_entries: Edita els registres de temps
388 permission_edit_own_time_entries: Edita els registres de temps propis
388 permission_edit_own_time_entries: Edita els registres de temps propis
389 permission_manage_news: Gestiona les noticies
389 permission_manage_news: Gestiona les noticies
390 permission_comment_news: Comenta les noticies
390 permission_comment_news: Comenta les noticies
391 permission_view_documents: Visualitza els documents
391 permission_view_documents: Visualitza els documents
392 permission_manage_files: Gestiona els fitxers
392 permission_manage_files: Gestiona els fitxers
393 permission_view_files: Visualitza els fitxers
393 permission_view_files: Visualitza els fitxers
394 permission_manage_wiki: Gestiona el wiki
394 permission_manage_wiki: Gestiona el wiki
395 permission_rename_wiki_pages: Canvia el nom de les pàgines wiki
395 permission_rename_wiki_pages: Canvia el nom de les pàgines wiki
396 permission_delete_wiki_pages: Suprimeix les pàgines wiki
396 permission_delete_wiki_pages: Suprimeix les pàgines wiki
397 permission_view_wiki_pages: Visualitza el wiki
397 permission_view_wiki_pages: Visualitza el wiki
398 permission_view_wiki_edits: "Visualitza l'historial del wiki"
398 permission_view_wiki_edits: "Visualitza l'historial del wiki"
399 permission_edit_wiki_pages: Edita les pàgines wiki
399 permission_edit_wiki_pages: Edita les pàgines wiki
400 permission_delete_wiki_pages_attachments: Suprimeix adjunts
400 permission_delete_wiki_pages_attachments: Suprimeix adjunts
401 permission_protect_wiki_pages: Protegeix les pàgines wiki
401 permission_protect_wiki_pages: Protegeix les pàgines wiki
402 permission_manage_repository: Gestiona el dipòsit
402 permission_manage_repository: Gestiona el dipòsit
403 permission_browse_repository: Navega pel dipòsit
403 permission_browse_repository: Navega pel dipòsit
404 permission_view_changesets: Visualitza els canvis realitzats
404 permission_view_changesets: Visualitza els canvis realitzats
405 permission_commit_access: Accés a les publicacions
405 permission_commit_access: Accés a les publicacions
406 permission_manage_boards: Gestiona els taulers
406 permission_manage_boards: Gestiona els taulers
407 permission_view_messages: Visualitza els missatges
407 permission_view_messages: Visualitza els missatges
408 permission_add_messages: Envia missatges
408 permission_add_messages: Envia missatges
409 permission_edit_messages: Edita els missatges
409 permission_edit_messages: Edita els missatges
410 permission_edit_own_messages: Edita els missatges propis
410 permission_edit_own_messages: Edita els missatges propis
411 permission_delete_messages: Suprimeix els missatges
411 permission_delete_messages: Suprimeix els missatges
412 permission_delete_own_messages: Suprimeix els missatges propis
412 permission_delete_own_messages: Suprimeix els missatges propis
413 permission_export_wiki_pages: "Exporta les pàgines wiki"
413 permission_export_wiki_pages: "Exporta les pàgines wiki"
414 permission_manage_subtasks: "Gestiona subtasques"
414 permission_manage_subtasks: "Gestiona subtasques"
415
415
416 project_module_issue_tracking: "Seguidor d'assumptes"
416 project_module_issue_tracking: "Seguidor d'assumptes"
417 project_module_time_tracking: Seguidor de temps
417 project_module_time_tracking: Seguidor de temps
418 project_module_news: Noticies
418 project_module_news: Noticies
419 project_module_documents: Documents
419 project_module_documents: Documents
420 project_module_files: Fitxers
420 project_module_files: Fitxers
421 project_module_wiki: Wiki
421 project_module_wiki: Wiki
422 project_module_repository: Dipòsit
422 project_module_repository: Dipòsit
423 project_module_boards: Taulers
423 project_module_boards: Taulers
424 project_module_calendar: Calendari
424 project_module_calendar: Calendari
425 project_module_gantt: Gantt
425 project_module_gantt: Gantt
426
426
427 label_user: Usuari
427 label_user: Usuari
428 label_user_plural: Usuaris
428 label_user_plural: Usuaris
429 label_user_new: Usuari nou
429 label_user_new: Usuari nou
430 label_user_anonymous: Anònim
430 label_user_anonymous: Anònim
431 label_project: Projecte
431 label_project: Projecte
432 label_project_new: Projecte nou
432 label_project_new: Projecte nou
433 label_project_plural: Projectes
433 label_project_plural: Projectes
434 label_x_projects:
434 label_x_projects:
435 zero: cap projecte
435 zero: cap projecte
436 one: 1 projecte
436 one: 1 projecte
437 other: "%{count} projectes"
437 other: "%{count} projectes"
438 label_project_all: Tots els projectes
438 label_project_all: Tots els projectes
439 label_project_latest: Els últims projectes
439 label_project_latest: Els últims projectes
440 label_issue: Assumpte
440 label_issue: Assumpte
441 label_issue_new: Assumpte nou
441 label_issue_new: Assumpte nou
442 label_issue_plural: Assumptes
442 label_issue_plural: Assumptes
443 label_issue_view_all: Visualitza tots els assumptes
443 label_issue_view_all: Visualitza tots els assumptes
444 label_issues_by: "Assumptes per %{value}"
444 label_issues_by: "Assumptes per %{value}"
445 label_issue_added: Assumpte afegit
445 label_issue_added: Assumpte afegit
446 label_issue_updated: Assumpte actualitzat
446 label_issue_updated: Assumpte actualitzat
447 label_document: Document
447 label_document: Document
448 label_document_new: Document nou
448 label_document_new: Document nou
449 label_document_plural: Documents
449 label_document_plural: Documents
450 label_document_added: Document afegit
450 label_document_added: Document afegit
451 label_role: Rol
451 label_role: Rol
452 label_role_plural: Rols
452 label_role_plural: Rols
453 label_role_new: Rol nou
453 label_role_new: Rol nou
454 label_role_and_permissions: Rols i permisos
454 label_role_and_permissions: Rols i permisos
455 label_member: Membre
455 label_member: Membre
456 label_member_new: Membre nou
456 label_member_new: Membre nou
457 label_member_plural: Membres
457 label_member_plural: Membres
458 label_tracker: Seguidor
458 label_tracker: Seguidor
459 label_tracker_plural: Seguidors
459 label_tracker_plural: Seguidors
460 label_tracker_new: Seguidor nou
460 label_tracker_new: Seguidor nou
461 label_workflow: Flux de treball
461 label_workflow: Flux de treball
462 label_issue_status: "Estat de l'assumpte"
462 label_issue_status: "Estat de l'assumpte"
463 label_issue_status_plural: "Estats de l'assumpte"
463 label_issue_status_plural: "Estats de l'assumpte"
464 label_issue_status_new: Estat nou
464 label_issue_status_new: Estat nou
465 label_issue_category: "Categoria de l'assumpte"
465 label_issue_category: "Categoria de l'assumpte"
466 label_issue_category_plural: "Categories de l'assumpte"
466 label_issue_category_plural: "Categories de l'assumpte"
467 label_issue_category_new: Categoria nova
467 label_issue_category_new: Categoria nova
468 label_custom_field: Camp personalitzat
468 label_custom_field: Camp personalitzat
469 label_custom_field_plural: Camps personalitzats
469 label_custom_field_plural: Camps personalitzats
470 label_custom_field_new: Camp personalitzat nou
470 label_custom_field_new: Camp personalitzat nou
471 label_enumerations: Enumeracions
471 label_enumerations: Enumeracions
472 label_enumeration_new: Valor nou
472 label_enumeration_new: Valor nou
473 label_information: Informació
473 label_information: Informació
474 label_information_plural: Informació
474 label_information_plural: Informació
475 label_please_login: Entreu
475 label_please_login: Entreu
476 label_register: Registre
476 label_register: Registre
477 label_login_with_open_id_option: "o entra amb l'OpenID"
477 label_login_with_open_id_option: "o entra amb l'OpenID"
478 label_password_lost: Contrasenya perduda
478 label_password_lost: Contrasenya perduda
479 label_home: Inici
479 label_home: Inici
480 label_my_page: La meva pàgina
480 label_my_page: La meva pàgina
481 label_my_account: El meu compte
481 label_my_account: El meu compte
482 label_my_projects: Els meus projectes
482 label_my_projects: Els meus projectes
483 label_my_page_block: "Els meus blocs de pàgina"
483 label_my_page_block: "Els meus blocs de pàgina"
484 label_administration: Administració
484 label_administration: Administració
485 label_login: Entra
485 label_login: Entra
486 label_logout: Surt
486 label_logout: Surt
487 label_help: Ajuda
487 label_help: Ajuda
488 label_reported_issues: Assumptes informats
488 label_reported_issues: Assumptes informats
489 label_assigned_to_me_issues: Assumptes assignats a mi
489 label_assigned_to_me_issues: Assumptes assignats a mi
490 label_last_login: Última connexió
490 label_last_login: Última connexió
491 label_registered_on: Informat el
491 label_registered_on: Informat el
492 label_activity: Activitat
492 label_activity: Activitat
493 label_overall_activity: Activitat global
493 label_overall_activity: Activitat global
494 label_user_activity: "Activitat de %{value}"
494 label_user_activity: "Activitat de %{value}"
495 label_new: Nou
495 label_new: Nou
496 label_logged_as: Heu entrat com a
496 label_logged_as: Heu entrat com a
497 label_environment: Entorn
497 label_environment: Entorn
498 label_authentication: Autenticació
498 label_authentication: Autenticació
499 label_auth_source: "Mode d'autenticació"
499 label_auth_source: "Mode d'autenticació"
500 label_auth_source_new: "Mode d'autenticació nou"
500 label_auth_source_new: "Mode d'autenticació nou"
501 label_auth_source_plural: "Modes d'autenticació"
501 label_auth_source_plural: "Modes d'autenticació"
502 label_subproject_plural: Subprojectes
502 label_subproject_plural: Subprojectes
503 label_subproject_new: "Subprojecte nou"
503 label_subproject_new: "Subprojecte nou"
504 label_and_its_subprojects: "%{value} i els seus subprojectes"
504 label_and_its_subprojects: "%{value} i els seus subprojectes"
505 label_min_max_length: Longitud mín - max
505 label_min_max_length: Longitud mín - max
506 label_list: Llist
506 label_list: Llist
507 label_date: Data
507 label_date: Data
508 label_integer: Enter
508 label_integer: Enter
509 label_float: Flotant
509 label_float: Flotant
510 label_boolean: Booleà
510 label_boolean: Booleà
511 label_string: Text
511 label_string: Text
512 label_text: Text llarg
512 label_text: Text llarg
513 label_attribute: Atribut
513 label_attribute: Atribut
514 label_attribute_plural: Atributs
514 label_attribute_plural: Atributs
515 label_no_data: Sense dades a mostrar
515 label_no_data: Sense dades a mostrar
516 label_change_status: "Canvia l'estat"
516 label_change_status: "Canvia l'estat"
517 label_history: Historial
517 label_history: Historial
518 label_attachment: Fitxer
518 label_attachment: Fitxer
519 label_attachment_new: Fitxer nou
519 label_attachment_new: Fitxer nou
520 label_attachment_delete: Suprimeix el fitxer
520 label_attachment_delete: Suprimeix el fitxer
521 label_attachment_plural: Fitxers
521 label_attachment_plural: Fitxers
522 label_file_added: Fitxer afegit
522 label_file_added: Fitxer afegit
523 label_report: Informe
523 label_report: Informe
524 label_report_plural: Informes
524 label_report_plural: Informes
525 label_news: Noticies
525 label_news: Noticies
526 label_news_new: Afegeix noticies
526 label_news_new: Afegeix noticies
527 label_news_plural: Noticies
527 label_news_plural: Noticies
528 label_news_latest: Últimes noticies
528 label_news_latest: Últimes noticies
529 label_news_view_all: Visualitza totes les noticies
529 label_news_view_all: Visualitza totes les noticies
530 label_news_added: Noticies afegides
530 label_news_added: Noticies afegides
531 label_settings: Paràmetres
531 label_settings: Paràmetres
532 label_overview: Resum
532 label_overview: Resum
533 label_version: Versió
533 label_version: Versió
534 label_version_new: Versió nova
534 label_version_new: Versió nova
535 label_version_plural: Versions
535 label_version_plural: Versions
536 label_close_versions: "Tanca les versions completades"
536 label_close_versions: "Tanca les versions completades"
537 label_confirmation: Confirmació
537 label_confirmation: Confirmació
538 label_export_to: "També disponible a:"
538 label_export_to: "També disponible a:"
539 label_read: Llegeix...
539 label_read: Llegeix...
540 label_public_projects: Projectes públics
540 label_public_projects: Projectes públics
541 label_open_issues: obert
541 label_open_issues: obert
542 label_open_issues_plural: oberts
542 label_open_issues_plural: oberts
543 label_closed_issues: tancat
543 label_closed_issues: tancat
544 label_closed_issues_plural: tancats
544 label_closed_issues_plural: tancats
545 label_x_open_issues_abbr:
545 label_x_open_issues_abbr:
546 zero: 0 oberts
546 zero: 0 oberts
547 one: 1 obert
547 one: 1 obert
548 other: "%{count} oberts"
548 other: "%{count} oberts"
549 label_x_closed_issues_abbr:
549 label_x_closed_issues_abbr:
550 zero: 0 tancats
550 zero: 0 tancats
551 one: 1 tancat
551 one: 1 tancat
552 other: "%{count} tancats"
552 other: "%{count} tancats"
553 label_total: Total
553 label_total: Total
554 label_permissions: Permisos
554 label_permissions: Permisos
555 label_current_status: Estat actual
555 label_current_status: Estat actual
556 label_new_statuses_allowed: Nous estats autoritzats
556 label_new_statuses_allowed: Nous estats autoritzats
557 label_all: tots
557 label_all: tots
558 label_none: cap
558 label_none: cap
559 label_nobody: ningú
559 label_nobody: ningú
560 label_next: Següent
560 label_next: Següent
561 label_previous: Anterior
561 label_previous: Anterior
562 label_used_by: Utilitzat per
562 label_used_by: Utilitzat per
563 label_details: Detalls
563 label_details: Detalls
564 label_add_note: Afegeix una nota
564 label_add_note: Afegeix una nota
565 label_calendar: Calendari
565 label_calendar: Calendari
566 label_months_from: mesos des de
566 label_months_from: mesos des de
567 label_gantt: Gantt
567 label_gantt: Gantt
568 label_internal: Intern
568 label_internal: Intern
569 label_last_changes: "últims %{count} canvis"
569 label_last_changes: "últims %{count} canvis"
570 label_change_view_all: Visualitza tots els canvis
570 label_change_view_all: Visualitza tots els canvis
571 label_personalize_page: Personalitza aquesta pàgina
571 label_personalize_page: Personalitza aquesta pàgina
572 label_comment: Comentari
572 label_comment: Comentari
573 label_comment_plural: Comentaris
573 label_comment_plural: Comentaris
574 label_x_comments:
574 label_x_comments:
575 zero: sense comentaris
575 zero: sense comentaris
576 one: 1 comentari
576 one: 1 comentari
577 other: "%{count} comentaris"
577 other: "%{count} comentaris"
578 label_comment_add: Afegeix un comentari
578 label_comment_add: Afegeix un comentari
579 label_comment_added: Comentari afegit
579 label_comment_added: Comentari afegit
580 label_comment_delete: Suprimeix comentaris
580 label_comment_delete: Suprimeix comentaris
581 label_query: Consulta personalitzada
581 label_query: Consulta personalitzada
582 label_query_plural: Consultes personalitzades
582 label_query_plural: Consultes personalitzades
583 label_query_new: Consulta nova
583 label_query_new: Consulta nova
584 label_filter_add: Afegeix un filtre
584 label_filter_add: Afegeix un filtre
585 label_filter_plural: Filtres
585 label_filter_plural: Filtres
586 label_equals: és
586 label_equals: és
587 label_not_equals: no és
587 label_not_equals: no és
588 label_in_less_than: en menys de
588 label_in_less_than: en menys de
589 label_in_more_than: en més de
589 label_in_more_than: en més de
590 label_greater_or_equal: ">="
590 label_greater_or_equal: ">="
591 label_less_or_equal: <=
591 label_less_or_equal: <=
592 label_in: en
592 label_in: en
593 label_today: avui
593 label_today: avui
594 label_all_time: tot el temps
594 label_all_time: tot el temps
595 label_yesterday: ahir
595 label_yesterday: ahir
596 label_this_week: aquesta setmana
596 label_this_week: aquesta setmana
597 label_last_week: "l'última setmana"
597 label_last_week: "l'última setmana"
598 label_last_n_days: "els últims %{count} dies"
598 label_last_n_days: "els últims %{count} dies"
599 label_this_month: aquest més
599 label_this_month: aquest més
600 label_last_month: "l'últim més"
600 label_last_month: "l'últim més"
601 label_this_year: aquest any
601 label_this_year: aquest any
602 label_date_range: Abast de les dates
602 label_date_range: Abast de les dates
603 label_less_than_ago: fa menys de
603 label_less_than_ago: fa menys de
604 label_more_than_ago: fa més de
604 label_more_than_ago: fa més de
605 label_ago: fa
605 label_ago: fa
606 label_contains: conté
606 label_contains: conté
607 label_not_contains: no conté
607 label_not_contains: no conté
608 label_day_plural: dies
608 label_day_plural: dies
609 label_repository: Dipòsit
609 label_repository: Dipòsit
610 label_repository_plural: Dipòsits
610 label_repository_plural: Dipòsits
611 label_browse: Navega
611 label_browse: Navega
612 label_branch: Branca
612 label_branch: Branca
613 label_tag: Etiqueta
613 label_tag: Etiqueta
614 label_revision: Revisió
614 label_revision: Revisió
615 label_revision_plural: Revisions
615 label_revision_plural: Revisions
616 label_revision_id: "Revisió %{value}"
616 label_revision_id: "Revisió %{value}"
617 label_associated_revisions: Revisions associades
617 label_associated_revisions: Revisions associades
618 label_added: afegit
618 label_added: afegit
619 label_modified: modificat
619 label_modified: modificat
620 label_copied: copiat
620 label_copied: copiat
621 label_renamed: reanomenat
621 label_renamed: reanomenat
622 label_deleted: suprimit
622 label_deleted: suprimit
623 label_latest_revision: Última revisió
623 label_latest_revision: Última revisió
624 label_latest_revision_plural: Últimes revisions
624 label_latest_revision_plural: Últimes revisions
625 label_view_revisions: Visualitza les revisions
625 label_view_revisions: Visualitza les revisions
626 label_view_all_revisions: "Visualitza totes les revisions"
626 label_view_all_revisions: "Visualitza totes les revisions"
627 label_max_size: Mida màxima
627 label_max_size: Mida màxima
628 label_sort_highest: Mou a la part superior
628 label_sort_highest: Mou a la part superior
629 label_sort_higher: Mou cap amunt
629 label_sort_higher: Mou cap amunt
630 label_sort_lower: Mou cap avall
630 label_sort_lower: Mou cap avall
631 label_sort_lowest: Mou a la part inferior
631 label_sort_lowest: Mou a la part inferior
632 label_roadmap: Planificació
632 label_roadmap: Planificació
633 label_roadmap_due_in: "Venç en %{value}"
633 label_roadmap_due_in: "Venç en %{value}"
634 label_roadmap_overdue: "%{value} tard"
634 label_roadmap_overdue: "%{value} tard"
635 label_roadmap_no_issues: No hi ha assumptes per a aquesta versió
635 label_roadmap_no_issues: No hi ha assumptes per a aquesta versió
636 label_search: Cerca
636 label_search: Cerca
637 label_result_plural: Resultats
637 label_result_plural: Resultats
638 label_all_words: Totes les paraules
638 label_all_words: Totes les paraules
639 label_wiki: Wiki
639 label_wiki: Wiki
640 label_wiki_edit: Edició wiki
640 label_wiki_edit: Edició wiki
641 label_wiki_edit_plural: Edicions wiki
641 label_wiki_edit_plural: Edicions wiki
642 label_wiki_page: Pàgina wiki
642 label_wiki_page: Pàgina wiki
643 label_wiki_page_plural: Pàgines wiki
643 label_wiki_page_plural: Pàgines wiki
644 label_index_by_title: Índex per títol
644 label_index_by_title: Índex per títol
645 label_index_by_date: Índex per data
645 label_index_by_date: Índex per data
646 label_current_version: Versió actual
646 label_current_version: Versió actual
647 label_preview: Previsualització
647 label_preview: Previsualització
648 label_feed_plural: Canals
648 label_feed_plural: Canals
649 label_changes_details: Detalls de tots els canvis
649 label_changes_details: Detalls de tots els canvis
650 label_issue_tracking: "Seguiment d'assumptes"
650 label_issue_tracking: "Seguiment d'assumptes"
651 label_spent_time: Temps invertit
651 label_spent_time: Temps invertit
652 label_overall_spent_time: "Temps total invertit"
652 label_overall_spent_time: "Temps total invertit"
653 label_f_hour: "%{value} hora"
653 label_f_hour: "%{value} hora"
654 label_f_hour_plural: "%{value} hores"
654 label_f_hour_plural: "%{value} hores"
655 label_time_tracking: Temps de seguiment
655 label_time_tracking: Temps de seguiment
656 label_change_plural: Canvis
656 label_change_plural: Canvis
657 label_statistics: Estadístiques
657 label_statistics: Estadístiques
658 label_commits_per_month: Publicacions per mes
658 label_commits_per_month: Publicacions per mes
659 label_commits_per_author: Publicacions per autor
659 label_commits_per_author: Publicacions per autor
660 label_view_diff: Visualitza les diferències
660 label_view_diff: Visualitza les diferències
661 label_diff_inline: en línia
661 label_diff_inline: en línia
662 label_diff_side_by_side: costat per costat
662 label_diff_side_by_side: costat per costat
663 label_options: Opcions
663 label_options: Opcions
664 label_copy_workflow_from: Copia el flux de treball des de
664 label_copy_workflow_from: Copia el flux de treball des de
665 label_permissions_report: Informe de permisos
665 label_permissions_report: Informe de permisos
666 label_watched_issues: Assumptes vigilats
666 label_watched_issues: Assumptes vigilats
667 label_related_issues: Assumptes relacionats
667 label_related_issues: Assumptes relacionats
668 label_applied_status: Estat aplicat
668 label_applied_status: Estat aplicat
669 label_loading: "S'està carregant..."
669 label_loading: "S'està carregant..."
670 label_relation_new: Relació nova
670 label_relation_new: Relació nova
671 label_relation_delete: Suprimeix la relació
671 label_relation_delete: Suprimeix la relació
672 label_relates_to: relacionat amb
672 label_relates_to: relacionat amb
673 label_duplicates: duplicats
673 label_duplicates: duplicats
674 label_duplicated_by: duplicat per
674 label_duplicated_by: duplicat per
675 label_blocks: bloqueja
675 label_blocks: bloqueja
676 label_blocked_by: bloquejats per
676 label_blocked_by: bloquejats per
677 label_precedes: anterior a
677 label_precedes: anterior a
678 label_follows: posterior a
678 label_follows: posterior a
679 label_stay_logged_in: "Manté l'entrada"
679 label_stay_logged_in: "Manté l'entrada"
680 label_disabled: inhabilitat
680 label_disabled: inhabilitat
681 label_show_completed_versions: Mostra les versions completes
681 label_show_completed_versions: Mostra les versions completes
682 label_me: jo mateix
682 label_me: jo mateix
683 label_board: Fòrum
683 label_board: Fòrum
684 label_board_new: Fòrum nou
684 label_board_new: Fòrum nou
685 label_board_plural: Fòrums
685 label_board_plural: Fòrums
686 label_board_locked: Bloquejat
686 label_board_locked: Bloquejat
687 label_board_sticky: Sticky
687 label_board_sticky: Sticky
688 label_topic_plural: Temes
688 label_topic_plural: Temes
689 label_message_plural: Missatges
689 label_message_plural: Missatges
690 label_message_last: Últim missatge
690 label_message_last: Últim missatge
691 label_message_new: Missatge nou
691 label_message_new: Missatge nou
692 label_message_posted: Missatge afegit
692 label_message_posted: Missatge afegit
693 label_reply_plural: Respostes
693 label_reply_plural: Respostes
694 label_send_information: "Envia la informació del compte a l'usuari"
694 label_send_information: "Envia la informació del compte a l'usuari"
695 label_year: Any
695 label_year: Any
696 label_month: Mes
696 label_month: Mes
697 label_week: Setmana
697 label_week: Setmana
698 label_date_from: Des de
698 label_date_from: Des de
699 label_date_to: A
699 label_date_to: A
700 label_language_based: "Basat en l'idioma de l'usuari"
700 label_language_based: "Basat en l'idioma de l'usuari"
701 label_sort_by: "Ordena per %{value}"
701 label_sort_by: "Ordena per %{value}"
702 label_send_test_email: Envia un correu electrònic de prova
702 label_send_test_email: Envia un correu electrònic de prova
703 label_feeds_access_key: "Clau d'accés del Atom"
703 label_feeds_access_key: "Clau d'accés del Atom"
704 label_missing_feeds_access_key: "Falta una clau d'accés del Atom"
704 label_missing_feeds_access_key: "Falta una clau d'accés del Atom"
705 label_feeds_access_key_created_on: "Clau d'accés del Atom creada fa %{value}"
705 label_feeds_access_key_created_on: "Clau d'accés del Atom creada fa %{value}"
706 label_module_plural: Mòduls
706 label_module_plural: Mòduls
707 label_added_time_by: "Afegit per %{author} fa %{age}"
707 label_added_time_by: "Afegit per %{author} fa %{age}"
708 label_updated_time_by: "Actualitzat per %{author} fa %{age}"
708 label_updated_time_by: "Actualitzat per %{author} fa %{age}"
709 label_updated_time: "Actualitzat fa %{value}"
709 label_updated_time: "Actualitzat fa %{value}"
710 label_jump_to_a_project: Salta al projecte...
710 label_jump_to_a_project: Salta al projecte...
711 label_file_plural: Fitxers
711 label_file_plural: Fitxers
712 label_changeset_plural: Conjunt de canvis
712 label_changeset_plural: Conjunt de canvis
713 label_default_columns: Columnes predeterminades
713 label_default_columns: Columnes predeterminades
714 label_no_change_option: (sense canvis)
714 label_no_change_option: (sense canvis)
715 label_bulk_edit_selected_issues: Edita en bloc els assumptes seleccionats
715 label_bulk_edit_selected_issues: Edita en bloc els assumptes seleccionats
716 label_theme: Tema
716 label_theme: Tema
717 label_default: Predeterminat
717 label_default: Predeterminat
718 label_search_titles_only: Cerca només en els títols
718 label_search_titles_only: Cerca només en els títols
719 label_user_mail_option_all: "Per qualsevol esdeveniment en tots els meus projectes"
719 label_user_mail_option_all: "Per qualsevol esdeveniment en tots els meus projectes"
720 label_user_mail_option_selected: "Per qualsevol esdeveniment en els projectes seleccionats..."
720 label_user_mail_option_selected: "Per qualsevol esdeveniment en els projectes seleccionats..."
721 label_user_mail_no_self_notified: "No vull ser notificat pels canvis que faig jo mateix"
721 label_user_mail_no_self_notified: "No vull ser notificat pels canvis que faig jo mateix"
722 label_registration_activation_by_email: activació del compte per correu electrònic
722 label_registration_activation_by_email: activació del compte per correu electrònic
723 label_registration_manual_activation: activació del compte manual
723 label_registration_manual_activation: activació del compte manual
724 label_registration_automatic_activation: activació del compte automàtica
724 label_registration_automatic_activation: activació del compte automàtica
725 label_display_per_page: "Per pàgina: %{value}"
725 label_display_per_page: "Per pàgina: %{value}"
726 label_age: Edat
726 label_age: Edat
727 label_change_properties: Canvia les propietats
727 label_change_properties: Canvia les propietats
728 label_general: General
728 label_general: General
729 label_more: Més
729 label_more: Més
730 label_scm: SCM
730 label_scm: SCM
731 label_plugins: Connectors
731 label_plugins: Connectors
732 label_ldap_authentication: Autenticació LDAP
732 label_ldap_authentication: Autenticació LDAP
733 label_downloads_abbr: Baixades
733 label_downloads_abbr: Baixades
734 label_optional_description: Descripció opcional
734 label_optional_description: Descripció opcional
735 label_add_another_file: Afegeix un altre fitxer
735 label_add_another_file: Afegeix un altre fitxer
736 label_preferences: Preferències
736 label_preferences: Preferències
737 label_chronological_order: En ordre cronològic
737 label_chronological_order: En ordre cronològic
738 label_reverse_chronological_order: En ordre cronològic invers
738 label_reverse_chronological_order: En ordre cronològic invers
739 label_planning: Planificació
739 label_planning: Planificació
740 label_incoming_emails: "Correu electrònics d'entrada"
740 label_incoming_emails: "Correu electrònics d'entrada"
741 label_generate_key: Genera una clau
741 label_generate_key: Genera una clau
742 label_issue_watchers: Vigilàncies
742 label_issue_watchers: Vigilàncies
743 label_example: Exemple
743 label_example: Exemple
744 label_display: Mostra
744 label_display: Mostra
745 label_sort: Ordena
745 label_sort: Ordena
746 label_ascending: Ascendent
746 label_ascending: Ascendent
747 label_descending: Descendent
747 label_descending: Descendent
748 label_date_from_to: Des de %{start} a %{end}
748 label_date_from_to: Des de %{start} a %{end}
749 label_wiki_content_added: "S'ha afegit la pàgina wiki"
749 label_wiki_content_added: "S'ha afegit la pàgina wiki"
750 label_wiki_content_updated: "S'ha actualitzat la pàgina wiki"
750 label_wiki_content_updated: "S'ha actualitzat la pàgina wiki"
751 label_group: Grup
751 label_group: Grup
752 label_group_plural: Grups
752 label_group_plural: Grups
753 label_group_new: Grup nou
753 label_group_new: Grup nou
754 label_time_entry_plural: Temps invertit
754 label_time_entry_plural: Temps invertit
755 label_version_sharing_hierarchy: "Amb la jerarquia del projecte"
755 label_version_sharing_hierarchy: "Amb la jerarquia del projecte"
756 label_version_sharing_system: "Amb tots els projectes"
756 label_version_sharing_system: "Amb tots els projectes"
757 label_version_sharing_descendants: "Amb tots els subprojectes"
757 label_version_sharing_descendants: "Amb tots els subprojectes"
758 label_version_sharing_tree: "Amb l'arbre del projecte"
758 label_version_sharing_tree: "Amb l'arbre del projecte"
759 label_version_sharing_none: "Sense compartir"
759 label_version_sharing_none: "Sense compartir"
760 label_update_issue_done_ratios: "Actualitza el tant per cent dels assumptes realitzats"
760 label_update_issue_done_ratios: "Actualitza el tant per cent dels assumptes realitzats"
761 label_copy_source: Font
761 label_copy_source: Font
762 label_copy_target: Objectiu
762 label_copy_target: Objectiu
763 label_copy_same_as_target: "El mateix que l'objectiu"
763 label_copy_same_as_target: "El mateix que l'objectiu"
764 label_display_used_statuses_only: "Mostra només els estats que utilitza aquest seguidor"
764 label_display_used_statuses_only: "Mostra només els estats que utilitza aquest seguidor"
765 label_api_access_key: "Clau d'accés a l'API"
765 label_api_access_key: "Clau d'accés a l'API"
766 label_missing_api_access_key: "Falta una clau d'accés de l'API"
766 label_missing_api_access_key: "Falta una clau d'accés de l'API"
767 label_api_access_key_created_on: "Clau d'accés de l'API creada fa %{value}"
767 label_api_access_key_created_on: "Clau d'accés de l'API creada fa %{value}"
768 label_profile: Perfil
768 label_profile: Perfil
769 label_subtask_plural: Subtasques
769 label_subtask_plural: Subtasques
770 label_project_copy_notifications: "Envia notificacions de correu electrònic durant la còpia del projecte"
770 label_project_copy_notifications: "Envia notificacions de correu electrònic durant la còpia del projecte"
771
771
772 button_login: Entra
772 button_login: Entra
773 button_submit: Tramet
773 button_submit: Tramet
774 button_save: Desa
774 button_save: Desa
775 button_check_all: Activa-ho tot
775 button_check_all: Activa-ho tot
776 button_uncheck_all: Desactiva-ho tot
776 button_uncheck_all: Desactiva-ho tot
777 button_delete: Suprimeix
777 button_delete: Suprimeix
778 button_create: Crea
778 button_create: Crea
779 button_create_and_continue: Crea i continua
779 button_create_and_continue: Crea i continua
780 button_test: Test
780 button_test: Test
781 button_edit: Edit
781 button_edit: Edit
782 button_add: Afegeix
782 button_add: Afegeix
783 button_change: Canvia
783 button_change: Canvia
784 button_apply: Aplica
784 button_apply: Aplica
785 button_clear: Neteja
785 button_clear: Neteja
786 button_lock: Bloca
786 button_lock: Bloca
787 button_unlock: Desbloca
787 button_unlock: Desbloca
788 button_download: Baixa
788 button_download: Baixa
789 button_list: Llista
789 button_list: Llista
790 button_view: Visualitza
790 button_view: Visualitza
791 button_move: Mou
791 button_move: Mou
792 button_move_and_follow: "Mou i segueix"
792 button_move_and_follow: "Mou i segueix"
793 button_back: Enrere
793 button_back: Enrere
794 button_cancel: Cancel·la
794 button_cancel: Cancel·la
795 button_activate: Activa
795 button_activate: Activa
796 button_sort: Ordena
796 button_sort: Ordena
797 button_log_time: "Registre de temps"
797 button_log_time: "Registre de temps"
798 button_rollback: Torna a aquesta versió
798 button_rollback: Torna a aquesta versió
799 button_watch: Vigila
799 button_watch: Vigila
800 button_unwatch: No vigilis
800 button_unwatch: No vigilis
801 button_reply: Resposta
801 button_reply: Resposta
802 button_archive: Arxiva
802 button_archive: Arxiva
803 button_unarchive: Desarxiva
803 button_unarchive: Desarxiva
804 button_reset: Reinicia
804 button_reset: Reinicia
805 button_rename: Reanomena
805 button_rename: Reanomena
806 button_change_password: Canvia la contrasenya
806 button_change_password: Canvia la contrasenya
807 button_copy: Copia
807 button_copy: Copia
808 button_copy_and_follow: "Copia i segueix"
808 button_copy_and_follow: "Copia i segueix"
809 button_annotate: Anota
809 button_annotate: Anota
810 button_update: Actualitza
810 button_update: Actualitza
811 button_configure: Configura
811 button_configure: Configura
812 button_quote: Cita
812 button_quote: Cita
813 button_duplicate: Duplica
813 button_duplicate: Duplica
814 button_show: Mostra
814 button_show: Mostra
815
815
816 status_active: actiu
816 status_active: actiu
817 status_registered: informat
817 status_registered: informat
818 status_locked: bloquejat
818 status_locked: bloquejat
819
819
820 version_status_open: oberta
820 version_status_open: oberta
821 version_status_locked: bloquejada
821 version_status_locked: bloquejada
822 version_status_closed: tancada
822 version_status_closed: tancada
823
823
824 field_active: Actiu
824 field_active: Actiu
825
825
826 text_select_mail_notifications: "Seleccioneu les accions per les quals s'hauria d'enviar una notificació per correu electrònic."
826 text_select_mail_notifications: "Seleccioneu les accions per les quals s'hauria d'enviar una notificació per correu electrònic."
827 text_regexp_info: ex. ^[A-Z0-9]+$
827 text_regexp_info: ex. ^[A-Z0-9]+$
828 text_min_max_length_info: 0 significa sense restricció
828 text_min_max_length_info: 0 significa sense restricció
829 text_project_destroy_confirmation: Segur que voleu suprimir aquest projecte i les dades relacionades?
829 text_project_destroy_confirmation: Segur que voleu suprimir aquest projecte i les dades relacionades?
830 text_subprojects_destroy_warning: "També seran suprimits els seus subprojectes: %{value}."
830 text_subprojects_destroy_warning: "També seran suprimits els seus subprojectes: %{value}."
831 text_workflow_edit: Seleccioneu un rol i un seguidor per a editar el flux de treball
831 text_workflow_edit: Seleccioneu un rol i un seguidor per a editar el flux de treball
832 text_are_you_sure: Segur?
832 text_are_you_sure: Segur?
833 text_journal_changed: "%{label} ha canviat de %{old} a %{new}"
833 text_journal_changed: "%{label} ha canviat de %{old} a %{new}"
834 text_journal_set_to: "%{label} s'ha establert a %{value}"
834 text_journal_set_to: "%{label} s'ha establert a %{value}"
835 text_journal_deleted: "%{label} s'ha suprimit (%{old})"
835 text_journal_deleted: "%{label} s'ha suprimit (%{old})"
836 text_journal_added: "S'ha afegit %{label} %{value}"
836 text_journal_added: "S'ha afegit %{label} %{value}"
837 text_tip_issue_begin_day: "tasca que s'inicia aquest dia"
837 text_tip_issue_begin_day: "tasca que s'inicia aquest dia"
838 text_tip_issue_end_day: tasca que finalitza aquest dia
838 text_tip_issue_end_day: tasca que finalitza aquest dia
839 text_tip_issue_begin_end_day: "tasca que s'inicia i finalitza aquest dia"
839 text_tip_issue_begin_end_day: "tasca que s'inicia i finalitza aquest dia"
840 text_caracters_maximum: "%{count} caràcters com a màxim."
840 text_caracters_maximum: "%{count} caràcters com a màxim."
841 text_caracters_minimum: "Com a mínim ha de tenir %{count} caràcters."
841 text_caracters_minimum: "Com a mínim ha de tenir %{count} caràcters."
842 text_length_between: "Longitud entre %{min} i %{max} caràcters."
842 text_length_between: "Longitud entre %{min} i %{max} caràcters."
843 text_tracker_no_workflow: "No s'ha definit cap flux de treball per a aquest seguidor"
843 text_tracker_no_workflow: "No s'ha definit cap flux de treball per a aquest seguidor"
844 text_unallowed_characters: Caràcters no permesos
844 text_unallowed_characters: Caràcters no permesos
845 text_comma_separated: Es permeten valors múltiples (separats per una coma).
845 text_comma_separated: Es permeten valors múltiples (separats per una coma).
846 text_line_separated: "Es permeten diversos valors (una línia per cada valor)."
846 text_line_separated: "Es permeten diversos valors (una línia per cada valor)."
847 text_issues_ref_in_commit_messages: Referència i soluciona els assumptes en els missatges publicats
847 text_issues_ref_in_commit_messages: Referència i soluciona els assumptes en els missatges publicats
848 text_issue_added: "L'assumpte %{id} ha sigut informat per %{author}."
848 text_issue_added: "L'assumpte %{id} ha sigut informat per %{author}."
849 text_issue_updated: "L'assumpte %{id} ha sigut actualitzat per %{author}."
849 text_issue_updated: "L'assumpte %{id} ha sigut actualitzat per %{author}."
850 text_wiki_destroy_confirmation: Segur que voleu suprimir aquest wiki i tots els seus continguts?
850 text_wiki_destroy_confirmation: Segur que voleu suprimir aquest wiki i tots els seus continguts?
851 text_issue_category_destroy_question: "Alguns assumptes (%{count}) estan assignats a aquesta categoria. Què voleu fer?"
851 text_issue_category_destroy_question: "Alguns assumptes (%{count}) estan assignats a aquesta categoria. Què voleu fer?"
852 text_issue_category_destroy_assignments: Suprimeix les assignacions de la categoria
852 text_issue_category_destroy_assignments: Suprimeix les assignacions de la categoria
853 text_issue_category_reassign_to: Torna a assignar els assumptes a aquesta categoria
853 text_issue_category_reassign_to: Torna a assignar els assumptes a aquesta categoria
854 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)."
854 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)."
855 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."
855 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."
856 text_load_default_configuration: Carrega la configuració predeterminada
856 text_load_default_configuration: Carrega la configuració predeterminada
857 text_status_changed_by_changeset: "Aplicat en el conjunt de canvis %{value}."
857 text_status_changed_by_changeset: "Aplicat en el conjunt de canvis %{value}."
858 text_issues_destroy_confirmation: "Segur que voleu suprimir els assumptes seleccionats?"
858 text_issues_destroy_confirmation: "Segur que voleu suprimir els assumptes seleccionats?"
859 text_select_project_modules: "Seleccioneu els mòduls a habilitar per a aquest projecte:"
859 text_select_project_modules: "Seleccioneu els mòduls a habilitar per a aquest projecte:"
860 text_default_administrator_account_changed: "S'ha canviat el compte d'administrador predeterminat"
860 text_default_administrator_account_changed: "S'ha canviat el compte d'administrador predeterminat"
861 text_file_repository_writable: Es pot escriure en el dipòsit de fitxers
861 text_file_repository_writable: Es pot escriure en el dipòsit de fitxers
862 text_plugin_assets_writable: Es pot escriure als connectors actius
862 text_plugin_assets_writable: Es pot escriure als connectors actius
863 text_rmagick_available: RMagick disponible (opcional)
863 text_rmagick_available: RMagick disponible (opcional)
864 text_destroy_time_entries_question: "S'han informat %{hours} hores en els assumptes que aneu a suprimir. Què voleu fer?"
864 text_destroy_time_entries_question: "S'han informat %{hours} hores en els assumptes que aneu a suprimir. Què voleu fer?"
865 text_destroy_time_entries: Suprimeix les hores informades
865 text_destroy_time_entries: Suprimeix les hores informades
866 text_assign_time_entries_to_project: Assigna les hores informades al projecte
866 text_assign_time_entries_to_project: Assigna les hores informades al projecte
867 text_reassign_time_entries: "Torna a assignar les hores informades a aquest assumpte:"
867 text_reassign_time_entries: "Torna a assignar les hores informades a aquest assumpte:"
868 text_user_wrote: "%{value} va escriure:"
868 text_user_wrote: "%{value} va escriure:"
869 text_enumeration_destroy_question: "%{count} objectes estan assignats a aquest valor."
869 text_enumeration_destroy_question: "%{count} objectes estan assignats a aquest valor."
870 text_enumeration_category_reassign_to: "Torna a assignar-los a aquest valor:"
870 text_enumeration_category_reassign_to: "Torna a assignar-los a aquest valor:"
871 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/configuration.yml i reinicieu l'aplicació per habilitar-lo."
871 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/configuration.yml i reinicieu l'aplicació per habilitar-lo."
872 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."
872 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."
873 text_diff_truncated: "... Aquestes diferències s'han trucat perquè excedeixen la mida màxima que es pot mostrar."
873 text_diff_truncated: "... Aquestes diferències s'han trucat perquè excedeixen la mida màxima que es pot mostrar."
874 text_custom_field_possible_values_info: "Una línia per a cada valor"
874 text_custom_field_possible_values_info: "Una línia per a cada valor"
875 text_wiki_page_destroy_question: "Aquesta pàgina %{descendants} pàgines fill i descendents. Què voleu fer?"
875 text_wiki_page_destroy_question: "Aquesta pàgina %{descendants} pàgines fill i descendents. Què voleu fer?"
876 text_wiki_page_nullify_children: "Deixa les pàgines fill com a pàgines arrel"
876 text_wiki_page_nullify_children: "Deixa les pàgines fill com a pàgines arrel"
877 text_wiki_page_destroy_children: "Suprimeix les pàgines fill i tots els seus descendents"
877 text_wiki_page_destroy_children: "Suprimeix les pàgines fill i tots els seus descendents"
878 text_wiki_page_reassign_children: "Reasigna les pàgines fill a aquesta pàgina pare"
878 text_wiki_page_reassign_children: "Reasigna les pàgines fill a aquesta pàgina pare"
879 text_own_membership_delete_confirmation: "Esteu a punt de suprimir algun o tots els vostres permisos i potser no podreu editar més aquest projecte.\nSegur que voleu continuar?"
879 text_own_membership_delete_confirmation: "Esteu a punt de suprimir algun o tots els vostres permisos i potser no podreu editar més aquest projecte.\nSegur que voleu continuar?"
880 text_zoom_in: Redueix
880 text_zoom_in: Redueix
881 text_zoom_out: Amplia
881 text_zoom_out: Amplia
882
882
883 default_role_manager: Gestor
883 default_role_manager: Gestor
884 default_role_developer: Desenvolupador
884 default_role_developer: Desenvolupador
885 default_role_reporter: Informador
885 default_role_reporter: Informador
886 default_tracker_bug: Error
886 default_tracker_bug: Error
887 default_tracker_feature: Característica
887 default_tracker_feature: Característica
888 default_tracker_support: Suport
888 default_tracker_support: Suport
889 default_issue_status_new: Nou
889 default_issue_status_new: Nou
890 default_issue_status_in_progress: In Progress
890 default_issue_status_in_progress: In Progress
891 default_issue_status_resolved: Resolt
891 default_issue_status_resolved: Resolt
892 default_issue_status_feedback: Comentaris
892 default_issue_status_feedback: Comentaris
893 default_issue_status_closed: Tancat
893 default_issue_status_closed: Tancat
894 default_issue_status_rejected: Rebutjat
894 default_issue_status_rejected: Rebutjat
895 default_doc_category_user: "Documentació d'usuari"
895 default_doc_category_user: "Documentació d'usuari"
896 default_doc_category_tech: Documentació tècnica
896 default_doc_category_tech: Documentació tècnica
897 default_priority_low: Baixa
897 default_priority_low: Baixa
898 default_priority_normal: Normal
898 default_priority_normal: Normal
899 default_priority_high: Alta
899 default_priority_high: Alta
900 default_priority_urgent: Urgent
900 default_priority_urgent: Urgent
901 default_priority_immediate: Immediata
901 default_priority_immediate: Immediata
902 default_activity_design: Disseny
902 default_activity_design: Disseny
903 default_activity_development: Desenvolupament
903 default_activity_development: Desenvolupament
904
904
905 enumeration_issue_priorities: Prioritat dels assumptes
905 enumeration_issue_priorities: Prioritat dels assumptes
906 enumeration_doc_categories: Categories del document
906 enumeration_doc_categories: Categories del document
907 enumeration_activities: Activitats (seguidor de temps)
907 enumeration_activities: Activitats (seguidor de temps)
908 enumeration_system_activity: Activitat del sistema
908 enumeration_system_activity: Activitat del sistema
909
909
910 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
910 button_edit_associated_wikipage: "Edit associated Wiki page: %{page_title}"
911 field_text: Text field
911 field_text: Text field
912 label_user_mail_option_only_owner: Only for things I am the owner of
912 label_user_mail_option_only_owner: Only for things I am the owner of
913 setting_default_notification_option: Default notification option
913 setting_default_notification_option: Default notification option
914 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
914 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
915 label_user_mail_option_only_assigned: Only for things I am assigned to
915 label_user_mail_option_only_assigned: Only for things I am assigned to
916 label_user_mail_option_none: No events
916 label_user_mail_option_none: No events
917 field_member_of_group: Assignee's group
917 field_member_of_group: Assignee's group
918 field_assigned_to_role: Assignee's role
918 field_assigned_to_role: Assignee's role
919 notice_not_authorized_archived_project: The project you're trying to access has been archived.
919 notice_not_authorized_archived_project: The project you're trying to access has been archived.
920 label_principal_search: "Search for user or group:"
920 label_principal_search: "Search for user or group:"
921 label_user_search: "Search for user:"
921 label_user_search: "Search for user:"
922 field_visible: Visible
922 field_visible: Visible
923 setting_commit_logtime_activity_id: Activity for logged time
923 setting_commit_logtime_activity_id: Activity for logged time
924 text_time_logged_by_changeset: Applied in changeset %{value}.
924 text_time_logged_by_changeset: Applied in changeset %{value}.
925 setting_commit_logtime_enabled: Enable time logging
925 setting_commit_logtime_enabled: Enable time logging
926 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
926 notice_gantt_chart_truncated: The chart was truncated because it exceeds the maximum number of items that can be displayed (%{max})
927 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
927 setting_gantt_items_limit: Maximum number of items displayed on the gantt chart
928 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
928 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
929 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
929 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
930 label_my_queries: My custom queries
930 label_my_queries: My custom queries
931 text_journal_changed_no_detail: "%{label} updated"
931 text_journal_changed_no_detail: "%{label} updated"
932 label_news_comment_added: Comment added to a news
932 label_news_comment_added: Comment added to a news
933 button_expand_all: Expand all
933 button_expand_all: Expand all
934 button_collapse_all: Collapse all
934 button_collapse_all: Collapse all
935 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
935 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
936 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
936 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
937 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
937 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
938 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
938 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
939 label_role_anonymous: Anonymous
939 label_role_anonymous: Anonymous
940 label_role_non_member: Non member
940 label_role_non_member: Non member
941 label_issue_note_added: Note added
941 label_issue_note_added: Note added
942 label_issue_status_updated: Status updated
942 label_issue_status_updated: Status updated
943 label_issue_priority_updated: Priority updated
943 label_issue_priority_updated: Priority updated
944 label_issues_visibility_own: Issues created by or assigned to the user
944 label_issues_visibility_own: Issues created by or assigned to the user
945 field_issues_visibility: Issues visibility
945 field_issues_visibility: Issues visibility
946 label_issues_visibility_all: All issues
946 label_issues_visibility_all: All issues
947 permission_set_own_issues_private: Set own issues public or private
947 permission_set_own_issues_private: Set own issues public or private
948 field_is_private: Private
948 field_is_private: Private
949 permission_set_issues_private: Set issues public or private
949 permission_set_issues_private: Set issues public or private
950 label_issues_visibility_public: All non private issues
950 label_issues_visibility_public: All non private issues
951 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
951 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
952 field_commit_logs_encoding: Codificació dels missatges publicats
952 field_commit_logs_encoding: Codificació dels missatges publicats
953 field_scm_path_encoding: Path encoding
953 field_scm_path_encoding: Path encoding
954 text_scm_path_encoding_note: "Default: UTF-8"
954 text_scm_path_encoding_note: "Default: UTF-8"
955 field_path_to_repository: Path to repository
955 field_path_to_repository: Path to repository
956 field_root_directory: Root directory
956 field_root_directory: Root directory
957 field_cvs_module: Module
957 field_cvs_module: Module
958 field_cvsroot: CVSROOT
958 field_cvsroot: CVSROOT
959 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
959 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
960 text_scm_command: Command
960 text_scm_command: Command
961 text_scm_command_version: Version
961 text_scm_command_version: Version
962 label_git_report_last_commit: Report last commit for files and directories
962 label_git_report_last_commit: Report last commit for files and directories
963 notice_issue_successful_create: Issue %{id} created.
963 notice_issue_successful_create: Issue %{id} created.
964 label_between: between
964 label_between: between
965 setting_issue_group_assignment: Allow issue assignment to groups
965 setting_issue_group_assignment: Allow issue assignment to groups
966 label_diff: diff
966 label_diff: diff
967 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
967 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
968 description_query_sort_criteria_direction: Sort direction
968 description_query_sort_criteria_direction: Sort direction
969 description_project_scope: Search scope
969 description_project_scope: Search scope
970 description_filter: Filter
970 description_filter: Filter
971 description_user_mail_notification: Mail notification settings
971 description_user_mail_notification: Mail notification settings
972 description_date_from: Enter start date
972 description_date_from: Enter start date
973 description_message_content: Message content
973 description_message_content: Message content
974 description_available_columns: Available Columns
974 description_available_columns: Available Columns
975 description_date_range_interval: Choose range by selecting start and end date
975 description_date_range_interval: Choose range by selecting start and end date
976 description_issue_category_reassign: Choose issue category
976 description_issue_category_reassign: Choose issue category
977 description_search: Searchfield
977 description_search: Searchfield
978 description_notes: Notes
978 description_notes: Notes
979 description_date_range_list: Choose range from list
979 description_date_range_list: Choose range from list
980 description_choose_project: Projects
980 description_choose_project: Projects
981 description_date_to: Enter end date
981 description_date_to: Enter end date
982 description_query_sort_criteria_attribute: Sort attribute
982 description_query_sort_criteria_attribute: Sort attribute
983 description_wiki_subpages_reassign: Choose new parent page
983 description_wiki_subpages_reassign: Choose new parent page
984 description_selected_columns: Selected Columns
984 description_selected_columns: Selected Columns
985 label_parent_revision: Parent
985 label_parent_revision: Parent
986 label_child_revision: Child
986 label_child_revision: Child
987 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
987 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
988 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
988 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
989 button_edit_section: Edit this section
989 button_edit_section: Edit this section
990 setting_repositories_encodings: Attachments and repositories encodings
990 setting_repositories_encodings: Attachments and repositories encodings
991 description_all_columns: All Columns
991 description_all_columns: All Columns
992 button_export: Export
992 button_export: Export
993 label_export_options: "%{export_format} export options"
993 label_export_options: "%{export_format} export options"
994 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
994 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
995 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
995 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
996 label_x_issues:
996 label_x_issues:
997 zero: 0 assumpte
997 zero: 0 assumpte
998 one: 1 assumpte
998 one: 1 assumpte
999 other: "%{count} assumptes"
999 other: "%{count} assumptes"
1000 label_repository_new: New repository
1000 label_repository_new: New repository
1001 field_repository_is_default: Main repository
1001 field_repository_is_default: Main repository
1002 label_copy_attachments: Copy attachments
1002 label_copy_attachments: Copy attachments
1003 label_item_position: "%{position}/%{count}"
1003 label_item_position: "%{position}/%{count}"
1004 label_completed_versions: Completed versions
1004 label_completed_versions: Completed versions
1005 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1005 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1006 field_multiple: Multiple values
1006 field_multiple: Multiple values
1007 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1007 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1008 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1008 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1009 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1009 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1010 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1010 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1011 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1011 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1012 permission_manage_related_issues: Manage related issues
1012 permission_manage_related_issues: Manage related issues
1013 field_auth_source_ldap_filter: LDAP filter
1013 field_auth_source_ldap_filter: LDAP filter
1014 label_search_for_watchers: Search for watchers to add
1014 label_search_for_watchers: Search for watchers to add
1015 notice_account_deleted: Your account has been permanently deleted.
1015 notice_account_deleted: Your account has been permanently deleted.
1016 setting_unsubscribe: Allow users to delete their own account
1016 setting_unsubscribe: Allow users to delete their own account
1017 button_delete_my_account: Delete my account
1017 button_delete_my_account: Delete my account
1018 text_account_destroy_confirmation: |-
1018 text_account_destroy_confirmation: |-
1019 Are you sure you want to proceed?
1019 Are you sure you want to proceed?
1020 Your account will be permanently deleted, with no way to reactivate it.
1020 Your account will be permanently deleted, with no way to reactivate it.
1021 error_session_expired: Your session has expired. Please login again.
1021 error_session_expired: Your session has expired. Please login again.
1022 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1022 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1023 setting_session_lifetime: Session maximum lifetime
1023 setting_session_lifetime: Session maximum lifetime
1024 setting_session_timeout: Session inactivity timeout
1024 setting_session_timeout: Session inactivity timeout
1025 label_session_expiration: Session expiration
1025 label_session_expiration: Session expiration
1026 permission_close_project: Close / reopen the project
1026 permission_close_project: Close / reopen the project
1027 label_show_closed_projects: View closed projects
1027 label_show_closed_projects: View closed projects
1028 button_close: Close
1028 button_close: Close
1029 button_reopen: Reopen
1029 button_reopen: Reopen
1030 project_status_active: active
1030 project_status_active: active
1031 project_status_closed: closed
1031 project_status_closed: closed
1032 project_status_archived: archived
1032 project_status_archived: archived
1033 text_project_closed: This project is closed and read-only.
1033 text_project_closed: This project is closed and read-only.
1034 notice_user_successful_create: User %{id} created.
1034 notice_user_successful_create: User %{id} created.
1035 field_core_fields: Standard fields
1035 field_core_fields: Standard fields
1036 field_timeout: Timeout (in seconds)
1036 field_timeout: Timeout (in seconds)
1037 setting_thumbnails_enabled: Display attachment thumbnails
1037 setting_thumbnails_enabled: Display attachment thumbnails
1038 setting_thumbnails_size: Thumbnails size (in pixels)
1038 setting_thumbnails_size: Thumbnails size (in pixels)
1039 label_status_transitions: Status transitions
1039 label_status_transitions: Status transitions
1040 label_fields_permissions: Fields permissions
1040 label_fields_permissions: Fields permissions
1041 label_readonly: Read-only
1041 label_readonly: Read-only
1042 label_required: Required
1042 label_required: Required
1043 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1043 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1044 field_board_parent: Parent forum
1044 field_board_parent: Parent forum
1045 label_attribute_of_project: Project's %{name}
1045 label_attribute_of_project: Project's %{name}
1046 label_attribute_of_author: Author's %{name}
1046 label_attribute_of_author: Author's %{name}
1047 label_attribute_of_assigned_to: Assignee's %{name}
1047 label_attribute_of_assigned_to: Assignee's %{name}
1048 label_attribute_of_fixed_version: Target version's %{name}
1048 label_attribute_of_fixed_version: Target version's %{name}
1049 label_copy_subtasks: Copy subtasks
1049 label_copy_subtasks: Copy subtasks
1050 label_copied_to: copied to
1050 label_copied_to: copied to
1051 label_copied_from: copied from
1051 label_copied_from: copied from
1052 label_any_issues_in_project: any issues in project
1052 label_any_issues_in_project: any issues in project
1053 label_any_issues_not_in_project: any issues not in project
1053 label_any_issues_not_in_project: any issues not in project
1054 field_private_notes: Private notes
1054 field_private_notes: Private notes
1055 permission_view_private_notes: View private notes
1055 permission_view_private_notes: View private notes
1056 permission_set_notes_private: Set notes as private
1056 permission_set_notes_private: Set notes as private
1057 label_no_issues_in_project: no issues in project
1057 label_no_issues_in_project: no issues in project
1058 label_any: tots
1058 label_any: tots
1059 label_last_n_weeks: last %{count} weeks
1059 label_last_n_weeks: last %{count} weeks
1060 setting_cross_project_subtasks: Allow cross-project subtasks
1060 setting_cross_project_subtasks: Allow cross-project subtasks
1061 label_cross_project_descendants: "Amb tots els subprojectes"
1061 label_cross_project_descendants: "Amb tots els subprojectes"
1062 label_cross_project_tree: "Amb l'arbre del projecte"
1062 label_cross_project_tree: "Amb l'arbre del projecte"
1063 label_cross_project_hierarchy: "Amb la jerarquia del projecte"
1063 label_cross_project_hierarchy: "Amb la jerarquia del projecte"
1064 label_cross_project_system: "Amb tots els projectes"
1064 label_cross_project_system: "Amb tots els projectes"
1065 button_hide: Hide
1065 button_hide: Hide
1066 setting_non_working_week_days: Non-working days
1066 setting_non_working_week_days: Non-working days
1067 label_in_the_next_days: in the next
1067 label_in_the_next_days: in the next
1068 label_in_the_past_days: in the past
1068 label_in_the_past_days: in the past
1069 label_attribute_of_user: User's %{name}
1069 label_attribute_of_user: User's %{name}
1070 text_turning_multiple_off: If you disable multiple values, multiple values will be
1070 text_turning_multiple_off: If you disable multiple values, multiple values will be
1071 removed in order to preserve only one value per item.
1071 removed in order to preserve only one value per item.
1072 label_attribute_of_issue: Issue's %{name}
1072 label_attribute_of_issue: Issue's %{name}
1073 permission_add_documents: Add documents
1073 permission_add_documents: Add documents
1074 permission_edit_documents: Edit documents
1074 permission_edit_documents: Edit documents
1075 permission_delete_documents: Delete documents
1075 permission_delete_documents: Delete documents
1076 label_gantt_progress_line: Progress line
1076 label_gantt_progress_line: Progress line
1077 setting_jsonp_enabled: Enable JSONP support
1077 setting_jsonp_enabled: Enable JSONP support
1078 field_inherit_members: Inherit members
1078 field_inherit_members: Inherit members
1079 field_closed_on: Closed
1079 field_closed_on: Closed
1080 field_generate_password: Generate password
1080 field_generate_password: Generate password
1081 setting_default_projects_tracker_ids: Default trackers for new projects
1081 setting_default_projects_tracker_ids: Default trackers for new projects
1082 label_total_time: Total
1082 label_total_time: Total
1083 text_scm_config: You can configure your SCM commands in config/configuration.yml. Please restart the application after editing it.
1083 text_scm_config: You can configure your SCM commands in config/configuration.yml. Please restart the application after editing it.
1084 text_scm_command_not_available: SCM command is not available. Please check settings on the administration panel.
1084 text_scm_command_not_available: SCM command is not available. Please check settings on the administration panel.
1085 setting_emails_header: Email header
1085 setting_emails_header: Email header
1086 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1086 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1087 to receive a new activation email, please <a href="%{url}">click this link</a>.
1087 to receive a new activation email, please <a href="%{url}">click this link</a>.
1088 notice_account_locked: Your account is locked.
1088 notice_account_locked: Your account is locked.
1089 label_hidden: Hidden
1089 label_hidden: Hidden
1090 label_visibility_private: to me only
1090 label_visibility_private: to me only
1091 label_visibility_roles: to these roles only
1091 label_visibility_roles: to these roles only
1092 label_visibility_public: to any users
1092 label_visibility_public: to any users
1093 field_must_change_passwd: Must change password at next logon
1093 field_must_change_passwd: Must change password at next logon
1094 notice_new_password_must_be_different: The new password must be different from the
1094 notice_new_password_must_be_different: The new password must be different from the
1095 current password
1095 current password
1096 setting_mail_handler_excluded_filenames: Exclude attachments by name
1096 setting_mail_handler_excluded_filenames: Exclude attachments by name
1097 text_convert_available: ImageMagick convert available (optional)
1097 text_convert_available: ImageMagick convert available (optional)
1098 label_link: Link
1098 label_link: Link
1099 label_only: only
1099 label_only: only
1100 label_drop_down_list: drop-down list
1100 label_drop_down_list: drop-down list
1101 label_checkboxes: checkboxes
1101 label_checkboxes: checkboxes
1102 label_link_values_to: Link values to URL
1102 label_link_values_to: Link values to URL
1103 setting_force_default_language_for_anonymous: Force default language for anonymous
1103 setting_force_default_language_for_anonymous: Force default language for anonymous
1104 users
1104 users
1105 setting_force_default_language_for_loggedin: Force default language for logged-in
1105 setting_force_default_language_for_loggedin: Force default language for logged-in
1106 users
1106 users
1107 label_custom_field_select_type: Select the type of object to which the custom field
1107 label_custom_field_select_type: Select the type of object to which the custom field
1108 is to be attached
1108 is to be attached
1109 label_issue_assigned_to_updated: Assignee updated
1109 label_issue_assigned_to_updated: Assignee updated
1110 label_check_for_updates: Check for updates
1110 label_check_for_updates: Check for updates
1111 label_latest_compatible_version: Latest compatible version
1111 label_latest_compatible_version: Latest compatible version
1112 label_unknown_plugin: Unknown plugin
1112 label_unknown_plugin: Unknown plugin
1113 label_radio_buttons: radio buttons
1113 label_radio_buttons: radio buttons
1114 label_group_anonymous: Anonymous users
1114 label_group_anonymous: Anonymous users
1115 label_group_non_member: Non member users
1115 label_group_non_member: Non member users
1116 label_add_projects: Add projects
1116 label_add_projects: Add projects
1117 field_default_status: Default status
1117 field_default_status: Default status
1118 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1118 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1119 field_users_visibility: Users visibility
1119 field_users_visibility: Users visibility
1120 label_users_visibility_all: All active users
1120 label_users_visibility_all: All active users
1121 label_users_visibility_members_of_visible_projects: Members of visible projects
1121 label_users_visibility_members_of_visible_projects: Members of visible projects
1122 label_edit_attachments: Edit attached files
1122 label_edit_attachments: Edit attached files
1123 setting_link_copied_issue: Link issues on copy
1123 setting_link_copied_issue: Link issues on copy
1124 label_link_copied_issue: Link copied issue
1124 label_link_copied_issue: Link copied issue
1125 label_ask: Ask
1125 label_ask: Ask
1126 label_search_attachments_yes: Search attachment filenames and descriptions
1126 label_search_attachments_yes: Search attachment filenames and descriptions
1127 label_search_attachments_no: Do not search attachments
1127 label_search_attachments_no: Do not search attachments
1128 label_search_attachments_only: Search attachments only
1128 label_search_attachments_only: Search attachments only
1129 label_search_open_issues_only: Open issues only
1129 label_search_open_issues_only: Open issues only
1130 field_address: Correu electrònic
1130 field_address: Correu electrònic
1131 setting_max_additional_emails: Maximum number of additional email addresses
1131 setting_max_additional_emails: Maximum number of additional email addresses
1132 label_email_address_plural: Emails
1132 label_email_address_plural: Emails
1133 label_email_address_add: Add email address
1133 label_email_address_add: Add email address
1134 label_enable_notifications: Enable notifications
1134 label_enable_notifications: Enable notifications
1135 label_disable_notifications: Disable notifications
1135 label_disable_notifications: Disable notifications
1136 setting_search_results_per_page: Search results per page
1136 setting_search_results_per_page: Search results per page
1137 label_blank_value: blank
1137 label_blank_value: blank
1138 permission_copy_issues: Copy issues
1138 permission_copy_issues: Copy issues
1139 error_password_expired: Your password has expired or the administrator requires you
1139 error_password_expired: Your password has expired or the administrator requires you
1140 to change it.
1140 to change it.
1141 field_time_entries_visibility: Time logs visibility
1141 field_time_entries_visibility: Time logs visibility
1142 setting_password_max_age: Require password change after
1142 setting_password_max_age: Require password change after
1143 label_parent_task_attributes: Parent tasks attributes
1143 label_parent_task_attributes: Parent tasks attributes
1144 label_parent_task_attributes_derived: Calculated from subtasks
1144 label_parent_task_attributes_derived: Calculated from subtasks
1145 label_parent_task_attributes_independent: Independent of subtasks
1145 label_parent_task_attributes_independent: Independent of subtasks
1146 label_time_entries_visibility_all: All time entries
1146 label_time_entries_visibility_all: All time entries
1147 label_time_entries_visibility_own: Time entries created by the user
1147 label_time_entries_visibility_own: Time entries created by the user
1148 label_member_management: Member management
1148 label_member_management: Member management
1149 label_member_management_all_roles: All roles
1149 label_member_management_all_roles: All roles
1150 label_member_management_selected_roles_only: Only these roles
1150 label_member_management_selected_roles_only: Only these roles
1151 label_password_required: Confirm your password to continue
1151 label_password_required: Confirm your password to continue
1152 label_total_spent_time: "Temps total invertit"
1152 label_total_spent_time: "Temps total invertit"
1153 notice_import_finished: All %{count} items have been imported.
1153 notice_import_finished: All %{count} items have been imported.
1154 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1154 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1155 imported.'
1155 imported.'
1156 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1156 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1157 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1157 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1158 settings below
1158 settings below
1159 error_can_not_read_import_file: An error occurred while reading the file to import
1159 error_can_not_read_import_file: An error occurred while reading the file to import
1160 permission_import_issues: Import issues
1160 permission_import_issues: Import issues
1161 label_import_issues: Import issues
1161 label_import_issues: Import issues
1162 label_select_file_to_import: Select the file to import
1162 label_select_file_to_import: Select the file to import
1163 label_fields_separator: Field separator
1163 label_fields_separator: Field separator
1164 label_fields_wrapper: Field wrapper
1164 label_fields_wrapper: Field wrapper
1165 label_encoding: Encoding
1165 label_encoding: Encoding
1166 label_comma_char: Comma
1166 label_comma_char: Comma
1167 label_semi_colon_char: Semi colon
1167 label_semi_colon_char: Semi colon
1168 label_quote_char: Quote
1168 label_quote_char: Quote
1169 label_double_quote_char: Double quote
1169 label_double_quote_char: Double quote
1170 label_fields_mapping: Fields mapping
1170 label_fields_mapping: Fields mapping
1171 label_file_content_preview: File content preview
1171 label_file_content_preview: File content preview
1172 label_create_missing_values: Create missing values
1172 label_create_missing_values: Create missing values
1173 button_import: Import
1173 button_import: Import
1174 field_total_estimated_hours: Total estimated time
1174 field_total_estimated_hours: Total estimated time
1175 label_api: API
1175 label_api: API
1176 label_total_plural: Totals
1176 label_total_plural: Totals
1177 label_assigned_issues: Assigned issues
1177 label_assigned_issues: Assigned issues
1178 label_field_format_enumeration: Key/value list
1178 label_field_format_enumeration: Key/value list
1179 label_f_hour_short: '%{value} h'
1179 label_f_hour_short: '%{value} h'
1180 field_default_version: Default version
1180 field_default_version: Default version
1181 error_attachment_extension_not_allowed: Attachment extension %{extension} is not allowed
1181 error_attachment_extension_not_allowed: Attachment extension %{extension} is not allowed
1182 setting_attachment_extensions_allowed: Allowed extensions
1182 setting_attachment_extensions_allowed: Allowed extensions
1183 setting_attachment_extensions_denied: Disallowed extensions
1183 setting_attachment_extensions_denied: Disallowed extensions
1184 label_any_open_issues: any open issues
1184 label_any_open_issues: any open issues
1185 label_no_open_issues: no open issues
1185 label_no_open_issues: no open issues
1186 label_default_values_for_new_users: Default values for new users
1186 label_default_values_for_new_users: Default values for new users
1187 error_cannot_reassign_time_entries_to_an_issue_about_to_be_deleted: Spent time cannot
1188 be reassigned to an issue that is about to be deleted
@@ -1,1185 +1,1187
1 # Update to 2.2, 2.4, 2.5, 2.6, 3.1, 3.3 by Karel Picman <karel.picman@kontron.com>
1 # Update to 2.2, 2.4, 2.5, 2.6, 3.1, 3.3 by Karel Picman <karel.picman@kontron.com>
2 # Update to 1.1 by Michal Gebauer <mishak@mishak.net>
2 # Update to 1.1 by Michal Gebauer <mishak@mishak.net>
3 # Updated by Josef Liška <jl@chl.cz>
3 # Updated by Josef Liška <jl@chl.cz>
4 # CZ translation by Maxim Krušina | Massimo Filippi, s.r.o. | maxim@mxm.cz
4 # CZ translation by Maxim Krušina | Massimo Filippi, s.r.o. | maxim@mxm.cz
5 # Based on original CZ translation by Jan Kadleček
5 # Based on original CZ translation by Jan Kadleček
6 cs:
6 cs:
7 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
7 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
8 direction: ltr
8 direction: ltr
9 date:
9 date:
10 formats:
10 formats:
11 # Use the strftime parameters for formats.
11 # Use the strftime parameters for formats.
12 # When no format has been given, it uses default.
12 # When no format has been given, it uses default.
13 # You can provide other formats here if you like!
13 # You can provide other formats here if you like!
14 default: "%Y-%m-%d"
14 default: "%Y-%m-%d"
15 short: "%b %d"
15 short: "%b %d"
16 long: "%B %d, %Y"
16 long: "%B %d, %Y"
17
17
18 day_names: [Neděle, Pondělí, Úterý, Středa, Čtvrtek, Pátek, Sobota]
18 day_names: [Neděle, Pondělí, Úterý, Středa, Čtvrtek, Pátek, Sobota]
19 abbr_day_names: [Ne, Po, Út, St, Čt, , So]
19 abbr_day_names: [Ne, Po, Út, St, Čt, , So]
20
20
21 # Don't forget the nil at the beginning; there's no such thing as a 0th month
21 # Don't forget the nil at the beginning; there's no such thing as a 0th month
22 month_names: [~, Leden, Únor, Březen, Duben, Květen, Červen, Červenec, Srpen, Září, Říjen, Listopad, Prosinec]
22 month_names: [~, Leden, Únor, Březen, Duben, Květen, Červen, Červenec, Srpen, Září, Říjen, Listopad, Prosinec]
23 abbr_month_names: [~, Led, Úno, Bře, Dub, Kvě, Čer, Čec, Srp, Zář, Říj, Lis, Pro]
23 abbr_month_names: [~, Led, Úno, Bře, Dub, Kvě, Čer, Čec, Srp, Zář, Říj, Lis, Pro]
24 # Used in date_select and datime_select.
24 # Used in date_select and datime_select.
25 order:
25 order:
26 - :year
26 - :year
27 - :month
27 - :month
28 - :day
28 - :day
29
29
30 time:
30 time:
31 formats:
31 formats:
32 default: "%a, %d %b %Y %H:%M:%S %z"
32 default: "%a, %d %b %Y %H:%M:%S %z"
33 time: "%H:%M"
33 time: "%H:%M"
34 short: "%d %b %H:%M"
34 short: "%d %b %H:%M"
35 long: "%B %d, %Y %H:%M"
35 long: "%B %d, %Y %H:%M"
36 am: "dop."
36 am: "dop."
37 pm: "odp."
37 pm: "odp."
38
38
39 datetime:
39 datetime:
40 distance_in_words:
40 distance_in_words:
41 half_a_minute: "půl minuty"
41 half_a_minute: "půl minuty"
42 less_than_x_seconds:
42 less_than_x_seconds:
43 one: "méně než sekunda"
43 one: "méně než sekunda"
44 other: "méně než %{count} sekund"
44 other: "méně než %{count} sekund"
45 x_seconds:
45 x_seconds:
46 one: "1 sekunda"
46 one: "1 sekunda"
47 other: "%{count} sekund"
47 other: "%{count} sekund"
48 less_than_x_minutes:
48 less_than_x_minutes:
49 one: "méně než minuta"
49 one: "méně než minuta"
50 other: "méně než %{count} minut"
50 other: "méně než %{count} minut"
51 x_minutes:
51 x_minutes:
52 one: "1 minuta"
52 one: "1 minuta"
53 other: "%{count} minut"
53 other: "%{count} minut"
54 about_x_hours:
54 about_x_hours:
55 one: "asi 1 hodina"
55 one: "asi 1 hodina"
56 other: "asi %{count} hodin"
56 other: "asi %{count} hodin"
57 x_hours:
57 x_hours:
58 one: "1 hodina"
58 one: "1 hodina"
59 other: "%{count} hodin"
59 other: "%{count} hodin"
60 x_days:
60 x_days:
61 one: "1 den"
61 one: "1 den"
62 other: "%{count} dnů"
62 other: "%{count} dnů"
63 about_x_months:
63 about_x_months:
64 one: "asi 1 měsíc"
64 one: "asi 1 měsíc"
65 other: "asi %{count} měsíců"
65 other: "asi %{count} měsíců"
66 x_months:
66 x_months:
67 one: "1 měsíc"
67 one: "1 měsíc"
68 other: "%{count} měsíců"
68 other: "%{count} měsíců"
69 about_x_years:
69 about_x_years:
70 one: "asi 1 rok"
70 one: "asi 1 rok"
71 other: "asi %{count} let"
71 other: "asi %{count} let"
72 over_x_years:
72 over_x_years:
73 one: "více než 1 rok"
73 one: "více než 1 rok"
74 other: "více než %{count} roky"
74 other: "více než %{count} roky"
75 almost_x_years:
75 almost_x_years:
76 one: "témeř 1 rok"
76 one: "témeř 1 rok"
77 other: "téměř %{count} roky"
77 other: "téměř %{count} roky"
78
78
79 number:
79 number:
80 # Výchozí formát pro čísla
80 # Výchozí formát pro čísla
81 format:
81 format:
82 separator: "."
82 separator: "."
83 delimiter: ""
83 delimiter: ""
84 precision: 3
84 precision: 3
85 human:
85 human:
86 format:
86 format:
87 delimiter: ""
87 delimiter: ""
88 precision: 3
88 precision: 3
89 storage_units:
89 storage_units:
90 format: "%n %u"
90 format: "%n %u"
91 units:
91 units:
92 byte:
92 byte:
93 one: "Bajt"
93 one: "Bajt"
94 other: "Bajtů"
94 other: "Bajtů"
95 kb: "KB"
95 kb: "KB"
96 mb: "MB"
96 mb: "MB"
97 gb: "GB"
97 gb: "GB"
98 tb: "TB"
98 tb: "TB"
99
99
100 # Used in array.to_sentence.
100 # Used in array.to_sentence.
101 support:
101 support:
102 array:
102 array:
103 sentence_connector: "a"
103 sentence_connector: "a"
104 skip_last_comma: false
104 skip_last_comma: false
105
105
106 activerecord:
106 activerecord:
107 errors:
107 errors:
108 template:
108 template:
109 header:
109 header:
110 one: "1 chyba zabránila uložení %{model}"
110 one: "1 chyba zabránila uložení %{model}"
111 other: "%{count} chyb zabránilo uložení %{model}"
111 other: "%{count} chyb zabránilo uložení %{model}"
112 messages:
112 messages:
113 inclusion: "není zahrnuto v seznamu"
113 inclusion: "není zahrnuto v seznamu"
114 exclusion: "je rezervováno"
114 exclusion: "je rezervováno"
115 invalid: "je neplatné"
115 invalid: "je neplatné"
116 confirmation: "se neshoduje s potvrzením"
116 confirmation: "se neshoduje s potvrzením"
117 accepted: "musí být akceptováno"
117 accepted: "musí být akceptováno"
118 empty: "nemůže být prázdný"
118 empty: "nemůže být prázdný"
119 blank: "nemůže být prázdný"
119 blank: "nemůže být prázdný"
120 too_long: "je příliš dlouhý"
120 too_long: "je příliš dlouhý"
121 too_short: "je příliš krátký"
121 too_short: "je příliš krátký"
122 wrong_length: "má chybnou délku"
122 wrong_length: "má chybnou délku"
123 taken: "je již použito"
123 taken: "je již použito"
124 not_a_number: "není číslo"
124 not_a_number: "není číslo"
125 not_a_date: "není platné datum"
125 not_a_date: "není platné datum"
126 greater_than: "musí být větší než %{count}"
126 greater_than: "musí být větší než %{count}"
127 greater_than_or_equal_to: "musí být větší nebo rovno %{count}"
127 greater_than_or_equal_to: "musí být větší nebo rovno %{count}"
128 equal_to: "musí být přesně %{count}"
128 equal_to: "musí být přesně %{count}"
129 less_than: "musí být méně než %{count}"
129 less_than: "musí být méně než %{count}"
130 less_than_or_equal_to: "musí být méně nebo rovno %{count}"
130 less_than_or_equal_to: "musí být méně nebo rovno %{count}"
131 odd: "musí být liché"
131 odd: "musí být liché"
132 even: "musí být sudé"
132 even: "musí být sudé"
133 greater_than_start_date: "musí být větší než počáteční datum"
133 greater_than_start_date: "musí být větší než počáteční datum"
134 not_same_project: "nepatří stejnému projektu"
134 not_same_project: "nepatří stejnému projektu"
135 circular_dependency: "Tento vztah by vytvořil cyklickou závislost"
135 circular_dependency: "Tento vztah by vytvořil cyklickou závislost"
136 cant_link_an_issue_with_a_descendant: "Úkol nemůže být spojen s jedním z jeho dílčích úkolů"
136 cant_link_an_issue_with_a_descendant: "Úkol nemůže být spojen s jedním z jeho dílčích úkolů"
137 earlier_than_minimum_start_date: "nemůže být dříve než %{date} kvůli předřazeným úkolům"
137 earlier_than_minimum_start_date: "nemůže být dříve než %{date} kvůli předřazeným úkolům"
138
138
139 actionview_instancetag_blank_option: Prosím vyberte
139 actionview_instancetag_blank_option: Prosím vyberte
140
140
141 general_text_No: 'Ne'
141 general_text_No: 'Ne'
142 general_text_Yes: 'Ano'
142 general_text_Yes: 'Ano'
143 general_text_no: 'ne'
143 general_text_no: 'ne'
144 general_text_yes: 'ano'
144 general_text_yes: 'ano'
145 general_lang_name: 'Czech (Čeština)'
145 general_lang_name: 'Czech (Čeština)'
146 general_csv_separator: ','
146 general_csv_separator: ','
147 general_csv_decimal_separator: '.'
147 general_csv_decimal_separator: '.'
148 general_csv_encoding: UTF-8
148 general_csv_encoding: UTF-8
149 general_pdf_fontname: freesans
149 general_pdf_fontname: freesans
150 general_pdf_monospaced_fontname: freemono
150 general_pdf_monospaced_fontname: freemono
151 general_first_day_of_week: '1'
151 general_first_day_of_week: '1'
152
152
153 notice_account_updated: Účet byl úspěšně změněn.
153 notice_account_updated: Účet byl úspěšně změněn.
154 notice_account_invalid_creditentials: Chybné jméno nebo heslo
154 notice_account_invalid_creditentials: Chybné jméno nebo heslo
155 notice_account_password_updated: Heslo bylo úspěšně změněno.
155 notice_account_password_updated: Heslo bylo úspěšně změněno.
156 notice_account_wrong_password: Chybné heslo
156 notice_account_wrong_password: Chybné heslo
157 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.
157 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.
158 notice_account_unknown_email: Neznámý uživatel.
158 notice_account_unknown_email: Neznámý uživatel.
159 notice_can_t_change_password: Tento účet používá externí autentifikaci. Zde heslo změnit nemůžete.
159 notice_can_t_change_password: Tento účet používá externí autentifikaci. Zde heslo změnit nemůžete.
160 notice_account_lost_email_sent: Byl vám zaslán email s intrukcemi jak si nastavíte nové heslo.
160 notice_account_lost_email_sent: Byl vám zaslán email s intrukcemi jak si nastavíte nové heslo.
161 notice_account_activated: Váš účet byl aktivován. Nyní se můžete přihlásit.
161 notice_account_activated: Váš účet byl aktivován. Nyní se můžete přihlásit.
162 notice_successful_create: Úspěšně vytvořeno.
162 notice_successful_create: Úspěšně vytvořeno.
163 notice_successful_update: Úspěšně aktualizováno.
163 notice_successful_update: Úspěšně aktualizováno.
164 notice_successful_delete: Úspěšně odstraněno.
164 notice_successful_delete: Úspěšně odstraněno.
165 notice_successful_connection: Úspěšné připojení.
165 notice_successful_connection: Úspěšné připojení.
166 notice_file_not_found: Stránka, kterou se snažíte zobrazit, neexistuje nebo byla smazána.
166 notice_file_not_found: Stránka, kterou se snažíte zobrazit, neexistuje nebo byla smazána.
167 notice_locking_conflict: Údaje byly změněny jiným uživatelem.
167 notice_locking_conflict: Údaje byly změněny jiným uživatelem.
168 notice_not_authorized: Nemáte dostatečná práva pro zobrazení této stránky.
168 notice_not_authorized: Nemáte dostatečná práva pro zobrazení této stránky.
169 notice_not_authorized_archived_project: Projekt, ke kterému se snažíte přistupovat, byl archivován.
169 notice_not_authorized_archived_project: Projekt, ke kterému se snažíte přistupovat, byl archivován.
170 notice_email_sent: "Na adresu %{value} byl odeslán email"
170 notice_email_sent: "Na adresu %{value} byl odeslán email"
171 notice_email_error: "Při odesílání emailu nastala chyba (%{value})"
171 notice_email_error: "Při odesílání emailu nastala chyba (%{value})"
172 notice_feeds_access_key_reseted: Váš klíč pro přístup k Atom byl resetován.
172 notice_feeds_access_key_reseted: Váš klíč pro přístup k Atom byl resetován.
173 notice_api_access_key_reseted: Váš API přístupový klíč byl resetován.
173 notice_api_access_key_reseted: Váš API přístupový klíč byl resetován.
174 notice_failed_to_save_issues: "Chyba při uložení %{count} úkolu(ů) z %{total} vybraných: %{ids}."
174 notice_failed_to_save_issues: "Chyba při uložení %{count} úkolu(ů) z %{total} vybraných: %{ids}."
175 notice_failed_to_save_members: "Nepodařilo se uložit člena(y): %{errors}."
175 notice_failed_to_save_members: "Nepodařilo se uložit člena(y): %{errors}."
176 notice_no_issue_selected: "Nebyl zvolen žádný úkol. Prosím, zvolte úkoly, které chcete editovat"
176 notice_no_issue_selected: "Nebyl zvolen žádný úkol. Prosím, zvolte úkoly, které chcete editovat"
177 notice_account_pending: "Váš účet byl vytvořen, nyní čeká na schválení administrátorem."
177 notice_account_pending: "Váš účet byl vytvořen, nyní čeká na schválení administrátorem."
178 notice_default_data_loaded: Výchozí konfigurace úspěšně nahrána.
178 notice_default_data_loaded: Výchozí konfigurace úspěšně nahrána.
179 notice_unable_delete_version: Nemohu odstanit verzi
179 notice_unable_delete_version: Nemohu odstanit verzi
180 notice_unable_delete_time_entry: Nelze smazat záznam času.
180 notice_unable_delete_time_entry: Nelze smazat záznam času.
181 notice_issue_done_ratios_updated: Koeficienty dokončení úkolu byly aktualizovány.
181 notice_issue_done_ratios_updated: Koeficienty dokončení úkolu byly aktualizovány.
182 notice_gantt_chart_truncated: Graf byl oříznut, počet položek přesáhl limit pro zobrazení (%{max})
182 notice_gantt_chart_truncated: Graf byl oříznut, počet položek přesáhl limit pro zobrazení (%{max})
183
183
184 error_can_t_load_default_data: "Výchozí konfigurace nebyla nahrána: %{value}"
184 error_can_t_load_default_data: "Výchozí konfigurace nebyla nahrána: %{value}"
185 error_scm_not_found: "Položka a/nebo revize neexistují v repozitáři."
185 error_scm_not_found: "Položka a/nebo revize neexistují v repozitáři."
186 error_scm_command_failed: "Při pokusu o přístup k repozitáři došlo k chybě: %{value}"
186 error_scm_command_failed: "Při pokusu o přístup k repozitáři došlo k chybě: %{value}"
187 error_scm_annotate: "Položka neexistuje nebo nemůže být komentována."
187 error_scm_annotate: "Položka neexistuje nebo nemůže být komentována."
188 error_issue_not_found_in_project: 'Úkol nebyl nalezen nebo nepatří k tomuto projektu'
188 error_issue_not_found_in_project: 'Úkol nebyl nalezen nebo nepatří k tomuto projektu'
189 error_no_tracker_in_project: Žádná fronta nebyla přiřazena tomuto projektu. Prosím zkontroluje nastavení projektu.
189 error_no_tracker_in_project: Žádná fronta nebyla přiřazena tomuto projektu. Prosím zkontroluje nastavení projektu.
190 error_no_default_issue_status: Není nastaven výchozí stav úkolů. Prosím zkontrolujte nastavení ("Administrace -> Stavy úkolů").
190 error_no_default_issue_status: Není nastaven výchozí stav úkolů. Prosím zkontrolujte nastavení ("Administrace -> Stavy úkolů").
191 error_can_not_delete_custom_field: Nelze smazat volitelné pole
191 error_can_not_delete_custom_field: Nelze smazat volitelné pole
192 error_can_not_delete_tracker: Tato fronta obsahuje úkoly a nemůže být smazána.
192 error_can_not_delete_tracker: Tato fronta obsahuje úkoly a nemůže být smazána.
193 error_can_not_remove_role: Tato role je právě používaná a nelze ji smazat.
193 error_can_not_remove_role: Tato role je právě používaná a nelze ji smazat.
194 error_can_not_reopen_issue_on_closed_version: Úkol přiřazený k uzavřené verzi nemůže být znovu otevřen
194 error_can_not_reopen_issue_on_closed_version: Úkol přiřazený k uzavřené verzi nemůže být znovu otevřen
195 error_can_not_archive_project: Tento projekt nemůže být archivován
195 error_can_not_archive_project: Tento projekt nemůže být archivován
196 error_issue_done_ratios_not_updated: Koeficient dokončení úkolu nebyl aktualizován.
196 error_issue_done_ratios_not_updated: Koeficient dokončení úkolu nebyl aktualizován.
197 error_workflow_copy_source: Prosím vyberte zdrojovou frontu nebo roli
197 error_workflow_copy_source: Prosím vyberte zdrojovou frontu nebo roli
198 error_workflow_copy_target: Prosím vyberte cílovou frontu(y) a roli(e)
198 error_workflow_copy_target: Prosím vyberte cílovou frontu(y) a roli(e)
199 error_unable_delete_issue_status: Nelze smazat stavy úkolů
199 error_unable_delete_issue_status: Nelze smazat stavy úkolů
200 error_unable_to_connect: Nelze se připojit (%{value})
200 error_unable_to_connect: Nelze se připojit (%{value})
201 warning_attachments_not_saved: "%{count} soubor(ů) nebylo možné uložit."
201 warning_attachments_not_saved: "%{count} soubor(ů) nebylo možné uložit."
202
202
203 mail_subject_lost_password: "Vaše heslo (%{value})"
203 mail_subject_lost_password: "Vaše heslo (%{value})"
204 mail_body_lost_password: 'Pro změnu vašeho hesla klikněte na následující odkaz:'
204 mail_body_lost_password: 'Pro změnu vašeho hesla klikněte na následující odkaz:'
205 mail_subject_register: "Aktivace účtu (%{value})"
205 mail_subject_register: "Aktivace účtu (%{value})"
206 mail_body_register: 'Pro aktivaci vašeho účtu klikněte na následující odkaz:'
206 mail_body_register: 'Pro aktivaci vašeho účtu klikněte na následující odkaz:'
207 mail_body_account_information_external: "Pomocí vašeho účtu %{value} se můžete přihlásit."
207 mail_body_account_information_external: "Pomocí vašeho účtu %{value} se můžete přihlásit."
208 mail_body_account_information: Informace o vašem účtu
208 mail_body_account_information: Informace o vašem účtu
209 mail_subject_account_activation_request: "Aktivace %{value} účtu"
209 mail_subject_account_activation_request: "Aktivace %{value} účtu"
210 mail_body_account_activation_request: "Byl zaregistrován nový uživatel %{value}. Aktivace jeho účtu závisí na vašem potvrzení."
210 mail_body_account_activation_request: "Byl zaregistrován nový uživatel %{value}. Aktivace jeho účtu závisí na vašem potvrzení."
211 mail_subject_reminder: "%{count} úkol(ů) termín během několik dní (%{days})"
211 mail_subject_reminder: "%{count} úkol(ů) termín během několik dní (%{days})"
212 mail_body_reminder: "%{count} úkol(ů), které máte přiřazeny termín během několika dní (%{days}):"
212 mail_body_reminder: "%{count} úkol(ů), které máte přiřazeny termín během několika dní (%{days}):"
213 mail_subject_wiki_content_added: "'%{id}' Wiki stránka byla přidána"
213 mail_subject_wiki_content_added: "'%{id}' Wiki stránka byla přidána"
214 mail_body_wiki_content_added: "'%{id}' Wiki stránka byla přidána od %{author}."
214 mail_body_wiki_content_added: "'%{id}' Wiki stránka byla přidána od %{author}."
215 mail_subject_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována"
215 mail_subject_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována"
216 mail_body_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována od %{author}."
216 mail_body_wiki_content_updated: "'%{id}' Wiki stránka byla aktualizována od %{author}."
217
217
218
218
219 field_name: Název
219 field_name: Název
220 field_description: Popis
220 field_description: Popis
221 field_summary: Přehled
221 field_summary: Přehled
222 field_is_required: Povinné pole
222 field_is_required: Povinné pole
223 field_firstname: Jméno
223 field_firstname: Jméno
224 field_lastname: Příjmení
224 field_lastname: Příjmení
225 field_mail: Email
225 field_mail: Email
226 field_filename: Soubor
226 field_filename: Soubor
227 field_filesize: Velikost
227 field_filesize: Velikost
228 field_downloads: Staženo
228 field_downloads: Staženo
229 field_author: Autor
229 field_author: Autor
230 field_created_on: Vytvořeno
230 field_created_on: Vytvořeno
231 field_updated_on: Aktualizováno
231 field_updated_on: Aktualizováno
232 field_field_format: Formát
232 field_field_format: Formát
233 field_is_for_all: Pro všechny projekty
233 field_is_for_all: Pro všechny projekty
234 field_possible_values: Možné hodnoty
234 field_possible_values: Možné hodnoty
235 field_regexp: Regulární výraz
235 field_regexp: Regulární výraz
236 field_min_length: Minimální délka
236 field_min_length: Minimální délka
237 field_max_length: Maximální délka
237 field_max_length: Maximální délka
238 field_value: Hodnota
238 field_value: Hodnota
239 field_category: Kategorie
239 field_category: Kategorie
240 field_title: Název
240 field_title: Název
241 field_project: Projekt
241 field_project: Projekt
242 field_issue: Úkol
242 field_issue: Úkol
243 field_status: Stav
243 field_status: Stav
244 field_notes: Poznámka
244 field_notes: Poznámka
245 field_is_closed: Úkol uzavřen
245 field_is_closed: Úkol uzavřen
246 field_is_default: Výchozí stav
246 field_is_default: Výchozí stav
247 field_tracker: Fronta
247 field_tracker: Fronta
248 field_subject: Předmět
248 field_subject: Předmět
249 field_due_date: Uzavřít do
249 field_due_date: Uzavřít do
250 field_assigned_to: Přiřazeno
250 field_assigned_to: Přiřazeno
251 field_priority: Priorita
251 field_priority: Priorita
252 field_fixed_version: Cílová verze
252 field_fixed_version: Cílová verze
253 field_user: Uživatel
253 field_user: Uživatel
254 field_principal: Hlavní
254 field_principal: Hlavní
255 field_role: Role
255 field_role: Role
256 field_homepage: Domovská stránka
256 field_homepage: Domovská stránka
257 field_is_public: Veřejný
257 field_is_public: Veřejný
258 field_parent: Nadřazený projekt
258 field_parent: Nadřazený projekt
259 field_is_in_roadmap: Úkoly zobrazené v plánu
259 field_is_in_roadmap: Úkoly zobrazené v plánu
260 field_login: Přihlášení
260 field_login: Přihlášení
261 field_mail_notification: Emailová oznámení
261 field_mail_notification: Emailová oznámení
262 field_admin: Administrátor
262 field_admin: Administrátor
263 field_last_login_on: Poslední přihlášení
263 field_last_login_on: Poslední přihlášení
264 field_language: Jazyk
264 field_language: Jazyk
265 field_effective_date: Datum
265 field_effective_date: Datum
266 field_password: Heslo
266 field_password: Heslo
267 field_new_password: Nové heslo
267 field_new_password: Nové heslo
268 field_password_confirmation: Potvrzení
268 field_password_confirmation: Potvrzení
269 field_version: Verze
269 field_version: Verze
270 field_type: Typ
270 field_type: Typ
271 field_host: Host
271 field_host: Host
272 field_port: Port
272 field_port: Port
273 field_account: Účet
273 field_account: Účet
274 field_base_dn: Base DN
274 field_base_dn: Base DN
275 field_attr_login: Přihlášení (atribut)
275 field_attr_login: Přihlášení (atribut)
276 field_attr_firstname: Jméno (atribut)
276 field_attr_firstname: Jméno (atribut)
277 field_attr_lastname: Příjemní (atribut)
277 field_attr_lastname: Příjemní (atribut)
278 field_attr_mail: Email (atribut)
278 field_attr_mail: Email (atribut)
279 field_onthefly: Automatické vytváření uživatelů
279 field_onthefly: Automatické vytváření uživatelů
280 field_start_date: Začátek
280 field_start_date: Začátek
281 field_done_ratio: "% Hotovo"
281 field_done_ratio: "% Hotovo"
282 field_auth_source: Autentifikační mód
282 field_auth_source: Autentifikační mód
283 field_hide_mail: Nezobrazovat můj email
283 field_hide_mail: Nezobrazovat můj email
284 field_comments: Komentář
284 field_comments: Komentář
285 field_url: URL
285 field_url: URL
286 field_start_page: Výchozí stránka
286 field_start_page: Výchozí stránka
287 field_subproject: Podprojekt
287 field_subproject: Podprojekt
288 field_hours: Hodiny
288 field_hours: Hodiny
289 field_activity: Aktivita
289 field_activity: Aktivita
290 field_spent_on: Datum
290 field_spent_on: Datum
291 field_identifier: Identifikátor
291 field_identifier: Identifikátor
292 field_is_filter: Použít jako filtr
292 field_is_filter: Použít jako filtr
293 field_issue_to: Související úkol
293 field_issue_to: Související úkol
294 field_delay: Zpoždění
294 field_delay: Zpoždění
295 field_assignable: Úkoly mohou být přiřazeny této roli
295 field_assignable: Úkoly mohou být přiřazeny této roli
296 field_redirect_existing_links: Přesměrovat stávající odkazy
296 field_redirect_existing_links: Přesměrovat stávající odkazy
297 field_estimated_hours: Odhadovaná doba
297 field_estimated_hours: Odhadovaná doba
298 field_column_names: Sloupce
298 field_column_names: Sloupce
299 field_time_entries: Zaznamenaný čas
299 field_time_entries: Zaznamenaný čas
300 field_time_zone: Časové pásmo
300 field_time_zone: Časové pásmo
301 field_searchable: Umožnit vyhledávání
301 field_searchable: Umožnit vyhledávání
302 field_default_value: Výchozí hodnota
302 field_default_value: Výchozí hodnota
303 field_comments_sorting: Zobrazit komentáře
303 field_comments_sorting: Zobrazit komentáře
304 field_parent_title: Rodičovská stránka
304 field_parent_title: Rodičovská stránka
305 field_editable: Editovatelný
305 field_editable: Editovatelný
306 field_watcher: Sleduje
306 field_watcher: Sleduje
307 field_identity_url: OpenID URL
307 field_identity_url: OpenID URL
308 field_content: Obsah
308 field_content: Obsah
309 field_group_by: Seskupovat výsledky podle
309 field_group_by: Seskupovat výsledky podle
310 field_sharing: Sdílení
310 field_sharing: Sdílení
311 field_parent_issue: Rodičovský úkol
311 field_parent_issue: Rodičovský úkol
312 field_member_of_group: Skupina přiřaditele
312 field_member_of_group: Skupina přiřaditele
313 field_assigned_to_role: Role přiřaditele
313 field_assigned_to_role: Role přiřaditele
314 field_text: Textové pole
314 field_text: Textové pole
315 field_visible: Viditelný
315 field_visible: Viditelný
316
316
317 setting_app_title: Název aplikace
317 setting_app_title: Název aplikace
318 setting_app_subtitle: Podtitulek aplikace
318 setting_app_subtitle: Podtitulek aplikace
319 setting_welcome_text: Uvítací text
319 setting_welcome_text: Uvítací text
320 setting_default_language: Výchozí jazyk
320 setting_default_language: Výchozí jazyk
321 setting_login_required: Autentifikace vyžadována
321 setting_login_required: Autentifikace vyžadována
322 setting_self_registration: Povolena automatická registrace
322 setting_self_registration: Povolena automatická registrace
323 setting_attachment_max_size: Maximální velikost přílohy
323 setting_attachment_max_size: Maximální velikost přílohy
324 setting_issues_export_limit: Limit pro export úkolů
324 setting_issues_export_limit: Limit pro export úkolů
325 setting_mail_from: Odesílat emaily z adresy
325 setting_mail_from: Odesílat emaily z adresy
326 setting_bcc_recipients: Příjemci jako skrytá kopie (bcc)
326 setting_bcc_recipients: Příjemci jako skrytá kopie (bcc)
327 setting_plain_text_mail: pouze prostý text (ne HTML)
327 setting_plain_text_mail: pouze prostý text (ne HTML)
328 setting_host_name: Jméno serveru
328 setting_host_name: Jméno serveru
329 setting_text_formatting: Formátování textu
329 setting_text_formatting: Formátování textu
330 setting_wiki_compression: Komprese historie Wiki
330 setting_wiki_compression: Komprese historie Wiki
331 setting_feeds_limit: Limit obsahu příspěvků
331 setting_feeds_limit: Limit obsahu příspěvků
332 setting_default_projects_public: Nové projekty nastavovat jako veřejné
332 setting_default_projects_public: Nové projekty nastavovat jako veřejné
333 setting_autofetch_changesets: Automaticky stahovat commity
333 setting_autofetch_changesets: Automaticky stahovat commity
334 setting_sys_api_enabled: Povolit WS pro správu repozitory
334 setting_sys_api_enabled: Povolit WS pro správu repozitory
335 setting_commit_ref_keywords: Klíčová slova pro odkazy
335 setting_commit_ref_keywords: Klíčová slova pro odkazy
336 setting_commit_fix_keywords: Klíčová slova pro uzavření
336 setting_commit_fix_keywords: Klíčová slova pro uzavření
337 setting_autologin: Automatické přihlašování
337 setting_autologin: Automatické přihlašování
338 setting_date_format: Formát data
338 setting_date_format: Formát data
339 setting_time_format: Formát času
339 setting_time_format: Formát času
340 setting_cross_project_issue_relations: Povolit vazby úkolů napříč projekty
340 setting_cross_project_issue_relations: Povolit vazby úkolů napříč projekty
341 setting_issue_list_default_columns: Výchozí sloupce zobrazené v seznamu úkolů
341 setting_issue_list_default_columns: Výchozí sloupce zobrazené v seznamu úkolů
342 setting_emails_header: Záhlaví emailů
342 setting_emails_header: Záhlaví emailů
343 setting_emails_footer: Zápatí emailů
343 setting_emails_footer: Zápatí emailů
344 setting_protocol: Protokol
344 setting_protocol: Protokol
345 setting_per_page_options: Povolené počty řádků na stránce
345 setting_per_page_options: Povolené počty řádků na stránce
346 setting_user_format: Formát zobrazení uživatele
346 setting_user_format: Formát zobrazení uživatele
347 setting_activity_days_default: Dny zobrazené v činnosti projektu
347 setting_activity_days_default: Dny zobrazené v činnosti projektu
348 setting_display_subprojects_issues: Automaticky zobrazit úkoly podprojektu v hlavním projektu
348 setting_display_subprojects_issues: Automaticky zobrazit úkoly podprojektu v hlavním projektu
349 setting_enabled_scm: Povolené SCM
349 setting_enabled_scm: Povolené SCM
350 setting_mail_handler_body_delimiters: Zkrátit e-maily po jednom z těchto řádků
350 setting_mail_handler_body_delimiters: Zkrátit e-maily po jednom z těchto řádků
351 setting_mail_handler_api_enabled: Povolit WS pro příchozí e-maily
351 setting_mail_handler_api_enabled: Povolit WS pro příchozí e-maily
352 setting_mail_handler_api_key: API klíč
352 setting_mail_handler_api_key: API klíč
353 setting_sequential_project_identifiers: Generovat sekvenční identifikátory projektů
353 setting_sequential_project_identifiers: Generovat sekvenční identifikátory projektů
354 setting_gravatar_enabled: Použít uživatelské ikony Gravatar
354 setting_gravatar_enabled: Použít uživatelské ikony Gravatar
355 setting_gravatar_default: Výchozí Gravatar
355 setting_gravatar_default: Výchozí Gravatar
356 setting_diff_max_lines_displayed: Maximální počet zobrazených řádků rozdílu
356 setting_diff_max_lines_displayed: Maximální počet zobrazených řádků rozdílu
357 setting_file_max_size_displayed: Maximální velikost textových souborů zobrazených přímo na stránce
357 setting_file_max_size_displayed: Maximální velikost textových souborů zobrazených přímo na stránce
358 setting_repository_log_display_limit: Maximální počet revizí zobrazených v logu souboru
358 setting_repository_log_display_limit: Maximální počet revizí zobrazených v logu souboru
359 setting_openid: Umožnit přihlašování a registrace s OpenID
359 setting_openid: Umožnit přihlašování a registrace s OpenID
360 setting_password_min_length: Minimální délka hesla
360 setting_password_min_length: Minimální délka hesla
361 setting_new_project_user_role_id: Role přiřazená uživateli bez práv administrátora, který projekt vytvořil
361 setting_new_project_user_role_id: Role přiřazená uživateli bez práv administrátora, který projekt vytvořil
362 setting_default_projects_modules: Výchozí zapnutné moduly pro nový projekt
362 setting_default_projects_modules: Výchozí zapnutné moduly pro nový projekt
363 setting_issue_done_ratio: Spočítat koeficient dokončení úkolu s
363 setting_issue_done_ratio: Spočítat koeficient dokončení úkolu s
364 setting_issue_done_ratio_issue_field: Použít pole úkolu
364 setting_issue_done_ratio_issue_field: Použít pole úkolu
365 setting_issue_done_ratio_issue_status: Použít stav úkolu
365 setting_issue_done_ratio_issue_status: Použít stav úkolu
366 setting_start_of_week: Začínat kalendáře
366 setting_start_of_week: Začínat kalendáře
367 setting_rest_api_enabled: Zapnout službu REST
367 setting_rest_api_enabled: Zapnout službu REST
368 setting_cache_formatted_text: Ukládat formátovaný text do vyrovnávací paměti
368 setting_cache_formatted_text: Ukládat formátovaný text do vyrovnávací paměti
369 setting_default_notification_option: Výchozí nastavení oznámení
369 setting_default_notification_option: Výchozí nastavení oznámení
370 setting_commit_logtime_enabled: Povolit zapisování času
370 setting_commit_logtime_enabled: Povolit zapisování času
371 setting_commit_logtime_activity_id: Aktivita pro zapsaný čas
371 setting_commit_logtime_activity_id: Aktivita pro zapsaný čas
372 setting_gantt_items_limit: Maximální počet položek zobrazený na ganttově diagramu
372 setting_gantt_items_limit: Maximální počet položek zobrazený na ganttově diagramu
373
373
374 permission_add_project: Vytvořit projekt
374 permission_add_project: Vytvořit projekt
375 permission_add_subprojects: Vytvořit podprojekty
375 permission_add_subprojects: Vytvořit podprojekty
376 permission_edit_project: Úprava projektů
376 permission_edit_project: Úprava projektů
377 permission_select_project_modules: Výběr modulů projektu
377 permission_select_project_modules: Výběr modulů projektu
378 permission_manage_members: Spravování členství
378 permission_manage_members: Spravování členství
379 permission_manage_project_activities: Spravovat aktivity projektu
379 permission_manage_project_activities: Spravovat aktivity projektu
380 permission_manage_versions: Spravování verzí
380 permission_manage_versions: Spravování verzí
381 permission_manage_categories: Spravování kategorií úkolů
381 permission_manage_categories: Spravování kategorií úkolů
382 permission_view_issues: Zobrazit úkoly
382 permission_view_issues: Zobrazit úkoly
383 permission_add_issues: Přidávání úkolů
383 permission_add_issues: Přidávání úkolů
384 permission_edit_issues: Upravování úkolů
384 permission_edit_issues: Upravování úkolů
385 permission_manage_issue_relations: Spravování vztahů mezi úkoly
385 permission_manage_issue_relations: Spravování vztahů mezi úkoly
386 permission_add_issue_notes: Přidávání poznámek
386 permission_add_issue_notes: Přidávání poznámek
387 permission_edit_issue_notes: Upravování poznámek
387 permission_edit_issue_notes: Upravování poznámek
388 permission_edit_own_issue_notes: Upravování vlastních poznámek
388 permission_edit_own_issue_notes: Upravování vlastních poznámek
389 permission_move_issues: Přesouvání úkolů
389 permission_move_issues: Přesouvání úkolů
390 permission_delete_issues: Mazání úkolů
390 permission_delete_issues: Mazání úkolů
391 permission_manage_public_queries: Správa veřejných dotazů
391 permission_manage_public_queries: Správa veřejných dotazů
392 permission_save_queries: Ukládání dotazů
392 permission_save_queries: Ukládání dotazů
393 permission_view_gantt: Zobrazení ganttova diagramu
393 permission_view_gantt: Zobrazení ganttova diagramu
394 permission_view_calendar: Prohlížení kalendáře
394 permission_view_calendar: Prohlížení kalendáře
395 permission_view_issue_watchers: Zobrazení seznamu sledujících uživatelů
395 permission_view_issue_watchers: Zobrazení seznamu sledujících uživatelů
396 permission_add_issue_watchers: Přidání sledujících uživatelů
396 permission_add_issue_watchers: Přidání sledujících uživatelů
397 permission_delete_issue_watchers: Smazat sledující uživatele
397 permission_delete_issue_watchers: Smazat sledující uživatele
398 permission_log_time: Zaznamenávání stráveného času
398 permission_log_time: Zaznamenávání stráveného času
399 permission_view_time_entries: Zobrazení stráveného času
399 permission_view_time_entries: Zobrazení stráveného času
400 permission_edit_time_entries: Upravování záznamů o stráveném času
400 permission_edit_time_entries: Upravování záznamů o stráveném času
401 permission_edit_own_time_entries: Upravování vlastních zázamů o stráveném čase
401 permission_edit_own_time_entries: Upravování vlastních zázamů o stráveném čase
402 permission_manage_news: Spravování novinek
402 permission_manage_news: Spravování novinek
403 permission_comment_news: Komentování novinek
403 permission_comment_news: Komentování novinek
404 permission_view_documents: Prohlížení dokumentů
404 permission_view_documents: Prohlížení dokumentů
405 permission_manage_files: Spravování souborů
405 permission_manage_files: Spravování souborů
406 permission_view_files: Prohlížení souborů
406 permission_view_files: Prohlížení souborů
407 permission_manage_wiki: Spravování Wiki
407 permission_manage_wiki: Spravování Wiki
408 permission_rename_wiki_pages: Přejmenovávání Wiki stránek
408 permission_rename_wiki_pages: Přejmenovávání Wiki stránek
409 permission_delete_wiki_pages: Mazání stránek na Wiki
409 permission_delete_wiki_pages: Mazání stránek na Wiki
410 permission_view_wiki_pages: Prohlížení Wiki
410 permission_view_wiki_pages: Prohlížení Wiki
411 permission_view_wiki_edits: Prohlížení historie Wiki
411 permission_view_wiki_edits: Prohlížení historie Wiki
412 permission_edit_wiki_pages: Upravování stránek Wiki
412 permission_edit_wiki_pages: Upravování stránek Wiki
413 permission_delete_wiki_pages_attachments: Mazání příloh
413 permission_delete_wiki_pages_attachments: Mazání příloh
414 permission_protect_wiki_pages: Zabezpečení Wiki stránek
414 permission_protect_wiki_pages: Zabezpečení Wiki stránek
415 permission_manage_repository: Spravování repozitáře
415 permission_manage_repository: Spravování repozitáře
416 permission_browse_repository: Procházení repozitáře
416 permission_browse_repository: Procházení repozitáře
417 permission_view_changesets: Zobrazování revizí
417 permission_view_changesets: Zobrazování revizí
418 permission_commit_access: Commit přístup
418 permission_commit_access: Commit přístup
419 permission_manage_boards: Správa diskusních fór
419 permission_manage_boards: Správa diskusních fór
420 permission_view_messages: Prohlížení příspěvků
420 permission_view_messages: Prohlížení příspěvků
421 permission_add_messages: Posílání příspěvků
421 permission_add_messages: Posílání příspěvků
422 permission_edit_messages: Upravování příspěvků
422 permission_edit_messages: Upravování příspěvků
423 permission_edit_own_messages: Upravit vlastní příspěvky
423 permission_edit_own_messages: Upravit vlastní příspěvky
424 permission_delete_messages: Mazání příspěvků
424 permission_delete_messages: Mazání příspěvků
425 permission_delete_own_messages: Smazat vlastní příspěvky
425 permission_delete_own_messages: Smazat vlastní příspěvky
426 permission_export_wiki_pages: Exportovat Wiki stránky
426 permission_export_wiki_pages: Exportovat Wiki stránky
427 permission_manage_subtasks: Spravovat dílčí úkoly
427 permission_manage_subtasks: Spravovat dílčí úkoly
428
428
429 project_module_issue_tracking: Sledování úkolů
429 project_module_issue_tracking: Sledování úkolů
430 project_module_time_tracking: Sledování času
430 project_module_time_tracking: Sledování času
431 project_module_news: Novinky
431 project_module_news: Novinky
432 project_module_documents: Dokumenty
432 project_module_documents: Dokumenty
433 project_module_files: Soubory
433 project_module_files: Soubory
434 project_module_wiki: Wiki
434 project_module_wiki: Wiki
435 project_module_repository: Repozitář
435 project_module_repository: Repozitář
436 project_module_boards: Diskuse
436 project_module_boards: Diskuse
437 project_module_calendar: Kalendář
437 project_module_calendar: Kalendář
438 project_module_gantt: Gantt
438 project_module_gantt: Gantt
439
439
440 label_user: Uživatel
440 label_user: Uživatel
441 label_user_plural: Uživatelé
441 label_user_plural: Uživatelé
442 label_user_new: Nový uživatel
442 label_user_new: Nový uživatel
443 label_user_anonymous: Anonymní
443 label_user_anonymous: Anonymní
444 label_project: Projekt
444 label_project: Projekt
445 label_project_new: Nový projekt
445 label_project_new: Nový projekt
446 label_project_plural: Projekty
446 label_project_plural: Projekty
447 label_x_projects:
447 label_x_projects:
448 zero: žádné projekty
448 zero: žádné projekty
449 one: 1 projekt
449 one: 1 projekt
450 other: "%{count} projekty(ů)"
450 other: "%{count} projekty(ů)"
451 label_project_all: Všechny projekty
451 label_project_all: Všechny projekty
452 label_project_latest: Poslední projekty
452 label_project_latest: Poslední projekty
453 label_issue: Úkol
453 label_issue: Úkol
454 label_issue_new: Nový úkol
454 label_issue_new: Nový úkol
455 label_issue_plural: Úkoly
455 label_issue_plural: Úkoly
456 label_issue_view_all: Všechny úkoly
456 label_issue_view_all: Všechny úkoly
457 label_issues_by: "Úkoly podle %{value}"
457 label_issues_by: "Úkoly podle %{value}"
458 label_issue_added: Úkol přidán
458 label_issue_added: Úkol přidán
459 label_issue_updated: Úkol aktualizován
459 label_issue_updated: Úkol aktualizován
460 label_document: Dokument
460 label_document: Dokument
461 label_document_new: Nový dokument
461 label_document_new: Nový dokument
462 label_document_plural: Dokumenty
462 label_document_plural: Dokumenty
463 label_document_added: Dokument přidán
463 label_document_added: Dokument přidán
464 label_role: Role
464 label_role: Role
465 label_role_plural: Role
465 label_role_plural: Role
466 label_role_new: Nová role
466 label_role_new: Nová role
467 label_role_and_permissions: Role a práva
467 label_role_and_permissions: Role a práva
468 label_member: Člen
468 label_member: Člen
469 label_member_new: Nový člen
469 label_member_new: Nový člen
470 label_member_plural: Členové
470 label_member_plural: Členové
471 label_tracker: Fronta
471 label_tracker: Fronta
472 label_tracker_plural: Fronty
472 label_tracker_plural: Fronty
473 label_tracker_new: Nová fronta
473 label_tracker_new: Nová fronta
474 label_workflow: Průběh práce
474 label_workflow: Průběh práce
475 label_issue_status: Stav úkolu
475 label_issue_status: Stav úkolu
476 label_issue_status_plural: Stavy úkolů
476 label_issue_status_plural: Stavy úkolů
477 label_issue_status_new: Nový stav
477 label_issue_status_new: Nový stav
478 label_issue_category: Kategorie úkolu
478 label_issue_category: Kategorie úkolu
479 label_issue_category_plural: Kategorie úkolů
479 label_issue_category_plural: Kategorie úkolů
480 label_issue_category_new: Nová kategorie
480 label_issue_category_new: Nová kategorie
481 label_custom_field: Uživatelské pole
481 label_custom_field: Uživatelské pole
482 label_custom_field_plural: Uživatelská pole
482 label_custom_field_plural: Uživatelská pole
483 label_custom_field_new: Nové uživatelské pole
483 label_custom_field_new: Nové uživatelské pole
484 label_enumerations: Seznamy
484 label_enumerations: Seznamy
485 label_enumeration_new: Nová hodnota
485 label_enumeration_new: Nová hodnota
486 label_information: Informace
486 label_information: Informace
487 label_information_plural: Informace
487 label_information_plural: Informace
488 label_please_login: Přihlašte se, prosím
488 label_please_login: Přihlašte se, prosím
489 label_register: Registrovat
489 label_register: Registrovat
490 label_login_with_open_id_option: nebo se přihlašte s OpenID
490 label_login_with_open_id_option: nebo se přihlašte s OpenID
491 label_password_lost: Zapomenuté heslo
491 label_password_lost: Zapomenuté heslo
492 label_home: Úvodní
492 label_home: Úvodní
493 label_my_page: Moje stránka
493 label_my_page: Moje stránka
494 label_my_account: Můj účet
494 label_my_account: Můj účet
495 label_my_projects: Moje projekty
495 label_my_projects: Moje projekty
496 label_my_page_block: Bloky na mé stránce
496 label_my_page_block: Bloky na mé stránce
497 label_administration: Administrace
497 label_administration: Administrace
498 label_login: Přihlášení
498 label_login: Přihlášení
499 label_logout: Odhlášení
499 label_logout: Odhlášení
500 label_help: Nápověda
500 label_help: Nápověda
501 label_reported_issues: Nahlášené úkoly
501 label_reported_issues: Nahlášené úkoly
502 label_assigned_to_me_issues: Mé úkoly
502 label_assigned_to_me_issues: Mé úkoly
503 label_last_login: Poslední přihlášení
503 label_last_login: Poslední přihlášení
504 label_registered_on: Registrován
504 label_registered_on: Registrován
505 label_activity: Aktivita
505 label_activity: Aktivita
506 label_overall_activity: Celková aktivita
506 label_overall_activity: Celková aktivita
507 label_user_activity: "Aktivita uživatele: %{value}"
507 label_user_activity: "Aktivita uživatele: %{value}"
508 label_new: Nový
508 label_new: Nový
509 label_logged_as: Přihlášen jako
509 label_logged_as: Přihlášen jako
510 label_environment: Prostředí
510 label_environment: Prostředí
511 label_authentication: Autentifikace
511 label_authentication: Autentifikace
512 label_auth_source: Mód autentifikace
512 label_auth_source: Mód autentifikace
513 label_auth_source_new: Nový mód autentifikace
513 label_auth_source_new: Nový mód autentifikace
514 label_auth_source_plural: Módy autentifikace
514 label_auth_source_plural: Módy autentifikace
515 label_subproject_plural: Podprojekty
515 label_subproject_plural: Podprojekty
516 label_subproject_new: Nový podprojekt
516 label_subproject_new: Nový podprojekt
517 label_and_its_subprojects: "%{value} a jeho podprojekty"
517 label_and_its_subprojects: "%{value} a jeho podprojekty"
518 label_min_max_length: Min - Max délka
518 label_min_max_length: Min - Max délka
519 label_list: Seznam
519 label_list: Seznam
520 label_date: Datum
520 label_date: Datum
521 label_integer: Celé číslo
521 label_integer: Celé číslo
522 label_float: Desetinné číslo
522 label_float: Desetinné číslo
523 label_boolean: Ano/Ne
523 label_boolean: Ano/Ne
524 label_string: Text
524 label_string: Text
525 label_text: Dlouhý text
525 label_text: Dlouhý text
526 label_attribute: Atribut
526 label_attribute: Atribut
527 label_attribute_plural: Atributy
527 label_attribute_plural: Atributy
528 label_no_data: Žádné položky
528 label_no_data: Žádné položky
529 label_change_status: Změnit stav
529 label_change_status: Změnit stav
530 label_history: Historie
530 label_history: Historie
531 label_attachment: Soubor
531 label_attachment: Soubor
532 label_attachment_new: Nový soubor
532 label_attachment_new: Nový soubor
533 label_attachment_delete: Odstranit soubor
533 label_attachment_delete: Odstranit soubor
534 label_attachment_plural: Soubory
534 label_attachment_plural: Soubory
535 label_file_added: Soubor přidán
535 label_file_added: Soubor přidán
536 label_report: Přehled
536 label_report: Přehled
537 label_report_plural: Přehledy
537 label_report_plural: Přehledy
538 label_news: Novinky
538 label_news: Novinky
539 label_news_new: Přidat novinku
539 label_news_new: Přidat novinku
540 label_news_plural: Novinky
540 label_news_plural: Novinky
541 label_news_latest: Poslední novinky
541 label_news_latest: Poslední novinky
542 label_news_view_all: Zobrazit všechny novinky
542 label_news_view_all: Zobrazit všechny novinky
543 label_news_added: Novinka přidána
543 label_news_added: Novinka přidána
544 label_settings: Nastavení
544 label_settings: Nastavení
545 label_overview: Přehled
545 label_overview: Přehled
546 label_version: Verze
546 label_version: Verze
547 label_version_new: Nová verze
547 label_version_new: Nová verze
548 label_version_plural: Verze
548 label_version_plural: Verze
549 label_close_versions: Zavřít dokončené verze
549 label_close_versions: Zavřít dokončené verze
550 label_confirmation: Potvrzení
550 label_confirmation: Potvrzení
551 label_export_to: 'Také k dispozici:'
551 label_export_to: 'Také k dispozici:'
552 label_read: Načítá se...
552 label_read: Načítá se...
553 label_public_projects: Veřejné projekty
553 label_public_projects: Veřejné projekty
554 label_open_issues: otevřený
554 label_open_issues: otevřený
555 label_open_issues_plural: otevřené
555 label_open_issues_plural: otevřené
556 label_closed_issues: uzavřený
556 label_closed_issues: uzavřený
557 label_closed_issues_plural: uzavřené
557 label_closed_issues_plural: uzavřené
558 label_x_open_issues_abbr:
558 label_x_open_issues_abbr:
559 zero: 0 otevřených
559 zero: 0 otevřených
560 one: 1 otevřený
560 one: 1 otevřený
561 other: "%{count} otevřených"
561 other: "%{count} otevřených"
562 label_x_closed_issues_abbr:
562 label_x_closed_issues_abbr:
563 zero: 0 uzavřených
563 zero: 0 uzavřených
564 one: 1 uzavřený
564 one: 1 uzavřený
565 other: "%{count} uzavřených"
565 other: "%{count} uzavřených"
566 label_total: Celkem
566 label_total: Celkem
567 label_permissions: Práva
567 label_permissions: Práva
568 label_current_status: Aktuální stav
568 label_current_status: Aktuální stav
569 label_new_statuses_allowed: Nové povolené stavy
569 label_new_statuses_allowed: Nové povolené stavy
570 label_all: vše
570 label_all: vše
571 label_none: nic
571 label_none: nic
572 label_nobody: nikdo
572 label_nobody: nikdo
573 label_next: Další
573 label_next: Další
574 label_previous: Předchozí
574 label_previous: Předchozí
575 label_used_by: Použito
575 label_used_by: Použito
576 label_details: Detaily
576 label_details: Detaily
577 label_add_note: Přidat poznámku
577 label_add_note: Přidat poznámku
578 label_calendar: Kalendář
578 label_calendar: Kalendář
579 label_months_from: měsíců od
579 label_months_from: měsíců od
580 label_gantt: Ganttův diagram
580 label_gantt: Ganttův diagram
581 label_internal: Interní
581 label_internal: Interní
582 label_last_changes: "posledních %{count} změn"
582 label_last_changes: "posledních %{count} změn"
583 label_change_view_all: Zobrazit všechny změny
583 label_change_view_all: Zobrazit všechny změny
584 label_personalize_page: Přizpůsobit tuto stránku
584 label_personalize_page: Přizpůsobit tuto stránku
585 label_comment: Komentář
585 label_comment: Komentář
586 label_comment_plural: Komentáře
586 label_comment_plural: Komentáře
587 label_x_comments:
587 label_x_comments:
588 zero: žádné komentáře
588 zero: žádné komentáře
589 one: 1 komentář
589 one: 1 komentář
590 other: "%{count} komentářů"
590 other: "%{count} komentářů"
591 label_comment_add: Přidat komentáře
591 label_comment_add: Přidat komentáře
592 label_comment_added: Komentář přidán
592 label_comment_added: Komentář přidán
593 label_comment_delete: Odstranit komentář
593 label_comment_delete: Odstranit komentář
594 label_query: Uživatelský dotaz
594 label_query: Uživatelský dotaz
595 label_query_plural: Uživatelské dotazy
595 label_query_plural: Uživatelské dotazy
596 label_query_new: Nový dotaz
596 label_query_new: Nový dotaz
597 label_filter_add: Přidat filtr
597 label_filter_add: Přidat filtr
598 label_filter_plural: Filtry
598 label_filter_plural: Filtry
599 label_equals: je
599 label_equals: je
600 label_not_equals: není
600 label_not_equals: není
601 label_in_less_than: je měší než
601 label_in_less_than: je měší než
602 label_in_more_than: je větší než
602 label_in_more_than: je větší než
603 label_greater_or_equal: '>='
603 label_greater_or_equal: '>='
604 label_less_or_equal: '<='
604 label_less_or_equal: '<='
605 label_in: v
605 label_in: v
606 label_today: dnes
606 label_today: dnes
607 label_all_time: vše
607 label_all_time: vše
608 label_yesterday: včera
608 label_yesterday: včera
609 label_this_week: tento týden
609 label_this_week: tento týden
610 label_last_week: minulý týden
610 label_last_week: minulý týden
611 label_last_n_days: "posledních %{count} dnů"
611 label_last_n_days: "posledních %{count} dnů"
612 label_this_month: tento měsíc
612 label_this_month: tento měsíc
613 label_last_month: minulý měsíc
613 label_last_month: minulý měsíc
614 label_this_year: tento rok
614 label_this_year: tento rok
615 label_date_range: Časový rozsah
615 label_date_range: Časový rozsah
616 label_less_than_ago: před méně jak (dny)
616 label_less_than_ago: před méně jak (dny)
617 label_more_than_ago: před více jak (dny)
617 label_more_than_ago: před více jak (dny)
618 label_ago: před (dny)
618 label_ago: před (dny)
619 label_contains: obsahuje
619 label_contains: obsahuje
620 label_not_contains: neobsahuje
620 label_not_contains: neobsahuje
621 label_day_plural: dny
621 label_day_plural: dny
622 label_repository: Repozitář
622 label_repository: Repozitář
623 label_repository_plural: Repozitáře
623 label_repository_plural: Repozitáře
624 label_browse: Procházet
624 label_browse: Procházet
625 label_branch: Větev
625 label_branch: Větev
626 label_tag: Tag
626 label_tag: Tag
627 label_revision: Revize
627 label_revision: Revize
628 label_revision_plural: Revizí
628 label_revision_plural: Revizí
629 label_revision_id: "Revize %{value}"
629 label_revision_id: "Revize %{value}"
630 label_associated_revisions: Související verze
630 label_associated_revisions: Související verze
631 label_added: přidáno
631 label_added: přidáno
632 label_modified: změněno
632 label_modified: změněno
633 label_copied: zkopírováno
633 label_copied: zkopírováno
634 label_renamed: přejmenováno
634 label_renamed: přejmenováno
635 label_deleted: odstraněno
635 label_deleted: odstraněno
636 label_latest_revision: Poslední revize
636 label_latest_revision: Poslední revize
637 label_latest_revision_plural: Poslední revize
637 label_latest_revision_plural: Poslední revize
638 label_view_revisions: Zobrazit revize
638 label_view_revisions: Zobrazit revize
639 label_view_all_revisions: Zobrazit všechny revize
639 label_view_all_revisions: Zobrazit všechny revize
640 label_max_size: Maximální velikost
640 label_max_size: Maximální velikost
641 label_sort_highest: Přesunout na začátek
641 label_sort_highest: Přesunout na začátek
642 label_sort_higher: Přesunout nahoru
642 label_sort_higher: Přesunout nahoru
643 label_sort_lower: Přesunout dolů
643 label_sort_lower: Přesunout dolů
644 label_sort_lowest: Přesunout na konec
644 label_sort_lowest: Přesunout na konec
645 label_roadmap: Plán
645 label_roadmap: Plán
646 label_roadmap_due_in: "Zbývá %{value}"
646 label_roadmap_due_in: "Zbývá %{value}"
647 label_roadmap_overdue: "%{value} pozdě"
647 label_roadmap_overdue: "%{value} pozdě"
648 label_roadmap_no_issues: Pro tuto verzi nejsou žádné úkoly
648 label_roadmap_no_issues: Pro tuto verzi nejsou žádné úkoly
649 label_search: Hledat
649 label_search: Hledat
650 label_result_plural: Výsledky
650 label_result_plural: Výsledky
651 label_all_words: Všechna slova
651 label_all_words: Všechna slova
652 label_wiki: Wiki
652 label_wiki: Wiki
653 label_wiki_edit: Wiki úprava
653 label_wiki_edit: Wiki úprava
654 label_wiki_edit_plural: Wiki úpravy
654 label_wiki_edit_plural: Wiki úpravy
655 label_wiki_page: Wiki stránka
655 label_wiki_page: Wiki stránka
656 label_wiki_page_plural: Wiki stránky
656 label_wiki_page_plural: Wiki stránky
657 label_index_by_title: Index dle názvu
657 label_index_by_title: Index dle názvu
658 label_index_by_date: Index dle data
658 label_index_by_date: Index dle data
659 label_current_version: Aktuální verze
659 label_current_version: Aktuální verze
660 label_preview: Náhled
660 label_preview: Náhled
661 label_feed_plural: Příspěvky
661 label_feed_plural: Příspěvky
662 label_changes_details: Detail všech změn
662 label_changes_details: Detail všech změn
663 label_issue_tracking: Sledování úkolů
663 label_issue_tracking: Sledování úkolů
664 label_spent_time: Strávený čas
664 label_spent_time: Strávený čas
665 label_overall_spent_time: Celkem strávený čas
665 label_overall_spent_time: Celkem strávený čas
666 label_f_hour: "%{value} hodina"
666 label_f_hour: "%{value} hodina"
667 label_f_hour_plural: "%{value} hodin"
667 label_f_hour_plural: "%{value} hodin"
668 label_time_tracking: Sledování času
668 label_time_tracking: Sledování času
669 label_change_plural: Změny
669 label_change_plural: Změny
670 label_statistics: Statistiky
670 label_statistics: Statistiky
671 label_commits_per_month: Commitů za měsíc
671 label_commits_per_month: Commitů za měsíc
672 label_commits_per_author: Commitů za autora
672 label_commits_per_author: Commitů za autora
673 label_view_diff: Zobrazit rozdíly
673 label_view_diff: Zobrazit rozdíly
674 label_diff_inline: uvnitř
674 label_diff_inline: uvnitř
675 label_diff_side_by_side: vedle sebe
675 label_diff_side_by_side: vedle sebe
676 label_options: Nastavení
676 label_options: Nastavení
677 label_copy_workflow_from: Kopírovat průběh práce z
677 label_copy_workflow_from: Kopírovat průběh práce z
678 label_permissions_report: Přehled práv
678 label_permissions_report: Přehled práv
679 label_watched_issues: Sledované úkoly
679 label_watched_issues: Sledované úkoly
680 label_related_issues: Související úkoly
680 label_related_issues: Související úkoly
681 label_applied_status: Použitý stav
681 label_applied_status: Použitý stav
682 label_loading: Nahrávám...
682 label_loading: Nahrávám...
683 label_relation_new: Nová souvislost
683 label_relation_new: Nová souvislost
684 label_relation_delete: Odstranit souvislost
684 label_relation_delete: Odstranit souvislost
685 label_relates_to: související s
685 label_relates_to: související s
686 label_duplicates: duplikuje
686 label_duplicates: duplikuje
687 label_duplicated_by: duplikován
687 label_duplicated_by: duplikován
688 label_blocks: blokuje
688 label_blocks: blokuje
689 label_blocked_by: blokován
689 label_blocked_by: blokován
690 label_precedes: předchází
690 label_precedes: předchází
691 label_follows: následuje
691 label_follows: následuje
692 label_stay_logged_in: Zůstat přihlášený
692 label_stay_logged_in: Zůstat přihlášený
693 label_disabled: zakázán
693 label_disabled: zakázán
694 label_show_completed_versions: Zobrazit dokončené verze
694 label_show_completed_versions: Zobrazit dokončené verze
695 label_me:
695 label_me:
696 label_board: Fórum
696 label_board: Fórum
697 label_board_new: Nové fórum
697 label_board_new: Nové fórum
698 label_board_plural: Fóra
698 label_board_plural: Fóra
699 label_board_locked: Zamčeno
699 label_board_locked: Zamčeno
700 label_board_sticky: Nálepka
700 label_board_sticky: Nálepka
701 label_topic_plural: Témata
701 label_topic_plural: Témata
702 label_message_plural: Příspěvky
702 label_message_plural: Příspěvky
703 label_message_last: Poslední příspěvek
703 label_message_last: Poslední příspěvek
704 label_message_new: Nový příspěvek
704 label_message_new: Nový příspěvek
705 label_message_posted: Příspěvek přidán
705 label_message_posted: Příspěvek přidán
706 label_reply_plural: Odpovědi
706 label_reply_plural: Odpovědi
707 label_send_information: Zaslat informace o účtu uživateli
707 label_send_information: Zaslat informace o účtu uživateli
708 label_year: Rok
708 label_year: Rok
709 label_month: Měsíc
709 label_month: Měsíc
710 label_week: Týden
710 label_week: Týden
711 label_date_from: Od
711 label_date_from: Od
712 label_date_to: Do
712 label_date_to: Do
713 label_language_based: Podle výchozího jazyka
713 label_language_based: Podle výchozího jazyka
714 label_sort_by: "Seřadit podle %{value}"
714 label_sort_by: "Seřadit podle %{value}"
715 label_send_test_email: Poslat testovací email
715 label_send_test_email: Poslat testovací email
716 label_feeds_access_key: Přístupový klíč pro Atom
716 label_feeds_access_key: Přístupový klíč pro Atom
717 label_missing_feeds_access_key: Postrádá přístupový klíč pro Atom
717 label_missing_feeds_access_key: Postrádá přístupový klíč pro Atom
718 label_feeds_access_key_created_on: "Přístupový klíč pro Atom byl vytvořen před %{value}"
718 label_feeds_access_key_created_on: "Přístupový klíč pro Atom byl vytvořen před %{value}"
719 label_module_plural: Moduly
719 label_module_plural: Moduly
720 label_added_time_by: "Přidáno uživatelem %{author} před %{age}"
720 label_added_time_by: "Přidáno uživatelem %{author} před %{age}"
721 label_updated_time_by: "Aktualizováno uživatelem %{author} před %{age}"
721 label_updated_time_by: "Aktualizováno uživatelem %{author} před %{age}"
722 label_updated_time: "Aktualizováno před %{value}"
722 label_updated_time: "Aktualizováno před %{value}"
723 label_jump_to_a_project: Vyberte projekt...
723 label_jump_to_a_project: Vyberte projekt...
724 label_file_plural: Soubory
724 label_file_plural: Soubory
725 label_changeset_plural: Revize
725 label_changeset_plural: Revize
726 label_default_columns: Výchozí sloupce
726 label_default_columns: Výchozí sloupce
727 label_no_change_option: (beze změny)
727 label_no_change_option: (beze změny)
728 label_bulk_edit_selected_issues: Hromadná úprava vybraných úkolů
728 label_bulk_edit_selected_issues: Hromadná úprava vybraných úkolů
729 label_theme: Téma
729 label_theme: Téma
730 label_default: Výchozí
730 label_default: Výchozí
731 label_search_titles_only: Vyhledávat pouze v názvech
731 label_search_titles_only: Vyhledávat pouze v názvech
732 label_user_mail_option_all: "Pro všechny události všech mých projektů"
732 label_user_mail_option_all: "Pro všechny události všech mých projektů"
733 label_user_mail_option_selected: "Pro všechny události vybraných projektů..."
733 label_user_mail_option_selected: "Pro všechny události vybraných projektů..."
734 label_user_mail_option_none: "Žádné události"
734 label_user_mail_option_none: "Žádné události"
735 label_user_mail_option_only_my_events: "Jen pro věci, co sleduji nebo jsem v nich zapojen"
735 label_user_mail_option_only_my_events: "Jen pro věci, co sleduji nebo jsem v nich zapojen"
736 label_user_mail_option_only_assigned: "Jen pro věci, ke kterým sem přiřazen"
736 label_user_mail_option_only_assigned: "Jen pro věci, ke kterým sem přiřazen"
737 label_user_mail_option_only_owner: "Jen pro věci, které vlastním"
737 label_user_mail_option_only_owner: "Jen pro věci, které vlastním"
738 label_user_mail_no_self_notified: "Nezasílat informace o mnou vytvořených změnách"
738 label_user_mail_no_self_notified: "Nezasílat informace o mnou vytvořených změnách"
739 label_registration_activation_by_email: aktivace účtu emailem
739 label_registration_activation_by_email: aktivace účtu emailem
740 label_registration_manual_activation: manuální aktivace účtu
740 label_registration_manual_activation: manuální aktivace účtu
741 label_registration_automatic_activation: automatická aktivace účtu
741 label_registration_automatic_activation: automatická aktivace účtu
742 label_display_per_page: "%{value} na stránku"
742 label_display_per_page: "%{value} na stránku"
743 label_age: Věk
743 label_age: Věk
744 label_change_properties: Změnit vlastnosti
744 label_change_properties: Změnit vlastnosti
745 label_general: Obecné
745 label_general: Obecné
746 label_more: Více
746 label_more: Více
747 label_scm: SCM
747 label_scm: SCM
748 label_plugins: Doplňky
748 label_plugins: Doplňky
749 label_ldap_authentication: Autentifikace LDAP
749 label_ldap_authentication: Autentifikace LDAP
750 label_downloads_abbr: Staž.
750 label_downloads_abbr: Staž.
751 label_optional_description: Volitelný popis
751 label_optional_description: Volitelný popis
752 label_add_another_file: Přidat další soubor
752 label_add_another_file: Přidat další soubor
753 label_preferences: Nastavení
753 label_preferences: Nastavení
754 label_chronological_order: V chronologickém pořadí
754 label_chronological_order: V chronologickém pořadí
755 label_reverse_chronological_order: V obrácaném chronologickém pořadí
755 label_reverse_chronological_order: V obrácaném chronologickém pořadí
756 label_planning: Plánování
756 label_planning: Plánování
757 label_incoming_emails: Příchozí e-maily
757 label_incoming_emails: Příchozí e-maily
758 label_generate_key: Generovat klíč
758 label_generate_key: Generovat klíč
759 label_issue_watchers: Sledování
759 label_issue_watchers: Sledování
760 label_example: Příklad
760 label_example: Příklad
761 label_display: Zobrazit
761 label_display: Zobrazit
762 label_sort: Řazení
762 label_sort: Řazení
763 label_ascending: Vzestupně
763 label_ascending: Vzestupně
764 label_descending: Sestupně
764 label_descending: Sestupně
765 label_date_from_to: Od %{start} do %{end}
765 label_date_from_to: Od %{start} do %{end}
766 label_wiki_content_added: Wiki stránka přidána
766 label_wiki_content_added: Wiki stránka přidána
767 label_wiki_content_updated: Wiki stránka aktualizována
767 label_wiki_content_updated: Wiki stránka aktualizována
768 label_group: Skupina
768 label_group: Skupina
769 label_group_plural: Skupiny
769 label_group_plural: Skupiny
770 label_group_new: Nová skupina
770 label_group_new: Nová skupina
771 label_time_entry_plural: Strávený čas
771 label_time_entry_plural: Strávený čas
772 label_version_sharing_none: Nesdíleno
772 label_version_sharing_none: Nesdíleno
773 label_version_sharing_descendants: S podprojekty
773 label_version_sharing_descendants: S podprojekty
774 label_version_sharing_hierarchy: S hierarchií projektu
774 label_version_sharing_hierarchy: S hierarchií projektu
775 label_version_sharing_tree: Se stromem projektu
775 label_version_sharing_tree: Se stromem projektu
776 label_version_sharing_system: Se všemi projekty
776 label_version_sharing_system: Se všemi projekty
777 label_update_issue_done_ratios: Aktualizovat koeficienty dokončení úkolů
777 label_update_issue_done_ratios: Aktualizovat koeficienty dokončení úkolů
778 label_copy_source: Zdroj
778 label_copy_source: Zdroj
779 label_copy_target: Cíl
779 label_copy_target: Cíl
780 label_copy_same_as_target: Stejný jako cíl
780 label_copy_same_as_target: Stejný jako cíl
781 label_display_used_statuses_only: Zobrazit pouze stavy které jsou použité touto frontou
781 label_display_used_statuses_only: Zobrazit pouze stavy které jsou použité touto frontou
782 label_api_access_key: API přístupový klíč
782 label_api_access_key: API přístupový klíč
783 label_missing_api_access_key: Chybějící přístupový klíč API
783 label_missing_api_access_key: Chybějící přístupový klíč API
784 label_api_access_key_created_on: API přístupový klíč vytvořen %{value}
784 label_api_access_key_created_on: API přístupový klíč vytvořen %{value}
785 label_profile: Profil
785 label_profile: Profil
786 label_subtask_plural: Dílčí úkoly
786 label_subtask_plural: Dílčí úkoly
787 label_project_copy_notifications: Odeslat email oznámení v průběhu kopie projektu
787 label_project_copy_notifications: Odeslat email oznámení v průběhu kopie projektu
788 label_principal_search: "Hledat uživatele nebo skupinu:"
788 label_principal_search: "Hledat uživatele nebo skupinu:"
789 label_user_search: "Hledat uživatele:"
789 label_user_search: "Hledat uživatele:"
790
790
791 button_login: Přihlásit
791 button_login: Přihlásit
792 button_submit: Potvrdit
792 button_submit: Potvrdit
793 button_save: Uložit
793 button_save: Uložit
794 button_check_all: Zašrtnout vše
794 button_check_all: Zašrtnout vše
795 button_uncheck_all: Odšrtnout vše
795 button_uncheck_all: Odšrtnout vše
796 button_delete: Odstranit
796 button_delete: Odstranit
797 button_create: Vytvořit
797 button_create: Vytvořit
798 button_create_and_continue: Vytvořit a pokračovat
798 button_create_and_continue: Vytvořit a pokračovat
799 button_test: Testovat
799 button_test: Testovat
800 button_edit: Upravit
800 button_edit: Upravit
801 button_edit_associated_wikipage: "Upravit přiřazenou Wiki stránku: %{page_title}"
801 button_edit_associated_wikipage: "Upravit přiřazenou Wiki stránku: %{page_title}"
802 button_add: Přidat
802 button_add: Přidat
803 button_change: Změnit
803 button_change: Změnit
804 button_apply: Použít
804 button_apply: Použít
805 button_clear: Smazat
805 button_clear: Smazat
806 button_lock: Zamknout
806 button_lock: Zamknout
807 button_unlock: Odemknout
807 button_unlock: Odemknout
808 button_download: Stáhnout
808 button_download: Stáhnout
809 button_list: Vypsat
809 button_list: Vypsat
810 button_view: Zobrazit
810 button_view: Zobrazit
811 button_move: Přesunout
811 button_move: Přesunout
812 button_move_and_follow: Přesunout a následovat
812 button_move_and_follow: Přesunout a následovat
813 button_back: Zpět
813 button_back: Zpět
814 button_cancel: Storno
814 button_cancel: Storno
815 button_activate: Aktivovat
815 button_activate: Aktivovat
816 button_sort: Seřadit
816 button_sort: Seřadit
817 button_log_time: Přidat čas
817 button_log_time: Přidat čas
818 button_rollback: Zpět k této verzi
818 button_rollback: Zpět k této verzi
819 button_watch: Sledovat
819 button_watch: Sledovat
820 button_unwatch: Nesledovat
820 button_unwatch: Nesledovat
821 button_reply: Odpovědět
821 button_reply: Odpovědět
822 button_archive: Archivovat
822 button_archive: Archivovat
823 button_unarchive: Dearchivovat
823 button_unarchive: Dearchivovat
824 button_reset: Resetovat
824 button_reset: Resetovat
825 button_rename: Přejmenovat
825 button_rename: Přejmenovat
826 button_change_password: Změnit heslo
826 button_change_password: Změnit heslo
827 button_copy: Kopírovat
827 button_copy: Kopírovat
828 button_copy_and_follow: Kopírovat a následovat
828 button_copy_and_follow: Kopírovat a následovat
829 button_annotate: Komentovat
829 button_annotate: Komentovat
830 button_update: Aktualizovat
830 button_update: Aktualizovat
831 button_configure: Konfigurovat
831 button_configure: Konfigurovat
832 button_quote: Citovat
832 button_quote: Citovat
833 button_duplicate: Duplikovat
833 button_duplicate: Duplikovat
834 button_show: Zobrazit
834 button_show: Zobrazit
835
835
836 status_active: aktivní
836 status_active: aktivní
837 status_registered: registrovaný
837 status_registered: registrovaný
838 status_locked: zamčený
838 status_locked: zamčený
839
839
840 version_status_open: otevřený
840 version_status_open: otevřený
841 version_status_locked: zamčený
841 version_status_locked: zamčený
842 version_status_closed: zavřený
842 version_status_closed: zavřený
843
843
844 field_active: Aktivní
844 field_active: Aktivní
845
845
846 text_select_mail_notifications: Vyberte akci, při které bude zasláno upozornění emailem.
846 text_select_mail_notifications: Vyberte akci, při které bude zasláno upozornění emailem.
847 text_regexp_info: např. ^[A-Z0-9]+$
847 text_regexp_info: např. ^[A-Z0-9]+$
848 text_min_max_length_info: 0 znamená bez limitu
848 text_min_max_length_info: 0 znamená bez limitu
849 text_project_destroy_confirmation: Jste si jisti, že chcete odstranit tento projekt a všechna související data?
849 text_project_destroy_confirmation: Jste si jisti, že chcete odstranit tento projekt a všechna související data?
850 text_subprojects_destroy_warning: "Jeho podprojek(y): %{value} budou také smazány."
850 text_subprojects_destroy_warning: "Jeho podprojek(y): %{value} budou také smazány."
851 text_workflow_edit: Vyberte roli a frontu k editaci průběhu práce
851 text_workflow_edit: Vyberte roli a frontu k editaci průběhu práce
852 text_are_you_sure: Jste si jisti?
852 text_are_you_sure: Jste si jisti?
853 text_journal_changed: "%{label} změněn z %{old} na %{new}"
853 text_journal_changed: "%{label} změněn z %{old} na %{new}"
854 text_journal_set_to: "%{label} nastaven na %{value}"
854 text_journal_set_to: "%{label} nastaven na %{value}"
855 text_journal_deleted: "%{label} smazán (%{old})"
855 text_journal_deleted: "%{label} smazán (%{old})"
856 text_journal_added: "%{label} %{value} přidán"
856 text_journal_added: "%{label} %{value} přidán"
857 text_tip_issue_begin_day: úkol začíná v tento den
857 text_tip_issue_begin_day: úkol začíná v tento den
858 text_tip_issue_end_day: úkol končí v tento den
858 text_tip_issue_end_day: úkol končí v tento den
859 text_tip_issue_begin_end_day: úkol začíná a končí v tento den
859 text_tip_issue_begin_end_day: úkol začíná a končí v tento den
860 text_caracters_maximum: "%{count} znaků maximálně."
860 text_caracters_maximum: "%{count} znaků maximálně."
861 text_caracters_minimum: "Musí být alespoň %{count} znaků dlouhé."
861 text_caracters_minimum: "Musí být alespoň %{count} znaků dlouhé."
862 text_length_between: "Délka mezi %{min} a %{max} znaky."
862 text_length_between: "Délka mezi %{min} a %{max} znaky."
863 text_tracker_no_workflow: Pro tuto frontu není definován žádný průběh práce
863 text_tracker_no_workflow: Pro tuto frontu není definován žádný průběh práce
864 text_unallowed_characters: Nepovolené znaky
864 text_unallowed_characters: Nepovolené znaky
865 text_comma_separated: Povoleno více hodnot (oddělěné čárkou).
865 text_comma_separated: Povoleno více hodnot (oddělěné čárkou).
866 text_line_separated: Více hodnot povoleno (jeden řádek pro každou hodnotu).
866 text_line_separated: Více hodnot povoleno (jeden řádek pro každou hodnotu).
867 text_issues_ref_in_commit_messages: Odkazování a opravování úkolů v poznámkách commitů
867 text_issues_ref_in_commit_messages: Odkazování a opravování úkolů v poznámkách commitů
868 text_issue_added: "Úkol %{id} byl vytvořen uživatelem %{author}."
868 text_issue_added: "Úkol %{id} byl vytvořen uživatelem %{author}."
869 text_issue_updated: "Úkol %{id} byl aktualizován uživatelem %{author}."
869 text_issue_updated: "Úkol %{id} byl aktualizován uživatelem %{author}."
870 text_wiki_destroy_confirmation: Opravdu si přejete odstranit tuto Wiki a celý její obsah?
870 text_wiki_destroy_confirmation: Opravdu si přejete odstranit tuto Wiki a celý její obsah?
871 text_issue_category_destroy_question: "Některé úkoly (%{count}) jsou přiřazeny k této kategorii. Co s nimi chtete udělat?"
871 text_issue_category_destroy_question: "Některé úkoly (%{count}) jsou přiřazeny k této kategorii. Co s nimi chtete udělat?"
872 text_issue_category_destroy_assignments: Zrušit přiřazení ke kategorii
872 text_issue_category_destroy_assignments: Zrušit přiřazení ke kategorii
873 text_issue_category_reassign_to: Přiřadit úkoly do této kategorie
873 text_issue_category_reassign_to: Přiřadit úkoly do této kategorie
874 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))."
874 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))."
875 text_no_configuration_data: "Role, fronty, stavy úkolů ani průběh práce nebyly zatím nakonfigurovány.\nVelice doporučujeme nahrát výchozí konfiguraci. Po si můžete vše upravit"
875 text_no_configuration_data: "Role, fronty, stavy úkolů ani průběh práce nebyly zatím nakonfigurovány.\nVelice doporučujeme nahrát výchozí konfiguraci. Po si můžete vše upravit"
876 text_load_default_configuration: Nahrát výchozí konfiguraci
876 text_load_default_configuration: Nahrát výchozí konfiguraci
877 text_status_changed_by_changeset: "Použito v sadě změn %{value}."
877 text_status_changed_by_changeset: "Použito v sadě změn %{value}."
878 text_time_logged_by_changeset: Aplikováno v sadě změn %{value}.
878 text_time_logged_by_changeset: Aplikováno v sadě změn %{value}.
879 text_issues_destroy_confirmation: 'Opravdu si přejete odstranit všechny zvolené úkoly?'
879 text_issues_destroy_confirmation: 'Opravdu si přejete odstranit všechny zvolené úkoly?'
880 text_select_project_modules: 'Aktivní moduly v tomto projektu:'
880 text_select_project_modules: 'Aktivní moduly v tomto projektu:'
881 text_default_administrator_account_changed: Výchozí nastavení administrátorského účtu změněno
881 text_default_administrator_account_changed: Výchozí nastavení administrátorského účtu změněno
882 text_file_repository_writable: Povolen zápis do adresáře ukládání souborů
882 text_file_repository_writable: Povolen zápis do adresáře ukládání souborů
883 text_plugin_assets_writable: Možnost zápisu do adresáře plugin assets
883 text_plugin_assets_writable: Možnost zápisu do adresáře plugin assets
884 text_rmagick_available: RMagick k dispozici (volitelné)
884 text_rmagick_available: RMagick k dispozici (volitelné)
885 text_destroy_time_entries_question: "U úkolů, které chcete odstranit, je evidováno %{hours} práce. Co chete udělat?"
885 text_destroy_time_entries_question: "U úkolů, které chcete odstranit, je evidováno %{hours} práce. Co chete udělat?"
886 text_destroy_time_entries: Odstranit zaznamenané hodiny.
886 text_destroy_time_entries: Odstranit zaznamenané hodiny.
887 text_assign_time_entries_to_project: Přiřadit zaznamenané hodiny projektu
887 text_assign_time_entries_to_project: Přiřadit zaznamenané hodiny projektu
888 text_reassign_time_entries: 'Přeřadit zaznamenané hodiny k tomuto úkolu:'
888 text_reassign_time_entries: 'Přeřadit zaznamenané hodiny k tomuto úkolu:'
889 text_user_wrote: "%{value} napsal:"
889 text_user_wrote: "%{value} napsal:"
890 text_enumeration_destroy_question: "Několik (%{count}) objektů je přiřazeno k této hodnotě."
890 text_enumeration_destroy_question: "Několik (%{count}) objektů je přiřazeno k této hodnotě."
891 text_enumeration_category_reassign_to: 'Přeřadit je do této:'
891 text_enumeration_category_reassign_to: 'Přeřadit je do této:'
892 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/configuration.yml a restartujte aplikaci."
892 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/configuration.yml a restartujte aplikaci."
893 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živatelským jménem a uživatelským jménem v repozitáři jsou mapováni automaticky."
893 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živatelským jménem a uživatelským jménem v repozitáři jsou mapováni automaticky."
894 text_diff_truncated: '... Rozdílový soubor je zkrácen, protože jeho délka přesahuje max. limit.'
894 text_diff_truncated: '... Rozdílový soubor je zkrácen, protože jeho délka přesahuje max. limit.'
895 text_custom_field_possible_values_info: 'Každá hodnota na novém řádku'
895 text_custom_field_possible_values_info: 'Každá hodnota na novém řádku'
896 text_wiki_page_destroy_question: Tato stránka má %{descendants} podstránek a potomků. Co chcete udělat?
896 text_wiki_page_destroy_question: Tato stránka má %{descendants} podstránek a potomků. Co chcete udělat?
897 text_wiki_page_nullify_children: Ponechat podstránky jako kořenové stránky
897 text_wiki_page_nullify_children: Ponechat podstránky jako kořenové stránky
898 text_wiki_page_destroy_children: Smazat podstránky a všechny jejich potomky
898 text_wiki_page_destroy_children: Smazat podstránky a všechny jejich potomky
899 text_wiki_page_reassign_children: Přiřadit podstránky k tomuto rodiči
899 text_wiki_page_reassign_children: Přiřadit podstránky k tomuto rodiči
900 text_own_membership_delete_confirmation: "Chystáte se odebrat si některá nebo všechna svá oprávnění, potom již nemusíte být schopni upravit tento projekt.\nOpravdu chcete pokračovat?"
900 text_own_membership_delete_confirmation: "Chystáte se odebrat si některá nebo všechna svá oprávnění, potom již nemusíte být schopni upravit tento projekt.\nOpravdu chcete pokračovat?"
901 text_zoom_in: Přiblížit
901 text_zoom_in: Přiblížit
902 text_zoom_out: Oddálit
902 text_zoom_out: Oddálit
903
903
904 default_role_manager: Manažer
904 default_role_manager: Manažer
905 default_role_developer: Vývojář
905 default_role_developer: Vývojář
906 default_role_reporter: Reportér
906 default_role_reporter: Reportér
907 default_tracker_bug: Chyba
907 default_tracker_bug: Chyba
908 default_tracker_feature: Požadavek
908 default_tracker_feature: Požadavek
909 default_tracker_support: Podpora
909 default_tracker_support: Podpora
910 default_issue_status_new: Nový
910 default_issue_status_new: Nový
911 default_issue_status_in_progress: Ve vývoji
911 default_issue_status_in_progress: Ve vývoji
912 default_issue_status_resolved: Vyřešený
912 default_issue_status_resolved: Vyřešený
913 default_issue_status_feedback: Čeká se
913 default_issue_status_feedback: Čeká se
914 default_issue_status_closed: Uzavřený
914 default_issue_status_closed: Uzavřený
915 default_issue_status_rejected: Odmítnutý
915 default_issue_status_rejected: Odmítnutý
916 default_doc_category_user: Uživatelská dokumentace
916 default_doc_category_user: Uživatelská dokumentace
917 default_doc_category_tech: Technická dokumentace
917 default_doc_category_tech: Technická dokumentace
918 default_priority_low: Nízká
918 default_priority_low: Nízká
919 default_priority_normal: Normální
919 default_priority_normal: Normální
920 default_priority_high: Vysoká
920 default_priority_high: Vysoká
921 default_priority_urgent: Urgentní
921 default_priority_urgent: Urgentní
922 default_priority_immediate: Okamžitá
922 default_priority_immediate: Okamžitá
923 default_activity_design: Návhr
923 default_activity_design: Návhr
924 default_activity_development: Vývoj
924 default_activity_development: Vývoj
925
925
926 enumeration_issue_priorities: Priority úkolů
926 enumeration_issue_priorities: Priority úkolů
927 enumeration_doc_categories: Kategorie dokumentů
927 enumeration_doc_categories: Kategorie dokumentů
928 enumeration_activities: Aktivity (sledování času)
928 enumeration_activities: Aktivity (sledování času)
929 enumeration_system_activity: Systémová aktivita
929 enumeration_system_activity: Systémová aktivita
930
930
931 field_warn_on_leaving_unsaved: Varuj mě před opuštěním stránky s neuloženým textem
931 field_warn_on_leaving_unsaved: Varuj mě před opuštěním stránky s neuloženým textem
932 text_warn_on_leaving_unsaved: Aktuální stránka obsahuje neuložený text, který bude ztracen, když opustíte stránku.
932 text_warn_on_leaving_unsaved: Aktuální stránka obsahuje neuložený text, který bude ztracen, když opustíte stránku.
933 label_my_queries: Moje vlastní dotazy
933 label_my_queries: Moje vlastní dotazy
934 text_journal_changed_no_detail: "%{label} aktualizován"
934 text_journal_changed_no_detail: "%{label} aktualizován"
935 label_news_comment_added: K novince byl přidán komentář
935 label_news_comment_added: K novince byl přidán komentář
936 button_expand_all: Rozbal vše
936 button_expand_all: Rozbal vše
937 button_collapse_all: Sbal vše
937 button_collapse_all: Sbal vše
938 label_additional_workflow_transitions_for_assignee: Další změna stavu povolena, jestliže je uživatel přiřazen
938 label_additional_workflow_transitions_for_assignee: Další změna stavu povolena, jestliže je uživatel přiřazen
939 label_additional_workflow_transitions_for_author: Další změna stavu povolena, jestliže je uživatel autorem
939 label_additional_workflow_transitions_for_author: Další změna stavu povolena, jestliže je uživatel autorem
940 label_bulk_edit_selected_time_entries: Hromadná změna záznamů času
940 label_bulk_edit_selected_time_entries: Hromadná změna záznamů času
941 text_time_entries_destroy_confirmation: Jste si jistí, že chcete smazat vybraný záznam(y) času?
941 text_time_entries_destroy_confirmation: Jste si jistí, že chcete smazat vybraný záznam(y) času?
942 label_role_anonymous: Anonymní
942 label_role_anonymous: Anonymní
943 label_role_non_member: Není členem
943 label_role_non_member: Není členem
944 label_issue_note_added: Přidána poznámka
944 label_issue_note_added: Přidána poznámka
945 label_issue_status_updated: Aktualizován stav
945 label_issue_status_updated: Aktualizován stav
946 label_issue_priority_updated: Aktualizována priorita
946 label_issue_priority_updated: Aktualizována priorita
947 label_issues_visibility_own: Úkol vytvořen nebo přiřazen uživatel(i/em)
947 label_issues_visibility_own: Úkol vytvořen nebo přiřazen uživatel(i/em)
948 field_issues_visibility: Viditelnost úkolů
948 field_issues_visibility: Viditelnost úkolů
949 label_issues_visibility_all: Všechny úkoly
949 label_issues_visibility_all: Všechny úkoly
950 permission_set_own_issues_private: Nastavit vlastní úkoly jako veřejné nebo soukromé
950 permission_set_own_issues_private: Nastavit vlastní úkoly jako veřejné nebo soukromé
951 field_is_private: Soukromý
951 field_is_private: Soukromý
952 permission_set_issues_private: Nastavit úkoly jako veřejné nebo soukromé
952 permission_set_issues_private: Nastavit úkoly jako veřejné nebo soukromé
953 label_issues_visibility_public: Všechny úkoly, které nejsou soukromé
953 label_issues_visibility_public: Všechny úkoly, které nejsou soukromé
954 text_issues_destroy_descendants_confirmation: "%{count} dílčí(ch) úkol(ů) bude rovněž smazán(o)."
954 text_issues_destroy_descendants_confirmation: "%{count} dílčí(ch) úkol(ů) bude rovněž smazán(o)."
955 field_commit_logs_encoding: Kódování zpráv při commitu
955 field_commit_logs_encoding: Kódování zpráv při commitu
956 field_scm_path_encoding: Kódování cesty SCM
956 field_scm_path_encoding: Kódování cesty SCM
957 text_scm_path_encoding_note: "Výchozí: UTF-8"
957 text_scm_path_encoding_note: "Výchozí: UTF-8"
958 field_path_to_repository: Cesta k repositáři
958 field_path_to_repository: Cesta k repositáři
959 field_root_directory: Kořenový adresář
959 field_root_directory: Kořenový adresář
960 field_cvs_module: Modul
960 field_cvs_module: Modul
961 field_cvsroot: CVSROOT
961 field_cvsroot: CVSROOT
962 text_mercurial_repository_note: Lokální repositář (např. /hgrepo, c:\hgrepo)
962 text_mercurial_repository_note: Lokální repositář (např. /hgrepo, c:\hgrepo)
963 text_scm_command: Příkaz
963 text_scm_command: Příkaz
964 text_scm_command_version: Verze
964 text_scm_command_version: Verze
965 label_git_report_last_commit: Reportovat poslední commit pro soubory a adresáře
965 label_git_report_last_commit: Reportovat poslední commit pro soubory a adresáře
966 text_scm_config: Můžete si nastavit vaše SCM příkazy v config/configuration.yml. Restartujte, prosím, aplikaci po jejich úpravě.
966 text_scm_config: Můžete si nastavit vaše SCM příkazy v config/configuration.yml. Restartujte, prosím, aplikaci po jejich úpravě.
967 text_scm_command_not_available: SCM příkaz není k dispozici. Zkontrolujte, prosím, nastavení v panelu Administrace.
967 text_scm_command_not_available: SCM příkaz není k dispozici. Zkontrolujte, prosím, nastavení v panelu Administrace.
968 notice_issue_successful_create: Úkol %{id} vytvořen.
968 notice_issue_successful_create: Úkol %{id} vytvořen.
969 label_between: mezi
969 label_between: mezi
970 setting_issue_group_assignment: Povolit přiřazení úkolu skupině
970 setting_issue_group_assignment: Povolit přiřazení úkolu skupině
971 label_diff: rozdíl
971 label_diff: rozdíl
972 text_git_repository_note: Repositář je "bare and local" (např. /gitrepo, c:\gitrepo)
972 text_git_repository_note: Repositář je "bare and local" (např. /gitrepo, c:\gitrepo)
973 description_query_sort_criteria_direction: Směr třídění
973 description_query_sort_criteria_direction: Směr třídění
974 description_project_scope: Rozsah vyhledávání
974 description_project_scope: Rozsah vyhledávání
975 description_filter: Filtr
975 description_filter: Filtr
976 description_user_mail_notification: Nastavení emailových notifikací
976 description_user_mail_notification: Nastavení emailových notifikací
977 description_date_from: Zadejte počáteční datum
977 description_date_from: Zadejte počáteční datum
978 description_message_content: Obsah zprávy
978 description_message_content: Obsah zprávy
979 description_available_columns: Dostupné sloupce
979 description_available_columns: Dostupné sloupce
980 description_date_range_interval: Zvolte rozsah výběrem počátečního a koncového data
980 description_date_range_interval: Zvolte rozsah výběrem počátečního a koncového data
981 description_issue_category_reassign: Zvolte kategorii úkolu
981 description_issue_category_reassign: Zvolte kategorii úkolu
982 description_search: Vyhledávací pole
982 description_search: Vyhledávací pole
983 description_notes: Poznámky
983 description_notes: Poznámky
984 description_date_range_list: Zvolte rozsah ze seznamu
984 description_date_range_list: Zvolte rozsah ze seznamu
985 description_choose_project: Projekty
985 description_choose_project: Projekty
986 description_date_to: Zadejte datum
986 description_date_to: Zadejte datum
987 description_query_sort_criteria_attribute: Třídící atribut
987 description_query_sort_criteria_attribute: Třídící atribut
988 description_wiki_subpages_reassign: Zvolte novou rodičovskou stránku
988 description_wiki_subpages_reassign: Zvolte novou rodičovskou stránku
989 description_selected_columns: Vybraný sloupec
989 description_selected_columns: Vybraný sloupec
990 label_parent_revision: Rodič
990 label_parent_revision: Rodič
991 label_child_revision: Potomek
991 label_child_revision: Potomek
992 error_scm_annotate_big_text_file: Vstup nemůže být komentován, protože překračuje povolenou velikost textového souboru
992 error_scm_annotate_big_text_file: Vstup nemůže být komentován, protože překračuje povolenou velikost textového souboru
993 setting_default_issue_start_date_to_creation_date: Použij aktuální datum jako počáteční datum pro nové úkoly
993 setting_default_issue_start_date_to_creation_date: Použij aktuální datum jako počáteční datum pro nové úkoly
994 button_edit_section: Uprav tuto část
994 button_edit_section: Uprav tuto část
995 setting_repositories_encodings: Kódování příloh a repositářů
995 setting_repositories_encodings: Kódování příloh a repositářů
996 description_all_columns: Všechny sloupce
996 description_all_columns: Všechny sloupce
997 button_export: Export
997 button_export: Export
998 label_export_options: "nastavení exportu %{export_format}"
998 label_export_options: "nastavení exportu %{export_format}"
999 error_attachment_too_big: Soubor nemůže být nahrán, protože jeho velikost je větší než maximální (%{max_size})
999 error_attachment_too_big: Soubor nemůže být nahrán, protože jeho velikost je větší než maximální (%{max_size})
1000 notice_failed_to_save_time_entries: "Chyba při ukládání %{count} časov(ých/ého) záznam(ů) z %{total} vybraného: %{ids}."
1000 notice_failed_to_save_time_entries: "Chyba při ukládání %{count} časov(ých/ého) záznam(ů) z %{total} vybraného: %{ids}."
1001 label_x_issues:
1001 label_x_issues:
1002 zero: 0 Úkol
1002 zero: 0 Úkol
1003 one: 1 Úkol
1003 one: 1 Úkol
1004 other: "%{count} Úkoly"
1004 other: "%{count} Úkoly"
1005 label_repository_new: Nový repositář
1005 label_repository_new: Nový repositář
1006 field_repository_is_default: Hlavní repositář
1006 field_repository_is_default: Hlavní repositář
1007 label_copy_attachments: Kopírovat přílohy
1007 label_copy_attachments: Kopírovat přílohy
1008 label_item_position: "%{position}/%{count}"
1008 label_item_position: "%{position}/%{count}"
1009 label_completed_versions: Dokončené verze
1009 label_completed_versions: Dokončené verze
1010 text_project_identifier_info: Jsou povolena pouze malá písmena (a-z), číslice, pomlčky a podtržítka.<br />Po uložení již nelze identifikátor měnit.
1010 text_project_identifier_info: Jsou povolena pouze malá písmena (a-z), číslice, pomlčky a podtržítka.<br />Po uložení již nelze identifikátor měnit.
1011 field_multiple: Více hodnot
1011 field_multiple: Více hodnot
1012 setting_commit_cross_project_ref: Povolit reference a opravy úkolů ze všech ostatních projektů
1012 setting_commit_cross_project_ref: Povolit reference a opravy úkolů ze všech ostatních projektů
1013 text_issue_conflict_resolution_add_notes: Přidat moje poznámky a zahodit ostatní změny
1013 text_issue_conflict_resolution_add_notes: Přidat moje poznámky a zahodit ostatní změny
1014 text_issue_conflict_resolution_overwrite: Přesto přijmout moje úpravy (předchozí poznámky budou zachovány, ale některé změny mohou být přepsány)
1014 text_issue_conflict_resolution_overwrite: Přesto přijmout moje úpravy (předchozí poznámky budou zachovány, ale některé změny mohou být přepsány)
1015 notice_issue_update_conflict: Během vašich úprav byl úkol aktualizován jiným uživatelem.
1015 notice_issue_update_conflict: Během vašich úprav byl úkol aktualizován jiným uživatelem.
1016 text_issue_conflict_resolution_cancel: Zahoď všechny moje změny a znovu zobraz %{link}
1016 text_issue_conflict_resolution_cancel: Zahoď všechny moje změny a znovu zobraz %{link}
1017 permission_manage_related_issues: Spravuj související úkoly
1017 permission_manage_related_issues: Spravuj související úkoly
1018 field_auth_source_ldap_filter: LDAP filtr
1018 field_auth_source_ldap_filter: LDAP filtr
1019 label_search_for_watchers: Hledej sledující pro přidání
1019 label_search_for_watchers: Hledej sledující pro přidání
1020 notice_account_deleted: Váš účet byl trvale smazán.
1020 notice_account_deleted: Váš účet byl trvale smazán.
1021 setting_unsubscribe: Povolit uživatelům smazání jejich vlastního účtu
1021 setting_unsubscribe: Povolit uživatelům smazání jejich vlastního účtu
1022 button_delete_my_account: Smazat můj účet
1022 button_delete_my_account: Smazat můj účet
1023 text_account_destroy_confirmation: |-
1023 text_account_destroy_confirmation: |-
1024 Skutečně chcete pokračovat?
1024 Skutečně chcete pokračovat?
1025 Váš účet bude nenávratně smazán.
1025 Váš účet bude nenávratně smazán.
1026 error_session_expired: Vaše sezení vypršelo. Znovu se přihlaste, prosím.
1026 error_session_expired: Vaše sezení vypršelo. Znovu se přihlaste, prosím.
1027 text_session_expiration_settings: "Varování: změnou tohoto nastavení mohou vypršet aktuální sezení včetně toho vašeho."
1027 text_session_expiration_settings: "Varování: změnou tohoto nastavení mohou vypršet aktuální sezení včetně toho vašeho."
1028 setting_session_lifetime: Maximální čas sezení
1028 setting_session_lifetime: Maximální čas sezení
1029 setting_session_timeout: Vypršení sezení bez aktivity
1029 setting_session_timeout: Vypršení sezení bez aktivity
1030 label_session_expiration: Vypršení sezení
1030 label_session_expiration: Vypršení sezení
1031 permission_close_project: Zavřít / Otevřít projekt
1031 permission_close_project: Zavřít / Otevřít projekt
1032 label_show_closed_projects: Zobrazit zavřené projekty
1032 label_show_closed_projects: Zobrazit zavřené projekty
1033 button_close: Zavřít
1033 button_close: Zavřít
1034 button_reopen: Znovu otevřít
1034 button_reopen: Znovu otevřít
1035 project_status_active: aktivní
1035 project_status_active: aktivní
1036 project_status_closed: zavřený
1036 project_status_closed: zavřený
1037 project_status_archived: archivovaný
1037 project_status_archived: archivovaný
1038 text_project_closed: Tento projekt je uzevřený a je pouze pro čtení.
1038 text_project_closed: Tento projekt je uzevřený a je pouze pro čtení.
1039 notice_user_successful_create: Uživatel %{id} vytvořen.
1039 notice_user_successful_create: Uživatel %{id} vytvořen.
1040 field_core_fields: Standardní pole
1040 field_core_fields: Standardní pole
1041 field_timeout: Vypršení (v sekundách)
1041 field_timeout: Vypršení (v sekundách)
1042 setting_thumbnails_enabled: Zobrazit náhled přílohy
1042 setting_thumbnails_enabled: Zobrazit náhled přílohy
1043 setting_thumbnails_size: Velikost náhledu (v pixelech)
1043 setting_thumbnails_size: Velikost náhledu (v pixelech)
1044 label_status_transitions: Změna stavu
1044 label_status_transitions: Změna stavu
1045 label_fields_permissions: Práva k polím
1045 label_fields_permissions: Práva k polím
1046 label_readonly: Pouze pro čtení
1046 label_readonly: Pouze pro čtení
1047 label_required: Vyžadováno
1047 label_required: Vyžadováno
1048 text_repository_identifier_info: Jou povoleny pouze malá písmena (a-z), číslice, pomlčky a podtržítka.<br />Po uložení již nelze identifikátor změnit.
1048 text_repository_identifier_info: Jou povoleny pouze malá písmena (a-z), číslice, pomlčky a podtržítka.<br />Po uložení již nelze identifikátor změnit.
1049 field_board_parent: Rodičovské fórum
1049 field_board_parent: Rodičovské fórum
1050 label_attribute_of_project: Projektové %{name}
1050 label_attribute_of_project: Projektové %{name}
1051 label_attribute_of_author: Autorovo %{name}
1051 label_attribute_of_author: Autorovo %{name}
1052 label_attribute_of_assigned_to: "%{name} přiřazené(ho)"
1052 label_attribute_of_assigned_to: "%{name} přiřazené(ho)"
1053 label_attribute_of_fixed_version: Cílová verze %{name}
1053 label_attribute_of_fixed_version: Cílová verze %{name}
1054 label_copy_subtasks: Kopírovat dílčí úkoly
1054 label_copy_subtasks: Kopírovat dílčí úkoly
1055 label_copied_to: zkopírováno do
1055 label_copied_to: zkopírováno do
1056 label_copied_from: zkopírováno z
1056 label_copied_from: zkopírováno z
1057 label_any_issues_in_project: jakékoli úkoly v projektu
1057 label_any_issues_in_project: jakékoli úkoly v projektu
1058 label_any_issues_not_in_project: jakékoli úkoly mimo projekt
1058 label_any_issues_not_in_project: jakékoli úkoly mimo projekt
1059 field_private_notes: Soukromé poznámky
1059 field_private_notes: Soukromé poznámky
1060 permission_view_private_notes: Zobrazit soukromé poznámky
1060 permission_view_private_notes: Zobrazit soukromé poznámky
1061 permission_set_notes_private: Nastavit poznámky jako soukromé
1061 permission_set_notes_private: Nastavit poznámky jako soukromé
1062 label_no_issues_in_project: žádné úkoly v projektu
1062 label_no_issues_in_project: žádné úkoly v projektu
1063 label_any: vše
1063 label_any: vše
1064 label_last_n_weeks: poslední %{count} týdny
1064 label_last_n_weeks: poslední %{count} týdny
1065 setting_cross_project_subtasks: Povolit dílčí úkoly napříč projekty
1065 setting_cross_project_subtasks: Povolit dílčí úkoly napříč projekty
1066 label_cross_project_descendants: S podprojekty
1066 label_cross_project_descendants: S podprojekty
1067 label_cross_project_tree: Se stromem projektu
1067 label_cross_project_tree: Se stromem projektu
1068 label_cross_project_hierarchy: S hierarchií projektu
1068 label_cross_project_hierarchy: S hierarchií projektu
1069 label_cross_project_system: Se všemi projekty
1069 label_cross_project_system: Se všemi projekty
1070 button_hide: Skrýt
1070 button_hide: Skrýt
1071 setting_non_working_week_days: Dny pracovního volna/klidu
1071 setting_non_working_week_days: Dny pracovního volna/klidu
1072 label_in_the_next_days: v přístích
1072 label_in_the_next_days: v přístích
1073 label_in_the_past_days: v minulých
1073 label_in_the_past_days: v minulých
1074 label_attribute_of_user: "%{name} uživatel(e/ky)"
1074 label_attribute_of_user: "%{name} uživatel(e/ky)"
1075 text_turning_multiple_off: Jestliže zakážete více hodnot,
1075 text_turning_multiple_off: Jestliže zakážete více hodnot,
1076 hodnoty budou smazány za účelem rezervace pouze jediné hodnoty na položku.
1076 hodnoty budou smazány za účelem rezervace pouze jediné hodnoty na položku.
1077 label_attribute_of_issue: "%{name} úkolu"
1077 label_attribute_of_issue: "%{name} úkolu"
1078 permission_add_documents: Přidat dokument
1078 permission_add_documents: Přidat dokument
1079 permission_edit_documents: Upravit dokumenty
1079 permission_edit_documents: Upravit dokumenty
1080 permission_delete_documents: Smazet dokumenty
1080 permission_delete_documents: Smazet dokumenty
1081 label_gantt_progress_line: Vývojová čára
1081 label_gantt_progress_line: Vývojová čára
1082 setting_jsonp_enabled: Povolit podporu JSONP
1082 setting_jsonp_enabled: Povolit podporu JSONP
1083 field_inherit_members: Zdědit členy
1083 field_inherit_members: Zdědit členy
1084 field_closed_on: Uzavřeno
1084 field_closed_on: Uzavřeno
1085 field_generate_password: Generovat heslo
1085 field_generate_password: Generovat heslo
1086 setting_default_projects_tracker_ids: Výchozí fronta pro nové projekty
1086 setting_default_projects_tracker_ids: Výchozí fronta pro nové projekty
1087 label_total_time: Celkem
1087 label_total_time: Celkem
1088 notice_account_not_activated_yet: Neaktivovali jste si dosud Váš účet.
1088 notice_account_not_activated_yet: Neaktivovali jste si dosud Váš účet.
1089 Pro opětovné zaslání aktivačního emailu <a href="%{url}">klikněte na tento odkaz</a>, prosím.
1089 Pro opětovné zaslání aktivačního emailu <a href="%{url}">klikněte na tento odkaz</a>, prosím.
1090 notice_account_locked: Váš účet je uzamčen.
1090 notice_account_locked: Váš účet je uzamčen.
1091 label_hidden: Skrytý
1091 label_hidden: Skrytý
1092 label_visibility_private: pouze pro mě
1092 label_visibility_private: pouze pro mě
1093 label_visibility_roles: pouze pro tyto role
1093 label_visibility_roles: pouze pro tyto role
1094 label_visibility_public: pro všechny uživatele
1094 label_visibility_public: pro všechny uživatele
1095 field_must_change_passwd: Musí změnit heslo při příštím přihlášení
1095 field_must_change_passwd: Musí změnit heslo při příštím přihlášení
1096 notice_new_password_must_be_different: Nové heslo se musí lišit od stávajícího
1096 notice_new_password_must_be_different: Nové heslo se musí lišit od stávajícího
1097 setting_mail_handler_excluded_filenames: Vyřadit přílohy podle jména
1097 setting_mail_handler_excluded_filenames: Vyřadit přílohy podle jména
1098 text_convert_available: ImageMagick convert k dispozici (volitelné)
1098 text_convert_available: ImageMagick convert k dispozici (volitelné)
1099 label_link: Odkaz
1099 label_link: Odkaz
1100 label_only: jenom
1100 label_only: jenom
1101 label_drop_down_list: rozbalovací seznam
1101 label_drop_down_list: rozbalovací seznam
1102 label_checkboxes: zaškrtávátka
1102 label_checkboxes: zaškrtávátka
1103 label_link_values_to: Propojit hodnoty s URL
1103 label_link_values_to: Propojit hodnoty s URL
1104 setting_force_default_language_for_anonymous: Vynutit výchozí jazyk pro anonymní uživatele
1104 setting_force_default_language_for_anonymous: Vynutit výchozí jazyk pro anonymní uživatele
1105 users
1105 users
1106 setting_force_default_language_for_loggedin: Vynutit výchozí jazyk pro přihlášené uživatele
1106 setting_force_default_language_for_loggedin: Vynutit výchozí jazyk pro přihlášené uživatele
1107 users
1107 users
1108 label_custom_field_select_type: Vybrat typ objektu, ke kterému bude přiřazeno uživatelské pole
1108 label_custom_field_select_type: Vybrat typ objektu, ke kterému bude přiřazeno uživatelské pole
1109 label_issue_assigned_to_updated: Přiřazený uživatel aktualizován
1109 label_issue_assigned_to_updated: Přiřazený uživatel aktualizován
1110 label_check_for_updates: Zkontroluj aktualizace
1110 label_check_for_updates: Zkontroluj aktualizace
1111 label_latest_compatible_version: Poslední kompatibilní verze
1111 label_latest_compatible_version: Poslední kompatibilní verze
1112 label_unknown_plugin: Nezámý plugin
1112 label_unknown_plugin: Nezámý plugin
1113 label_radio_buttons: radio tlačítka
1113 label_radio_buttons: radio tlačítka
1114 label_group_anonymous: Anonymní uživatelé
1114 label_group_anonymous: Anonymní uživatelé
1115 label_group_non_member: Nečleni
1115 label_group_non_member: Nečleni
1116 label_add_projects: Přidat projekty
1116 label_add_projects: Přidat projekty
1117 field_default_status: Výchozí stav
1117 field_default_status: Výchozí stav
1118 text_subversion_repository_note: 'Např.: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1118 text_subversion_repository_note: 'Např.: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1119 field_users_visibility: Viditelnost uživatelů
1119 field_users_visibility: Viditelnost uživatelů
1120 label_users_visibility_all: Všichni aktivní uživatelé
1120 label_users_visibility_all: Všichni aktivní uživatelé
1121 label_users_visibility_members_of_visible_projects: Členové viditelných projektů
1121 label_users_visibility_members_of_visible_projects: Členové viditelných projektů
1122 label_edit_attachments: Editovat přiložené soubory
1122 label_edit_attachments: Editovat přiložené soubory
1123 setting_link_copied_issue: Vytvořit odkazy na kopírované úkol
1123 setting_link_copied_issue: Vytvořit odkazy na kopírované úkol
1124 label_link_copied_issue: Vytvořit odkaz na kopírovaný úkol
1124 label_link_copied_issue: Vytvořit odkaz na kopírovaný úkol
1125 label_ask: Zeptat se
1125 label_ask: Zeptat se
1126 label_search_attachments_yes: Vyhledat názvy a popisy souborů
1126 label_search_attachments_yes: Vyhledat názvy a popisy souborů
1127 label_search_attachments_no: Nevyhledávat soubory
1127 label_search_attachments_no: Nevyhledávat soubory
1128 label_search_attachments_only: Vyhledávat pouze soubory
1128 label_search_attachments_only: Vyhledávat pouze soubory
1129 label_search_open_issues_only: Pouze otevřené úkoly
1129 label_search_open_issues_only: Pouze otevřené úkoly
1130 field_address: Email
1130 field_address: Email
1131 setting_max_additional_emails: Maximální počet dalších emailových adres
1131 setting_max_additional_emails: Maximální počet dalších emailových adres
1132 label_email_address_plural: Emaily
1132 label_email_address_plural: Emaily
1133 label_email_address_add: Přidat emailovou adresu
1133 label_email_address_add: Přidat emailovou adresu
1134 label_enable_notifications: Povolit notifikace
1134 label_enable_notifications: Povolit notifikace
1135 label_disable_notifications: Zakázat notifikace
1135 label_disable_notifications: Zakázat notifikace
1136 setting_search_results_per_page: Vyhledaných výsledků na stránku
1136 setting_search_results_per_page: Vyhledaných výsledků na stránku
1137 label_blank_value: prázdný
1137 label_blank_value: prázdný
1138 permission_copy_issues: Kopírovat úkoly
1138 permission_copy_issues: Kopírovat úkoly
1139 error_password_expired: Platnost vašeho hesla vypršela a administrátor vás žádá o jeho změnu.
1139 error_password_expired: Platnost vašeho hesla vypršela a administrátor vás žádá o jeho změnu.
1140 field_time_entries_visibility: Viditelnost šasového logu
1140 field_time_entries_visibility: Viditelnost šasového logu
1141 setting_password_max_age: Změna hesla je vyžadována po
1141 setting_password_max_age: Změna hesla je vyžadována po
1142 label_parent_task_attributes: Atributy rodičovského úkolu
1142 label_parent_task_attributes: Atributy rodičovského úkolu
1143 label_parent_task_attributes_derived: Vypočteno z dílčích úkolů
1143 label_parent_task_attributes_derived: Vypočteno z dílčích úkolů
1144 label_parent_task_attributes_independent: Nezávisle na dílčích úkolech
1144 label_parent_task_attributes_independent: Nezávisle na dílčích úkolech
1145 label_time_entries_visibility_all: Všechny zaznamenané časy
1145 label_time_entries_visibility_all: Všechny zaznamenané časy
1146 label_time_entries_visibility_own: Zaznamenané časy vytvořené uživatelem
1146 label_time_entries_visibility_own: Zaznamenané časy vytvořené uživatelem
1147 label_member_management: Správa členů
1147 label_member_management: Správa členů
1148 label_member_management_all_roles: Všechny role
1148 label_member_management_all_roles: Všechny role
1149 label_member_management_selected_roles_only: Pouze tyto role
1149 label_member_management_selected_roles_only: Pouze tyto role
1150 label_password_required: Pro pokračování potvrďte vaše heslo
1150 label_password_required: Pro pokračování potvrďte vaše heslo
1151 label_total_spent_time: Celkem strávený čas
1151 label_total_spent_time: Celkem strávený čas
1152 notice_import_finished: Všech %{count} položek bylo naimportováno.
1152 notice_import_finished: Všech %{count} položek bylo naimportováno.
1153 notice_import_finished_with_errors: ! '%{count} z %{total} položek nemohlo být
1153 notice_import_finished_with_errors: ! '%{count} z %{total} položek nemohlo být
1154 naimportováno.'
1154 naimportováno.'
1155 error_invalid_file_encoding: Soubor není platným souborem s kódováním %{encoding}
1155 error_invalid_file_encoding: Soubor není platným souborem s kódováním %{encoding}
1156 error_invalid_csv_file_or_settings: Soubor není CSV soubor nebo neodpovídá
1156 error_invalid_csv_file_or_settings: Soubor není CSV soubor nebo neodpovídá
1157 níže uvedenému nastavení
1157 níže uvedenému nastavení
1158 error_can_not_read_import_file: Chyba při čtení souboru pro import
1158 error_can_not_read_import_file: Chyba při čtení souboru pro import
1159 permission_import_issues: Import úkolů
1159 permission_import_issues: Import úkolů
1160 label_import_issues: Import úkolů
1160 label_import_issues: Import úkolů
1161 label_select_file_to_import: Vyberte soubor pro import
1161 label_select_file_to_import: Vyberte soubor pro import
1162 label_fields_separator: Oddělovač pole
1162 label_fields_separator: Oddělovač pole
1163 label_fields_wrapper: Oddělovač textu
1163 label_fields_wrapper: Oddělovač textu
1164 label_encoding: Kódování
1164 label_encoding: Kódování
1165 label_comma_char: Čárka
1165 label_comma_char: Čárka
1166 label_semi_colon_char: Středník
1166 label_semi_colon_char: Středník
1167 label_quote_char: Uvozovky
1167 label_quote_char: Uvozovky
1168 label_double_quote_char: Dvojté uvozovky
1168 label_double_quote_char: Dvojté uvozovky
1169 label_fields_mapping: Mapování polí
1169 label_fields_mapping: Mapování polí
1170 label_file_content_preview: Náhled obsahu souboru
1170 label_file_content_preview: Náhled obsahu souboru
1171 label_create_missing_values: Vytvořit chybějící hodnoty
1171 label_create_missing_values: Vytvořit chybějící hodnoty
1172 button_import: Import
1172 button_import: Import
1173 field_total_estimated_hours: Celkový odhadovaný čas
1173 field_total_estimated_hours: Celkový odhadovaný čas
1174 label_api: API
1174 label_api: API
1175 label_total_plural: Celkem
1175 label_total_plural: Celkem
1176 label_assigned_issues: Přiřazené úkoly
1176 label_assigned_issues: Přiřazené úkoly
1177 label_field_format_enumeration: Seznam klíčů/hodnot
1177 label_field_format_enumeration: Seznam klíčů/hodnot
1178 label_f_hour_short: '%{value} hod'
1178 label_f_hour_short: '%{value} hod'
1179 field_default_version: Výchozí verze
1179 field_default_version: Výchozí verze
1180 error_attachment_extension_not_allowed: Přípona přílohy %{extension} není povolena
1180 error_attachment_extension_not_allowed: Přípona přílohy %{extension} není povolena
1181 setting_attachment_extensions_allowed: Povolené přípony
1181 setting_attachment_extensions_allowed: Povolené přípony
1182 setting_attachment_extensions_denied: Nepovolené přípony
1182 setting_attachment_extensions_denied: Nepovolené přípony
1183 label_any_open_issues: otevřené úkoly
1183 label_any_open_issues: otevřené úkoly
1184 label_no_open_issues: bez otevřených úkolů
1184 label_no_open_issues: bez otevřených úkolů
1185 label_default_values_for_new_users: Výchozí hodnoty pro nové uživatele
1185 label_default_values_for_new_users: Výchozí hodnoty pro nové uživatele
1186 error_cannot_reassign_time_entries_to_an_issue_about_to_be_deleted: Spent time cannot
1187 be reassigned to an issue that is about to be deleted
@@ -1,1201 +1,1203
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 direction: ltr
6 direction: ltr
7 date:
7 date:
8 formats:
8 formats:
9 default: "%d.%m.%Y"
9 default: "%d.%m.%Y"
10 short: "%e. %b %Y"
10 short: "%e. %b %Y"
11 long: "%e. %B %Y"
11 long: "%e. %B %Y"
12
12
13 day_names: [søndag, mandag, tirsdag, onsdag, torsdag, fredag, lørdag]
13 day_names: [søndag, mandag, tirsdag, onsdag, torsdag, fredag, lørdag]
14 abbr_day_names: [, ma, ti, 'on', to, fr, ]
14 abbr_day_names: [, ma, ti, 'on', to, fr, ]
15 month_names: [~, januar, februar, marts, april, maj, juni, juli, august, september, oktober, november, december]
15 month_names: [~, januar, februar, marts, april, maj, juni, juli, august, september, oktober, november, december]
16 abbr_month_names: [~, jan, feb, mar, apr, maj, jun, jul, aug, sep, okt, nov, dec]
16 abbr_month_names: [~, jan, feb, mar, apr, maj, jun, jul, aug, sep, okt, nov, dec]
17 order:
17 order:
18 - :day
18 - :day
19 - :month
19 - :month
20 - :year
20 - :year
21
21
22 time:
22 time:
23 formats:
23 formats:
24 default: "%e. %B %Y, %H:%M"
24 default: "%e. %B %Y, %H:%M"
25 time: "%H:%M"
25 time: "%H:%M"
26 short: "%e. %b %Y, %H:%M"
26 short: "%e. %b %Y, %H:%M"
27 long: "%A, %e. %B %Y, %H:%M"
27 long: "%A, %e. %B %Y, %H:%M"
28 am: ""
28 am: ""
29 pm: ""
29 pm: ""
30
30
31 support:
31 support:
32 array:
32 array:
33 sentence_connector: "og"
33 sentence_connector: "og"
34 skip_last_comma: true
34 skip_last_comma: true
35
35
36 datetime:
36 datetime:
37 distance_in_words:
37 distance_in_words:
38 half_a_minute: "et halvt minut"
38 half_a_minute: "et halvt minut"
39 less_than_x_seconds:
39 less_than_x_seconds:
40 one: "mindre end et sekund"
40 one: "mindre end et sekund"
41 other: "mindre end %{count} sekunder"
41 other: "mindre end %{count} sekunder"
42 x_seconds:
42 x_seconds:
43 one: "et sekund"
43 one: "et sekund"
44 other: "%{count} sekunder"
44 other: "%{count} sekunder"
45 less_than_x_minutes:
45 less_than_x_minutes:
46 one: "mindre end et minut"
46 one: "mindre end et minut"
47 other: "mindre end %{count} minutter"
47 other: "mindre end %{count} minutter"
48 x_minutes:
48 x_minutes:
49 one: "et minut"
49 one: "et minut"
50 other: "%{count} minutter"
50 other: "%{count} minutter"
51 about_x_hours:
51 about_x_hours:
52 one: "cirka en time"
52 one: "cirka en time"
53 other: "cirka %{count} timer"
53 other: "cirka %{count} timer"
54 x_hours:
54 x_hours:
55 one: "1 time"
55 one: "1 time"
56 other: "%{count} timer"
56 other: "%{count} timer"
57 x_days:
57 x_days:
58 one: "en dag"
58 one: "en dag"
59 other: "%{count} dage"
59 other: "%{count} dage"
60 about_x_months:
60 about_x_months:
61 one: "cirka en måned"
61 one: "cirka en måned"
62 other: "cirka %{count} måneder"
62 other: "cirka %{count} måneder"
63 x_months:
63 x_months:
64 one: "en måned"
64 one: "en måned"
65 other: "%{count} måneder"
65 other: "%{count} måneder"
66 about_x_years:
66 about_x_years:
67 one: "cirka et år"
67 one: "cirka et år"
68 other: "cirka %{count} år"
68 other: "cirka %{count} år"
69 over_x_years:
69 over_x_years:
70 one: "mere end et år"
70 one: "mere end et år"
71 other: "mere end %{count} år"
71 other: "mere end %{count} år"
72 almost_x_years:
72 almost_x_years:
73 one: "næsten 1 år"
73 one: "næsten 1 år"
74 other: "næsten %{count} år"
74 other: "næsten %{count} år"
75
75
76 number:
76 number:
77 format:
77 format:
78 separator: ","
78 separator: ","
79 delimiter: "."
79 delimiter: "."
80 precision: 3
80 precision: 3
81 currency:
81 currency:
82 format:
82 format:
83 format: "%u %n"
83 format: "%u %n"
84 unit: "DKK"
84 unit: "DKK"
85 separator: ","
85 separator: ","
86 delimiter: "."
86 delimiter: "."
87 precision: 2
87 precision: 2
88 precision:
88 precision:
89 format:
89 format:
90 # separator:
90 # separator:
91 delimiter: ""
91 delimiter: ""
92 # precision:
92 # precision:
93 human:
93 human:
94 format:
94 format:
95 # separator:
95 # separator:
96 delimiter: ""
96 delimiter: ""
97 precision: 3
97 precision: 3
98 storage_units:
98 storage_units:
99 format: "%n %u"
99 format: "%n %u"
100 units:
100 units:
101 byte:
101 byte:
102 one: "Byte"
102 one: "Byte"
103 other: "Bytes"
103 other: "Bytes"
104 kb: "KB"
104 kb: "KB"
105 mb: "MB"
105 mb: "MB"
106 gb: "GB"
106 gb: "GB"
107 tb: "TB"
107 tb: "TB"
108 percentage:
108 percentage:
109 format:
109 format:
110 # separator:
110 # separator:
111 delimiter: ""
111 delimiter: ""
112 # precision:
112 # precision:
113
113
114 activerecord:
114 activerecord:
115 errors:
115 errors:
116 template:
116 template:
117 header:
117 header:
118 one: "1 error prohibited this %{model} from being saved"
118 one: "1 error prohibited this %{model} from being saved"
119 other: "%{count} errors prohibited this %{model} from being saved"
119 other: "%{count} errors prohibited this %{model} from being saved"
120 messages:
120 messages:
121 inclusion: "er ikke i listen"
121 inclusion: "er ikke i listen"
122 exclusion: "er reserveret"
122 exclusion: "er reserveret"
123 invalid: "er ikke gyldig"
123 invalid: "er ikke gyldig"
124 confirmation: "stemmer ikke overens"
124 confirmation: "stemmer ikke overens"
125 accepted: "skal accepteres"
125 accepted: "skal accepteres"
126 empty: "må ikke udelades"
126 empty: "må ikke udelades"
127 blank: "skal udfyldes"
127 blank: "skal udfyldes"
128 too_long: "er for lang (højst %{count} tegn)"
128 too_long: "er for lang (højst %{count} tegn)"
129 too_short: "er for kort (mindst %{count} tegn)"
129 too_short: "er for kort (mindst %{count} tegn)"
130 wrong_length: "har forkert længde (skulle være %{count} tegn)"
130 wrong_length: "har forkert længde (skulle være %{count} tegn)"
131 taken: "er allerede anvendt"
131 taken: "er allerede anvendt"
132 not_a_number: "er ikke et tal"
132 not_a_number: "er ikke et tal"
133 greater_than: "skal være større end %{count}"
133 greater_than: "skal være større end %{count}"
134 greater_than_or_equal_to: "skal være større end eller lig med %{count}"
134 greater_than_or_equal_to: "skal være større end eller lig med %{count}"
135 equal_to: "skal være lig med %{count}"
135 equal_to: "skal være lig med %{count}"
136 less_than: "skal være mindre end %{count}"
136 less_than: "skal være mindre end %{count}"
137 less_than_or_equal_to: "skal være mindre end eller lig med %{count}"
137 less_than_or_equal_to: "skal være mindre end eller lig med %{count}"
138 odd: "skal være ulige"
138 odd: "skal være ulige"
139 even: "skal være lige"
139 even: "skal være lige"
140 greater_than_start_date: "skal være senere end startdatoen"
140 greater_than_start_date: "skal være senere end startdatoen"
141 not_same_project: "hører ikke til samme projekt"
141 not_same_project: "hører ikke til samme projekt"
142 circular_dependency: "Denne relation vil skabe et afhængighedsforhold"
142 circular_dependency: "Denne relation vil skabe et afhængighedsforhold"
143 cant_link_an_issue_with_a_descendant: "En sag kan ikke relateres til en af dens underopgaver"
143 cant_link_an_issue_with_a_descendant: "En sag kan ikke relateres til en af dens underopgaver"
144 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
144 earlier_than_minimum_start_date: "cannot be earlier than %{date} because of preceding issues"
145
145
146 template:
146 template:
147 header:
147 header:
148 one: "En fejl forhindrede %{model} i at blive gemt"
148 one: "En fejl forhindrede %{model} i at blive gemt"
149 other: "%{count} fejl forhindrede denne %{model} i at blive gemt"
149 other: "%{count} fejl forhindrede denne %{model} i at blive gemt"
150 body: "Der var problemer med følgende felter:"
150 body: "Der var problemer med følgende felter:"
151
151
152 actionview_instancetag_blank_option: Vælg venligst
152 actionview_instancetag_blank_option: Vælg venligst
153
153
154 general_text_No: 'Nej'
154 general_text_No: 'Nej'
155 general_text_Yes: 'Ja'
155 general_text_Yes: 'Ja'
156 general_text_no: 'nej'
156 general_text_no: 'nej'
157 general_text_yes: 'ja'
157 general_text_yes: 'ja'
158 general_lang_name: 'Danish (Dansk)'
158 general_lang_name: 'Danish (Dansk)'
159 general_csv_separator: ','
159 general_csv_separator: ','
160 general_csv_encoding: ISO-8859-1
160 general_csv_encoding: ISO-8859-1
161 general_pdf_fontname: freesans
161 general_pdf_fontname: freesans
162 general_pdf_monospaced_fontname: freemono
162 general_pdf_monospaced_fontname: freemono
163 general_first_day_of_week: '1'
163 general_first_day_of_week: '1'
164
164
165 notice_account_updated: Kontoen er opdateret.
165 notice_account_updated: Kontoen er opdateret.
166 notice_account_invalid_creditentials: Ugyldig bruger og/eller kodeord
166 notice_account_invalid_creditentials: Ugyldig bruger og/eller kodeord
167 notice_account_password_updated: Kodeordet er opdateret.
167 notice_account_password_updated: Kodeordet er opdateret.
168 notice_account_wrong_password: Forkert kodeord
168 notice_account_wrong_password: Forkert kodeord
169 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen skal du klikke på linket i den tilsendte email.
169 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen skal du klikke på linket i den tilsendte email.
170 notice_account_unknown_email: Ukendt bruger.
170 notice_account_unknown_email: Ukendt bruger.
171 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
171 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
172 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
172 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
173 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
173 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
174 notice_successful_create: Succesfuld oprettelse.
174 notice_successful_create: Succesfuld oprettelse.
175 notice_successful_update: Succesfuld opdatering.
175 notice_successful_update: Succesfuld opdatering.
176 notice_successful_delete: Succesfuld sletning.
176 notice_successful_delete: Succesfuld sletning.
177 notice_successful_connection: Succesfuld forbindelse.
177 notice_successful_connection: Succesfuld forbindelse.
178 notice_file_not_found: Siden du forsøger at tilgå eksisterer ikke eller er blevet fjernet.
178 notice_file_not_found: Siden du forsøger at tilgå eksisterer ikke eller er blevet fjernet.
179 notice_locking_conflict: Data er opdateret af en anden bruger.
179 notice_locking_conflict: Data er opdateret af en anden bruger.
180 notice_not_authorized: Du har ikke adgang til denne side.
180 notice_not_authorized: Du har ikke adgang til denne side.
181 notice_email_sent: "En email er sendt til %{value}"
181 notice_email_sent: "En email er sendt til %{value}"
182 notice_email_error: "En fejl opstod under afsendelse af email (%{value})"
182 notice_email_error: "En fejl opstod under afsendelse af email (%{value})"
183 notice_feeds_access_key_reseted: Din adgangsnøgle til Atom er nulstillet.
183 notice_feeds_access_key_reseted: Din adgangsnøgle til Atom er nulstillet.
184 notice_failed_to_save_issues: "Det mislykkedes at gemme %{count} sage(r) %{total} valgt: %{ids}."
184 notice_failed_to_save_issues: "Det mislykkedes at gemme %{count} sage(r) %{total} valgt: %{ids}."
185 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst hvilke emner du vil rette."
185 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst hvilke emner du vil rette."
186 notice_account_pending: "Din konto er oprettet, og afventer administrators godkendelse."
186 notice_account_pending: "Din konto er oprettet, og afventer administrators godkendelse."
187 notice_default_data_loaded: Standardopsætningen er indlæst.
187 notice_default_data_loaded: Standardopsætningen er indlæst.
188
188
189 error_can_t_load_default_data: "Standardopsætning kunne ikke indlæses: %{value}"
189 error_can_t_load_default_data: "Standardopsætning kunne ikke indlæses: %{value}"
190 error_scm_not_found: "Adgang nægtet og/eller revision blev ikke fundet i det valgte repository."
190 error_scm_not_found: "Adgang nægtet og/eller revision blev ikke fundet i det valgte repository."
191 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte repository: %{value}"
191 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte repository: %{value}"
192
192
193 mail_subject_lost_password: "Dit %{value} kodeord"
193 mail_subject_lost_password: "Dit %{value} kodeord"
194 mail_body_lost_password: 'Klik dette link for at ændre dit kodeord:'
194 mail_body_lost_password: 'Klik dette link for at ændre dit kodeord:'
195 mail_subject_register: "%{value} kontoaktivering"
195 mail_subject_register: "%{value} kontoaktivering"
196 mail_body_register: 'Klik dette link for at aktivere din konto:'
196 mail_body_register: 'Klik dette link for at aktivere din konto:'
197 mail_body_account_information_external: "Du kan bruge din %{value} konto til at logge ind."
197 mail_body_account_information_external: "Du kan bruge din %{value} konto til at logge ind."
198 mail_body_account_information: Din kontoinformation
198 mail_body_account_information: Din kontoinformation
199 mail_subject_account_activation_request: "%{value} kontoaktivering"
199 mail_subject_account_activation_request: "%{value} kontoaktivering"
200 mail_body_account_activation_request: "En ny bruger (%{value}) er registreret. Godkend venligst kontoen:"
200 mail_body_account_activation_request: "En ny bruger (%{value}) er registreret. Godkend venligst kontoen:"
201
201
202
202
203 field_name: Navn
203 field_name: Navn
204 field_description: Beskrivelse
204 field_description: Beskrivelse
205 field_summary: Sammenfatning
205 field_summary: Sammenfatning
206 field_is_required: Skal udfyldes
206 field_is_required: Skal udfyldes
207 field_firstname: Fornavn
207 field_firstname: Fornavn
208 field_lastname: Efternavn
208 field_lastname: Efternavn
209 field_mail: Email
209 field_mail: Email
210 field_filename: Fil
210 field_filename: Fil
211 field_filesize: Størrelse
211 field_filesize: Størrelse
212 field_downloads: Downloads
212 field_downloads: Downloads
213 field_author: Forfatter
213 field_author: Forfatter
214 field_created_on: Oprettet
214 field_created_on: Oprettet
215 field_updated_on: Opdateret
215 field_updated_on: Opdateret
216 field_field_format: Format
216 field_field_format: Format
217 field_is_for_all: For alle projekter
217 field_is_for_all: For alle projekter
218 field_possible_values: Mulige værdier
218 field_possible_values: Mulige værdier
219 field_regexp: Regulære udtryk
219 field_regexp: Regulære udtryk
220 field_min_length: Mindste længde
220 field_min_length: Mindste længde
221 field_max_length: Største længde
221 field_max_length: Største længde
222 field_value: Værdi
222 field_value: Værdi
223 field_category: Kategori
223 field_category: Kategori
224 field_title: Titel
224 field_title: Titel
225 field_project: Projekt
225 field_project: Projekt
226 field_issue: Sag
226 field_issue: Sag
227 field_status: Status
227 field_status: Status
228 field_notes: Noter
228 field_notes: Noter
229 field_is_closed: Sagen er lukket
229 field_is_closed: Sagen er lukket
230 field_is_default: Standardværdi
230 field_is_default: Standardværdi
231 field_tracker: Type
231 field_tracker: Type
232 field_subject: Emne
232 field_subject: Emne
233 field_due_date: Deadline
233 field_due_date: Deadline
234 field_assigned_to: Tildelt til
234 field_assigned_to: Tildelt til
235 field_priority: Prioritet
235 field_priority: Prioritet
236 field_fixed_version: Udgave
236 field_fixed_version: Udgave
237 field_user: Bruger
237 field_user: Bruger
238 field_role: Rolle
238 field_role: Rolle
239 field_homepage: Hjemmeside
239 field_homepage: Hjemmeside
240 field_is_public: Offentlig
240 field_is_public: Offentlig
241 field_parent: Underprojekt af
241 field_parent: Underprojekt af
242 field_is_in_roadmap: Sager vist i roadmap
242 field_is_in_roadmap: Sager vist i roadmap
243 field_login: Login
243 field_login: Login
244 field_mail_notification: Email-påmindelser
244 field_mail_notification: Email-påmindelser
245 field_admin: Administrator
245 field_admin: Administrator
246 field_last_login_on: Sidste forbindelse
246 field_last_login_on: Sidste forbindelse
247 field_language: Sprog
247 field_language: Sprog
248 field_effective_date: Dato
248 field_effective_date: Dato
249 field_password: Kodeord
249 field_password: Kodeord
250 field_new_password: Nyt kodeord
250 field_new_password: Nyt kodeord
251 field_password_confirmation: Bekræft
251 field_password_confirmation: Bekræft
252 field_version: Version
252 field_version: Version
253 field_type: Type
253 field_type: Type
254 field_host: Vært
254 field_host: Vært
255 field_port: Port
255 field_port: Port
256 field_account: Kode
256 field_account: Kode
257 field_base_dn: Base DN
257 field_base_dn: Base DN
258 field_attr_login: Login attribut
258 field_attr_login: Login attribut
259 field_attr_firstname: Fornavn attribut
259 field_attr_firstname: Fornavn attribut
260 field_attr_lastname: Efternavn attribut
260 field_attr_lastname: Efternavn attribut
261 field_attr_mail: Email attribut
261 field_attr_mail: Email attribut
262 field_onthefly: løbende brugeroprettelse
262 field_onthefly: løbende brugeroprettelse
263 field_start_date: Start dato
263 field_start_date: Start dato
264 field_done_ratio: "% færdig"
264 field_done_ratio: "% færdig"
265 field_auth_source: Sikkerhedsmetode
265 field_auth_source: Sikkerhedsmetode
266 field_hide_mail: Skjul min email
266 field_hide_mail: Skjul min email
267 field_comments: Kommentar
267 field_comments: Kommentar
268 field_url: URL
268 field_url: URL
269 field_start_page: Startside
269 field_start_page: Startside
270 field_subproject: Underprojekt
270 field_subproject: Underprojekt
271 field_hours: Timer
271 field_hours: Timer
272 field_activity: Aktivitet
272 field_activity: Aktivitet
273 field_spent_on: Dato
273 field_spent_on: Dato
274 field_identifier: Identifikator
274 field_identifier: Identifikator
275 field_is_filter: Brugt som et filter
275 field_is_filter: Brugt som et filter
276 field_issue_to: Beslægtede sag
276 field_issue_to: Beslægtede sag
277 field_delay: Udsættelse
277 field_delay: Udsættelse
278 field_assignable: Sager kan tildeles denne rolle
278 field_assignable: Sager kan tildeles denne rolle
279 field_redirect_existing_links: Videresend eksisterende links
279 field_redirect_existing_links: Videresend eksisterende links
280 field_estimated_hours: Anslået tid
280 field_estimated_hours: Anslået tid
281 field_column_names: Kolonner
281 field_column_names: Kolonner
282 field_time_zone: Tidszone
282 field_time_zone: Tidszone
283 field_searchable: Søgbar
283 field_searchable: Søgbar
284 field_default_value: Standardværdi
284 field_default_value: Standardværdi
285
285
286 setting_app_title: Applikationstitel
286 setting_app_title: Applikationstitel
287 setting_app_subtitle: Applikationsundertekst
287 setting_app_subtitle: Applikationsundertekst
288 setting_welcome_text: Velkomsttekst
288 setting_welcome_text: Velkomsttekst
289 setting_default_language: Standardsporg
289 setting_default_language: Standardsporg
290 setting_login_required: Sikkerhed påkrævet
290 setting_login_required: Sikkerhed påkrævet
291 setting_self_registration: Brugeroprettelse
291 setting_self_registration: Brugeroprettelse
292 setting_attachment_max_size: Vedhæftede filers max størrelse
292 setting_attachment_max_size: Vedhæftede filers max størrelse
293 setting_issues_export_limit: Sagseksporteringsbegrænsning
293 setting_issues_export_limit: Sagseksporteringsbegrænsning
294 setting_mail_from: Afsender-email
294 setting_mail_from: Afsender-email
295 setting_bcc_recipients: Skjult modtager (bcc)
295 setting_bcc_recipients: Skjult modtager (bcc)
296 setting_host_name: Værtsnavn
296 setting_host_name: Værtsnavn
297 setting_text_formatting: Tekstformatering
297 setting_text_formatting: Tekstformatering
298 setting_wiki_compression: Komprimering af wiki-historik
298 setting_wiki_compression: Komprimering af wiki-historik
299 setting_feeds_limit: Feed indholdsbegrænsning
299 setting_feeds_limit: Feed indholdsbegrænsning
300 setting_autofetch_changesets: Hent automatisk commits
300 setting_autofetch_changesets: Hent automatisk commits
301 setting_sys_api_enabled: Aktiver webservice for automatisk administration af repository
301 setting_sys_api_enabled: Aktiver webservice for automatisk administration af repository
302 setting_commit_ref_keywords: Referencenøgleord
302 setting_commit_ref_keywords: Referencenøgleord
303 setting_commit_fix_keywords: Afslutningsnøgleord
303 setting_commit_fix_keywords: Afslutningsnøgleord
304 setting_autologin: Automatisk login
304 setting_autologin: Automatisk login
305 setting_date_format: Datoformat
305 setting_date_format: Datoformat
306 setting_time_format: Tidsformat
306 setting_time_format: Tidsformat
307 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
307 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
308 setting_issue_list_default_columns: Standardkolonner på sagslisten
308 setting_issue_list_default_columns: Standardkolonner på sagslisten
309 setting_emails_footer: Email-fodnote
309 setting_emails_footer: Email-fodnote
310 setting_protocol: Protokol
310 setting_protocol: Protokol
311 setting_user_format: Brugervisningsformat
311 setting_user_format: Brugervisningsformat
312
312
313 project_module_issue_tracking: Sagssøgning
313 project_module_issue_tracking: Sagssøgning
314 project_module_time_tracking: Tidsstyring
314 project_module_time_tracking: Tidsstyring
315 project_module_news: Nyheder
315 project_module_news: Nyheder
316 project_module_documents: Dokumenter
316 project_module_documents: Dokumenter
317 project_module_files: Filer
317 project_module_files: Filer
318 project_module_wiki: Wiki
318 project_module_wiki: Wiki
319 project_module_repository: Repository
319 project_module_repository: Repository
320 project_module_boards: Fora
320 project_module_boards: Fora
321
321
322 label_user: Bruger
322 label_user: Bruger
323 label_user_plural: Brugere
323 label_user_plural: Brugere
324 label_user_new: Ny bruger
324 label_user_new: Ny bruger
325 label_project: Projekt
325 label_project: Projekt
326 label_project_new: Nyt projekt
326 label_project_new: Nyt projekt
327 label_project_plural: Projekter
327 label_project_plural: Projekter
328 label_x_projects:
328 label_x_projects:
329 zero: Ingen projekter
329 zero: Ingen projekter
330 one: 1 projekt
330 one: 1 projekt
331 other: "%{count} projekter"
331 other: "%{count} projekter"
332 label_project_all: Alle projekter
332 label_project_all: Alle projekter
333 label_project_latest: Seneste projekter
333 label_project_latest: Seneste projekter
334 label_issue: Sag
334 label_issue: Sag
335 label_issue_new: Opret sag
335 label_issue_new: Opret sag
336 label_issue_plural: Sager
336 label_issue_plural: Sager
337 label_issue_view_all: Vis alle sager
337 label_issue_view_all: Vis alle sager
338 label_issues_by: "Sager fra %{value}"
338 label_issues_by: "Sager fra %{value}"
339 label_issue_added: Sagen er oprettet
339 label_issue_added: Sagen er oprettet
340 label_issue_updated: Sagen er opdateret
340 label_issue_updated: Sagen er opdateret
341 label_document: Dokument
341 label_document: Dokument
342 label_document_new: Nyt dokument
342 label_document_new: Nyt dokument
343 label_document_plural: Dokumenter
343 label_document_plural: Dokumenter
344 label_document_added: Dokument tilføjet
344 label_document_added: Dokument tilføjet
345 label_role: Rolle
345 label_role: Rolle
346 label_role_plural: Roller
346 label_role_plural: Roller
347 label_role_new: Ny rolle
347 label_role_new: Ny rolle
348 label_role_and_permissions: Roller og rettigheder
348 label_role_and_permissions: Roller og rettigheder
349 label_member: Medlem
349 label_member: Medlem
350 label_member_new: Nyt medlem
350 label_member_new: Nyt medlem
351 label_member_plural: Medlemmer
351 label_member_plural: Medlemmer
352 label_tracker: Type
352 label_tracker: Type
353 label_tracker_plural: Typer
353 label_tracker_plural: Typer
354 label_tracker_new: Ny type
354 label_tracker_new: Ny type
355 label_workflow: Arbejdsgang
355 label_workflow: Arbejdsgang
356 label_issue_status: Sagsstatus
356 label_issue_status: Sagsstatus
357 label_issue_status_plural: Sagsstatusser
357 label_issue_status_plural: Sagsstatusser
358 label_issue_status_new: Ny status
358 label_issue_status_new: Ny status
359 label_issue_category: Sagskategori
359 label_issue_category: Sagskategori
360 label_issue_category_plural: Sagskategorier
360 label_issue_category_plural: Sagskategorier
361 label_issue_category_new: Ny kategori
361 label_issue_category_new: Ny kategori
362 label_custom_field: Brugerdefineret felt
362 label_custom_field: Brugerdefineret felt
363 label_custom_field_plural: Brugerdefinerede felter
363 label_custom_field_plural: Brugerdefinerede felter
364 label_custom_field_new: Nyt brugerdefineret felt
364 label_custom_field_new: Nyt brugerdefineret felt
365 label_enumerations: Værdier
365 label_enumerations: Værdier
366 label_enumeration_new: Ny værdi
366 label_enumeration_new: Ny værdi
367 label_information: Information
367 label_information: Information
368 label_information_plural: Information
368 label_information_plural: Information
369 label_please_login: Login
369 label_please_login: Login
370 label_register: Registrér
370 label_register: Registrér
371 label_password_lost: Glemt kodeord
371 label_password_lost: Glemt kodeord
372 label_home: Forside
372 label_home: Forside
373 label_my_page: Min side
373 label_my_page: Min side
374 label_my_account: Min konto
374 label_my_account: Min konto
375 label_my_projects: Mine projekter
375 label_my_projects: Mine projekter
376 label_administration: Administration
376 label_administration: Administration
377 label_login: Log ind
377 label_login: Log ind
378 label_logout: Log ud
378 label_logout: Log ud
379 label_help: Hjælp
379 label_help: Hjælp
380 label_reported_issues: Rapporterede sager
380 label_reported_issues: Rapporterede sager
381 label_assigned_to_me_issues: Sager tildelt til mig
381 label_assigned_to_me_issues: Sager tildelt til mig
382 label_last_login: Sidste logintidspunkt
382 label_last_login: Sidste logintidspunkt
383 label_registered_on: Registreret den
383 label_registered_on: Registreret den
384 label_activity: Aktivitet
384 label_activity: Aktivitet
385 label_new: Ny
385 label_new: Ny
386 label_logged_as: Registreret som
386 label_logged_as: Registreret som
387 label_environment: Miljø
387 label_environment: Miljø
388 label_authentication: Sikkerhed
388 label_authentication: Sikkerhed
389 label_auth_source: Sikkerhedsmetode
389 label_auth_source: Sikkerhedsmetode
390 label_auth_source_new: Ny sikkerhedsmetode
390 label_auth_source_new: Ny sikkerhedsmetode
391 label_auth_source_plural: Sikkerhedsmetoder
391 label_auth_source_plural: Sikkerhedsmetoder
392 label_subproject_plural: Underprojekter
392 label_subproject_plural: Underprojekter
393 label_min_max_length: Min - Max længde
393 label_min_max_length: Min - Max længde
394 label_list: Liste
394 label_list: Liste
395 label_date: Dato
395 label_date: Dato
396 label_integer: Heltal
396 label_integer: Heltal
397 label_float: Kommatal
397 label_float: Kommatal
398 label_boolean: Sand/falsk
398 label_boolean: Sand/falsk
399 label_string: Tekst
399 label_string: Tekst
400 label_text: Lang tekst
400 label_text: Lang tekst
401 label_attribute: Attribut
401 label_attribute: Attribut
402 label_attribute_plural: Attributter
402 label_attribute_plural: Attributter
403 label_no_data: Ingen data at vise
403 label_no_data: Ingen data at vise
404 label_change_status: Ændringsstatus
404 label_change_status: Ændringsstatus
405 label_history: Historik
405 label_history: Historik
406 label_attachment: Fil
406 label_attachment: Fil
407 label_attachment_new: Ny fil
407 label_attachment_new: Ny fil
408 label_attachment_delete: Slet fil
408 label_attachment_delete: Slet fil
409 label_attachment_plural: Filer
409 label_attachment_plural: Filer
410 label_file_added: Fil tilføjet
410 label_file_added: Fil tilføjet
411 label_report: Rapport
411 label_report: Rapport
412 label_report_plural: Rapporter
412 label_report_plural: Rapporter
413 label_news: Nyheder
413 label_news: Nyheder
414 label_news_new: Tilføj nyheder
414 label_news_new: Tilføj nyheder
415 label_news_plural: Nyheder
415 label_news_plural: Nyheder
416 label_news_latest: Seneste nyheder
416 label_news_latest: Seneste nyheder
417 label_news_view_all: Vis alle nyheder
417 label_news_view_all: Vis alle nyheder
418 label_news_added: Nyhed tilføjet
418 label_news_added: Nyhed tilføjet
419 label_settings: Indstillinger
419 label_settings: Indstillinger
420 label_overview: Oversigt
420 label_overview: Oversigt
421 label_version: Udgave
421 label_version: Udgave
422 label_version_new: Ny udgave
422 label_version_new: Ny udgave
423 label_version_plural: Udgaver
423 label_version_plural: Udgaver
424 label_confirmation: Bekræftelser
424 label_confirmation: Bekræftelser
425 label_export_to: Eksporter til
425 label_export_to: Eksporter til
426 label_read: Læs...
426 label_read: Læs...
427 label_public_projects: Offentlige projekter
427 label_public_projects: Offentlige projekter
428 label_open_issues: åben
428 label_open_issues: åben
429 label_open_issues_plural: åbne
429 label_open_issues_plural: åbne
430 label_closed_issues: lukket
430 label_closed_issues: lukket
431 label_closed_issues_plural: lukkede
431 label_closed_issues_plural: lukkede
432 label_x_open_issues_abbr:
432 label_x_open_issues_abbr:
433 zero: 0 åbne
433 zero: 0 åbne
434 one: 1 åben
434 one: 1 åben
435 other: "%{count} åbne"
435 other: "%{count} åbne"
436 label_x_closed_issues_abbr:
436 label_x_closed_issues_abbr:
437 zero: 0 lukkede
437 zero: 0 lukkede
438 one: 1 lukket
438 one: 1 lukket
439 other: "%{count} lukkede"
439 other: "%{count} lukkede"
440 label_total: Total
440 label_total: Total
441 label_permissions: Rettigheder
441 label_permissions: Rettigheder
442 label_current_status: Nuværende status
442 label_current_status: Nuværende status
443 label_new_statuses_allowed: Ny status tilladt
443 label_new_statuses_allowed: Ny status tilladt
444 label_all: alle
444 label_all: alle
445 label_none: intet
445 label_none: intet
446 label_nobody: ingen
446 label_nobody: ingen
447 label_next: Næste
447 label_next: Næste
448 label_previous: Forrige
448 label_previous: Forrige
449 label_used_by: Brugt af
449 label_used_by: Brugt af
450 label_details: Detaljer
450 label_details: Detaljer
451 label_add_note: Tilføj note
451 label_add_note: Tilføj note
452 label_calendar: Kalender
452 label_calendar: Kalender
453 label_months_from: måneder frem
453 label_months_from: måneder frem
454 label_gantt: Gantt
454 label_gantt: Gantt
455 label_internal: Intern
455 label_internal: Intern
456 label_last_changes: "sidste %{count} ændringer"
456 label_last_changes: "sidste %{count} ændringer"
457 label_change_view_all: Vis alle ændringer
457 label_change_view_all: Vis alle ændringer
458 label_personalize_page: Tilret denne side
458 label_personalize_page: Tilret denne side
459 label_comment: Kommentar
459 label_comment: Kommentar
460 label_comment_plural: Kommentarer
460 label_comment_plural: Kommentarer
461 label_x_comments:
461 label_x_comments:
462 zero: ingen kommentarer
462 zero: ingen kommentarer
463 one: 1 kommentar
463 one: 1 kommentar
464 other: "%{count} kommentarer"
464 other: "%{count} kommentarer"
465 label_comment_add: Tilføj en kommentar
465 label_comment_add: Tilføj en kommentar
466 label_comment_added: Kommentaren er tilføjet
466 label_comment_added: Kommentaren er tilføjet
467 label_comment_delete: Slet kommentar
467 label_comment_delete: Slet kommentar
468 label_query: Brugerdefineret forespørgsel
468 label_query: Brugerdefineret forespørgsel
469 label_query_plural: Brugerdefinerede forespørgsler
469 label_query_plural: Brugerdefinerede forespørgsler
470 label_query_new: Ny forespørgsel
470 label_query_new: Ny forespørgsel
471 label_filter_add: Tilføj filter
471 label_filter_add: Tilføj filter
472 label_filter_plural: Filtre
472 label_filter_plural: Filtre
473 label_equals: er
473 label_equals: er
474 label_not_equals: er ikke
474 label_not_equals: er ikke
475 label_in_less_than: er mindre end
475 label_in_less_than: er mindre end
476 label_in_more_than: er større end
476 label_in_more_than: er større end
477 label_in: indeholdt i
477 label_in: indeholdt i
478 label_today: i dag
478 label_today: i dag
479 label_all_time: altid
479 label_all_time: altid
480 label_yesterday: i går
480 label_yesterday: i går
481 label_this_week: denne uge
481 label_this_week: denne uge
482 label_last_week: sidste uge
482 label_last_week: sidste uge
483 label_last_n_days: "sidste %{count} dage"
483 label_last_n_days: "sidste %{count} dage"
484 label_this_month: denne måned
484 label_this_month: denne måned
485 label_last_month: sidste måned
485 label_last_month: sidste måned
486 label_this_year: dette år
486 label_this_year: dette år
487 label_date_range: Dato interval
487 label_date_range: Dato interval
488 label_less_than_ago: mindre end dage siden
488 label_less_than_ago: mindre end dage siden
489 label_more_than_ago: mere end dage siden
489 label_more_than_ago: mere end dage siden
490 label_ago: dage siden
490 label_ago: dage siden
491 label_contains: indeholder
491 label_contains: indeholder
492 label_not_contains: ikke indeholder
492 label_not_contains: ikke indeholder
493 label_day_plural: dage
493 label_day_plural: dage
494 label_repository: Repository
494 label_repository: Repository
495 label_repository_plural: Repositories
495 label_repository_plural: Repositories
496 label_browse: Gennemse
496 label_browse: Gennemse
497 label_revision: Revision
497 label_revision: Revision
498 label_revision_plural: Revisioner
498 label_revision_plural: Revisioner
499 label_associated_revisions: Tilknyttede revisioner
499 label_associated_revisions: Tilknyttede revisioner
500 label_added: tilføjet
500 label_added: tilføjet
501 label_modified: ændret
501 label_modified: ændret
502 label_deleted: slettet
502 label_deleted: slettet
503 label_latest_revision: Seneste revision
503 label_latest_revision: Seneste revision
504 label_latest_revision_plural: Seneste revisioner
504 label_latest_revision_plural: Seneste revisioner
505 label_view_revisions: Se revisioner
505 label_view_revisions: Se revisioner
506 label_max_size: Maksimal størrelse
506 label_max_size: Maksimal størrelse
507 label_sort_highest: Flyt til toppen
507 label_sort_highest: Flyt til toppen
508 label_sort_higher: Flyt op
508 label_sort_higher: Flyt op
509 label_sort_lower: Flyt ned
509 label_sort_lower: Flyt ned
510 label_sort_lowest: Flyt til bunden
510 label_sort_lowest: Flyt til bunden
511 label_roadmap: Roadmap
511 label_roadmap: Roadmap
512 label_roadmap_due_in: Deadline
512 label_roadmap_due_in: Deadline
513 label_roadmap_overdue: "%{value} forsinket"
513 label_roadmap_overdue: "%{value} forsinket"
514 label_roadmap_no_issues: Ingen sager i denne version
514 label_roadmap_no_issues: Ingen sager i denne version
515 label_search: Søg
515 label_search: Søg
516 label_result_plural: Resultater
516 label_result_plural: Resultater
517 label_all_words: Alle ord
517 label_all_words: Alle ord
518 label_wiki: Wiki
518 label_wiki: Wiki
519 label_wiki_edit: Wiki ændring
519 label_wiki_edit: Wiki ændring
520 label_wiki_edit_plural: Wiki ændringer
520 label_wiki_edit_plural: Wiki ændringer
521 label_wiki_page: Wiki side
521 label_wiki_page: Wiki side
522 label_wiki_page_plural: Wiki sider
522 label_wiki_page_plural: Wiki sider
523 label_index_by_title: Indhold efter titel
523 label_index_by_title: Indhold efter titel
524 label_index_by_date: Indhold efter dato
524 label_index_by_date: Indhold efter dato
525 label_current_version: Nuværende version
525 label_current_version: Nuværende version
526 label_preview: Forhåndsvisning
526 label_preview: Forhåndsvisning
527 label_feed_plural: Feeds
527 label_feed_plural: Feeds
528 label_changes_details: Detaljer for alle ændringer
528 label_changes_details: Detaljer for alle ændringer
529 label_issue_tracking: Sagssøgning
529 label_issue_tracking: Sagssøgning
530 label_spent_time: Anvendt tid
530 label_spent_time: Anvendt tid
531 label_f_hour: "%{value} time"
531 label_f_hour: "%{value} time"
532 label_f_hour_plural: "%{value} timer"
532 label_f_hour_plural: "%{value} timer"
533 label_time_tracking: Tidsstyring
533 label_time_tracking: Tidsstyring
534 label_change_plural: Ændringer
534 label_change_plural: Ændringer
535 label_statistics: Statistik
535 label_statistics: Statistik
536 label_commits_per_month: Commits pr. måned
536 label_commits_per_month: Commits pr. måned
537 label_commits_per_author: Commits pr. bruger
537 label_commits_per_author: Commits pr. bruger
538 label_view_diff: Vis forskelle
538 label_view_diff: Vis forskelle
539 label_diff_inline: inline
539 label_diff_inline: inline
540 label_diff_side_by_side: side om side
540 label_diff_side_by_side: side om side
541 label_options: Formatering
541 label_options: Formatering
542 label_copy_workflow_from: Kopier arbejdsgang fra
542 label_copy_workflow_from: Kopier arbejdsgang fra
543 label_permissions_report: Godkendelsesrapport
543 label_permissions_report: Godkendelsesrapport
544 label_watched_issues: Overvågede sager
544 label_watched_issues: Overvågede sager
545 label_related_issues: Relaterede sager
545 label_related_issues: Relaterede sager
546 label_applied_status: Anvendte statusser
546 label_applied_status: Anvendte statusser
547 label_loading: Indlæser...
547 label_loading: Indlæser...
548 label_relation_new: Ny relation
548 label_relation_new: Ny relation
549 label_relation_delete: Slet relation
549 label_relation_delete: Slet relation
550 label_relates_to: relaterer til
550 label_relates_to: relaterer til
551 label_duplicates: duplikater
551 label_duplicates: duplikater
552 label_blocks: blokerer
552 label_blocks: blokerer
553 label_blocked_by: blokeret af
553 label_blocked_by: blokeret af
554 label_precedes: kommer før
554 label_precedes: kommer før
555 label_follows: følger
555 label_follows: følger
556 label_stay_logged_in: Forbliv indlogget
556 label_stay_logged_in: Forbliv indlogget
557 label_disabled: deaktiveret
557 label_disabled: deaktiveret
558 label_show_completed_versions: Vis færdige versioner
558 label_show_completed_versions: Vis færdige versioner
559 label_me: mig
559 label_me: mig
560 label_board: Forum
560 label_board: Forum
561 label_board_new: Nyt forum
561 label_board_new: Nyt forum
562 label_board_plural: Fora
562 label_board_plural: Fora
563 label_topic_plural: Emner
563 label_topic_plural: Emner
564 label_message_plural: Beskeder
564 label_message_plural: Beskeder
565 label_message_last: Sidste besked
565 label_message_last: Sidste besked
566 label_message_new: Ny besked
566 label_message_new: Ny besked
567 label_message_posted: Besked tilføjet
567 label_message_posted: Besked tilføjet
568 label_reply_plural: Besvarer
568 label_reply_plural: Besvarer
569 label_send_information: Send konto information til bruger
569 label_send_information: Send konto information til bruger
570 label_year: År
570 label_year: År
571 label_month: Måned
571 label_month: Måned
572 label_week: Uge
572 label_week: Uge
573 label_date_from: Fra
573 label_date_from: Fra
574 label_date_to: Til
574 label_date_to: Til
575 label_language_based: Baseret på brugerens sprog
575 label_language_based: Baseret på brugerens sprog
576 label_sort_by: "Sortér efter %{value}"
576 label_sort_by: "Sortér efter %{value}"
577 label_send_test_email: Send en test email
577 label_send_test_email: Send en test email
578 label_feeds_access_key_created_on: "Atom adgangsnøgle dannet for %{value} siden"
578 label_feeds_access_key_created_on: "Atom adgangsnøgle dannet for %{value} siden"
579 label_module_plural: Moduler
579 label_module_plural: Moduler
580 label_added_time_by: "Tilføjet af %{author} for %{age} siden"
580 label_added_time_by: "Tilføjet af %{author} for %{age} siden"
581 label_updated_time: "Opdateret for %{value} siden"
581 label_updated_time: "Opdateret for %{value} siden"
582 label_jump_to_a_project: Skift til projekt...
582 label_jump_to_a_project: Skift til projekt...
583 label_file_plural: Filer
583 label_file_plural: Filer
584 label_changeset_plural: Ændringer
584 label_changeset_plural: Ændringer
585 label_default_columns: Standardkolonner
585 label_default_columns: Standardkolonner
586 label_no_change_option: (Ingen ændringer)
586 label_no_change_option: (Ingen ændringer)
587 label_bulk_edit_selected_issues: Masse-ret de valgte sager
587 label_bulk_edit_selected_issues: Masse-ret de valgte sager
588 label_theme: Tema
588 label_theme: Tema
589 label_default: standard
589 label_default: standard
590 label_search_titles_only: Søg kun i titler
590 label_search_titles_only: Søg kun i titler
591 label_user_mail_option_all: "For alle hændelser mine projekter"
591 label_user_mail_option_all: "For alle hændelser mine projekter"
592 label_user_mail_option_selected: "For alle hændelser de valgte projekter..."
592 label_user_mail_option_selected: "For alle hændelser de valgte projekter..."
593 label_user_mail_no_self_notified: "Jeg ønsker ikke besked om ændring foretaget af mig selv"
593 label_user_mail_no_self_notified: "Jeg ønsker ikke besked om ændring foretaget af mig selv"
594 label_registration_activation_by_email: kontoaktivering på email
594 label_registration_activation_by_email: kontoaktivering på email
595 label_registration_manual_activation: manuel kontoaktivering
595 label_registration_manual_activation: manuel kontoaktivering
596 label_registration_automatic_activation: automatisk kontoaktivering
596 label_registration_automatic_activation: automatisk kontoaktivering
597 label_display_per_page: "Per side: %{value}"
597 label_display_per_page: "Per side: %{value}"
598 label_age: Alder
598 label_age: Alder
599 label_change_properties: Ændre indstillinger
599 label_change_properties: Ændre indstillinger
600 label_general: Generelt
600 label_general: Generelt
601 label_more: Mere
601 label_more: Mere
602 label_scm: SCM
602 label_scm: SCM
603 label_plugins: Plugins
603 label_plugins: Plugins
604 label_ldap_authentication: LDAP-godkendelse
604 label_ldap_authentication: LDAP-godkendelse
605 label_downloads_abbr: D/L
605 label_downloads_abbr: D/L
606
606
607 button_login: Login
607 button_login: Login
608 button_submit: Send
608 button_submit: Send
609 button_save: Gem
609 button_save: Gem
610 button_check_all: Vælg alt
610 button_check_all: Vælg alt
611 button_uncheck_all: Fravælg alt
611 button_uncheck_all: Fravælg alt
612 button_delete: Slet
612 button_delete: Slet
613 button_create: Opret
613 button_create: Opret
614 button_test: Test
614 button_test: Test
615 button_edit: Ret
615 button_edit: Ret
616 button_add: Tilføj
616 button_add: Tilføj
617 button_change: Ændre
617 button_change: Ændre
618 button_apply: Anvend
618 button_apply: Anvend
619 button_clear: Nulstil
619 button_clear: Nulstil
620 button_lock: Lås
620 button_lock: Lås
621 button_unlock: Lås op
621 button_unlock: Lås op
622 button_download: Download
622 button_download: Download
623 button_list: List
623 button_list: List
624 button_view: Vis
624 button_view: Vis
625 button_move: Flyt
625 button_move: Flyt
626 button_back: Tilbage
626 button_back: Tilbage
627 button_cancel: Annullér
627 button_cancel: Annullér
628 button_activate: Aktivér
628 button_activate: Aktivér
629 button_sort: Sortér
629 button_sort: Sortér
630 button_log_time: Log tid
630 button_log_time: Log tid
631 button_rollback: Tilbagefør til denne version
631 button_rollback: Tilbagefør til denne version
632 button_watch: Overvåg
632 button_watch: Overvåg
633 button_unwatch: Stop overvågning
633 button_unwatch: Stop overvågning
634 button_reply: Besvar
634 button_reply: Besvar
635 button_archive: Arkivér
635 button_archive: Arkivér
636 button_unarchive: Fjern fra arkiv
636 button_unarchive: Fjern fra arkiv
637 button_reset: Nulstil
637 button_reset: Nulstil
638 button_rename: Omdøb
638 button_rename: Omdøb
639 button_change_password: Skift kodeord
639 button_change_password: Skift kodeord
640 button_copy: Kopiér
640 button_copy: Kopiér
641 button_annotate: Annotér
641 button_annotate: Annotér
642 button_update: Opdatér
642 button_update: Opdatér
643 button_configure: Konfigurér
643 button_configure: Konfigurér
644
644
645 status_active: aktiv
645 status_active: aktiv
646 status_registered: registreret
646 status_registered: registreret
647 status_locked: låst
647 status_locked: låst
648
648
649 text_select_mail_notifications: Vælg handlinger der skal sendes email besked for.
649 text_select_mail_notifications: Vælg handlinger der skal sendes email besked for.
650 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
650 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
651 text_min_max_length_info: 0 betyder ingen begrænsninger
651 text_min_max_length_info: 0 betyder ingen begrænsninger
652 text_project_destroy_confirmation: Er du sikker på at du vil slette dette projekt og alle relaterede data?
652 text_project_destroy_confirmation: Er du sikker på at du vil slette dette projekt og alle relaterede data?
653 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
653 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
654 text_are_you_sure: Er du sikker?
654 text_are_you_sure: Er du sikker?
655 text_tip_issue_begin_day: opgaven begynder denne dag
655 text_tip_issue_begin_day: opgaven begynder denne dag
656 text_tip_issue_end_day: opaven slutter denne dag
656 text_tip_issue_end_day: opaven slutter denne dag
657 text_tip_issue_begin_end_day: opgaven begynder og slutter denne dag
657 text_tip_issue_begin_end_day: opgaven begynder og slutter denne dag
658 text_caracters_maximum: "max %{count} karakterer."
658 text_caracters_maximum: "max %{count} karakterer."
659 text_caracters_minimum: "Skal være mindst %{count} karakterer lang."
659 text_caracters_minimum: "Skal være mindst %{count} karakterer lang."
660 text_length_between: "Længde skal være mellem %{min} og %{max} karakterer."
660 text_length_between: "Længde skal være mellem %{min} og %{max} karakterer."
661 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
661 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
662 text_unallowed_characters: Ikke-tilladte karakterer
662 text_unallowed_characters: Ikke-tilladte karakterer
663 text_comma_separated: Adskillige værdier tilladt (adskilt med komma).
663 text_comma_separated: Adskillige værdier tilladt (adskilt med komma).
664 text_issues_ref_in_commit_messages: Referer og løser sager i commit-beskeder
664 text_issues_ref_in_commit_messages: Referer og løser sager i commit-beskeder
665 text_issue_added: "Sag %{id} er rapporteret af %{author}."
665 text_issue_added: "Sag %{id} er rapporteret af %{author}."
666 text_issue_updated: "Sag %{id} er blevet opdateret af %{author}."
666 text_issue_updated: "Sag %{id} er blevet opdateret af %{author}."
667 text_wiki_destroy_confirmation: Er du sikker på at du vil slette denne wiki og dens indhold?
667 text_wiki_destroy_confirmation: Er du sikker på at du vil slette denne wiki og dens indhold?
668 text_issue_category_destroy_question: "Nogle sager (%{count}) er tildelt denne kategori. Hvad ønsker du at gøre?"
668 text_issue_category_destroy_question: "Nogle sager (%{count}) er tildelt denne kategori. Hvad ønsker du at gøre?"
669 text_issue_category_destroy_assignments: Slet tildelinger af kategori
669 text_issue_category_destroy_assignments: Slet tildelinger af kategori
670 text_issue_category_reassign_to: Tildel sager til denne kategori
670 text_issue_category_reassign_to: Tildel sager til denne kategori
671 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)."
671 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)."
672 text_no_configuration_data: "Roller, typer, sagsstatusser 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."
672 text_no_configuration_data: "Roller, typer, sagsstatusser 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."
673 text_load_default_configuration: Indlæs standardopsætningen
673 text_load_default_configuration: Indlæs standardopsætningen
674 text_status_changed_by_changeset: "Anvendt i ændring %{value}."
674 text_status_changed_by_changeset: "Anvendt i ændring %{value}."
675 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er)?'
675 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er)?'
676 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
676 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
677 text_default_administrator_account_changed: Standardadministratorkonto ændret
677 text_default_administrator_account_changed: Standardadministratorkonto ændret
678 text_file_repository_writable: Filarkiv er skrivbar
678 text_file_repository_writable: Filarkiv er skrivbar
679 text_rmagick_available: RMagick tilgængelig (valgfri)
679 text_rmagick_available: RMagick tilgængelig (valgfri)
680
680
681 default_role_manager: Leder
681 default_role_manager: Leder
682 default_role_developer: Udvikler
682 default_role_developer: Udvikler
683 default_role_reporter: Rapportør
683 default_role_reporter: Rapportør
684 default_tracker_bug: Fejl
684 default_tracker_bug: Fejl
685 default_tracker_feature: Funktion
685 default_tracker_feature: Funktion
686 default_tracker_support: Support
686 default_tracker_support: Support
687 default_issue_status_new: Ny
687 default_issue_status_new: Ny
688 default_issue_status_in_progress: Igangværende
688 default_issue_status_in_progress: Igangværende
689 default_issue_status_resolved: Løst
689 default_issue_status_resolved: Løst
690 default_issue_status_feedback: Feedback
690 default_issue_status_feedback: Feedback
691 default_issue_status_closed: Lukket
691 default_issue_status_closed: Lukket
692 default_issue_status_rejected: Afvist
692 default_issue_status_rejected: Afvist
693 default_doc_category_user: Brugerdokumentation
693 default_doc_category_user: Brugerdokumentation
694 default_doc_category_tech: Teknisk dokumentation
694 default_doc_category_tech: Teknisk dokumentation
695 default_priority_low: Lav
695 default_priority_low: Lav
696 default_priority_normal: Normal
696 default_priority_normal: Normal
697 default_priority_high: Høj
697 default_priority_high: Høj
698 default_priority_urgent: Akut
698 default_priority_urgent: Akut
699 default_priority_immediate: Omgående
699 default_priority_immediate: Omgående
700 default_activity_design: Design
700 default_activity_design: Design
701 default_activity_development: Udvikling
701 default_activity_development: Udvikling
702
702
703 enumeration_issue_priorities: Sagsprioriteter
703 enumeration_issue_priorities: Sagsprioriteter
704 enumeration_doc_categories: Dokumentkategorier
704 enumeration_doc_categories: Dokumentkategorier
705 enumeration_activities: Aktiviteter (tidsstyring)
705 enumeration_activities: Aktiviteter (tidsstyring)
706
706
707 label_add_another_file: Tilføj endnu en fil
707 label_add_another_file: Tilføj endnu en fil
708 label_chronological_order: I kronologisk rækkefølge
708 label_chronological_order: I kronologisk rækkefølge
709 setting_activity_days_default: Antal dage der vises under projektaktivitet
709 setting_activity_days_default: Antal dage der vises under projektaktivitet
710 text_destroy_time_entries_question: "%{hours} timer er registreret denne sag som du er ved at slette. Hvad vil du gøre?"
710 text_destroy_time_entries_question: "%{hours} timer er registreret denne sag som du er ved at slette. Hvad vil du gøre?"
711 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
711 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
712 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
712 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
713 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som standard
713 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som standard
714 label_optional_description: Valgfri beskrivelse
714 label_optional_description: Valgfri beskrivelse
715 text_destroy_time_entries: Slet registrerede timer
715 text_destroy_time_entries: Slet registrerede timer
716 field_comments_sorting: Vis kommentar
716 field_comments_sorting: Vis kommentar
717 text_reassign_time_entries: 'Tildel registrerede timer til denne sag igen'
717 text_reassign_time_entries: 'Tildel registrerede timer til denne sag igen'
718 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
718 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
719 label_preferences: Præferencer
719 label_preferences: Præferencer
720 label_overall_activity: Overordnet aktivitet
720 label_overall_activity: Overordnet aktivitet
721 setting_default_projects_public: Nye projekter er offentlige som standard
721 setting_default_projects_public: Nye projekter er offentlige som standard
722 error_scm_annotate: "Filen findes ikke, eller kunne ikke annoteres."
722 error_scm_annotate: "Filen findes ikke, eller kunne ikke annoteres."
723 label_planning: Planlægning
723 label_planning: Planlægning
724 text_subprojects_destroy_warning: "Dets underprojekter(er): %{value} vil også blive slettet."
724 text_subprojects_destroy_warning: "Dets underprojekter(er): %{value} vil også blive slettet."
725 permission_edit_issues: Redigér sager
725 permission_edit_issues: Redigér sager
726 setting_diff_max_lines_displayed: Højeste antal forskelle der vises
726 setting_diff_max_lines_displayed: Højeste antal forskelle der vises
727 permission_edit_own_issue_notes: Redigér egne noter
727 permission_edit_own_issue_notes: Redigér egne noter
728 setting_enabled_scm: Aktiveret SCM
728 setting_enabled_scm: Aktiveret SCM
729 button_quote: Citér
729 button_quote: Citér
730 permission_view_files: Se filer
730 permission_view_files: Se filer
731 permission_add_issues: Tilføj sager
731 permission_add_issues: Tilføj sager
732 permission_edit_own_messages: Redigér egne beskeder
732 permission_edit_own_messages: Redigér egne beskeder
733 permission_delete_own_messages: Slet egne beskeder
733 permission_delete_own_messages: Slet egne beskeder
734 permission_manage_public_queries: Administrér offentlig forespørgsler
734 permission_manage_public_queries: Administrér offentlig forespørgsler
735 permission_log_time: Registrér anvendt tid
735 permission_log_time: Registrér anvendt tid
736 label_renamed: omdøbt
736 label_renamed: omdøbt
737 label_incoming_emails: Indkommende emails
737 label_incoming_emails: Indkommende emails
738 permission_view_changesets: Se ændringer
738 permission_view_changesets: Se ændringer
739 permission_manage_versions: Administrér versioner
739 permission_manage_versions: Administrér versioner
740 permission_view_time_entries: Se anvendt tid
740 permission_view_time_entries: Se anvendt tid
741 label_generate_key: Generér en nøglefil
741 label_generate_key: Generér en nøglefil
742 permission_manage_categories: Administrér sagskategorier
742 permission_manage_categories: Administrér sagskategorier
743 permission_manage_wiki: Administrér wiki
743 permission_manage_wiki: Administrér wiki
744 setting_sequential_project_identifiers: Generér sekventielle projekt-identifikatorer
744 setting_sequential_project_identifiers: Generér sekventielle projekt-identifikatorer
745 setting_plain_text_mail: Emails som almindelig tekst (ingen HTML)
745 setting_plain_text_mail: Emails som almindelig tekst (ingen HTML)
746 field_parent_title: Siden over
746 field_parent_title: Siden over
747 text_email_delivery_not_configured: "Email-afsendelse er ikke indstillet og notifikationer er defor slået fra.\nKonfigurér din SMTP server i config/configuration.yml og genstart applikationen for at aktivere email-afsendelse."
747 text_email_delivery_not_configured: "Email-afsendelse er ikke indstillet og notifikationer er defor slået fra.\nKonfigurér din SMTP server i config/configuration.yml og genstart applikationen for at aktivere email-afsendelse."
748 permission_protect_wiki_pages: Beskyt wiki sider
748 permission_protect_wiki_pages: Beskyt wiki sider
749 permission_add_issue_watchers: Tilføj overvågere
749 permission_add_issue_watchers: Tilføj overvågere
750 warning_attachments_not_saved: "der var %{count} fil(er), som ikke kunne gemmes."
750 warning_attachments_not_saved: "der var %{count} fil(er), som ikke kunne gemmes."
751 permission_comment_news: Kommentér nyheder
751 permission_comment_news: Kommentér nyheder
752 text_enumeration_category_reassign_to: 'Flyt dem til denne værdi:'
752 text_enumeration_category_reassign_to: 'Flyt dem til denne værdi:'
753 permission_select_project_modules: Vælg projektmoduler
753 permission_select_project_modules: Vælg projektmoduler
754 permission_view_gantt: Se Gantt diagram
754 permission_view_gantt: Se Gantt diagram
755 permission_delete_messages: Slet beskeder
755 permission_delete_messages: Slet beskeder
756 permission_move_issues: Flyt sager
756 permission_move_issues: Flyt sager
757 permission_edit_wiki_pages: Redigér wiki sider
757 permission_edit_wiki_pages: Redigér wiki sider
758 label_user_activity: "%{value}'s aktivitet"
758 label_user_activity: "%{value}'s aktivitet"
759 permission_manage_issue_relations: Administrér sags-relationer
759 permission_manage_issue_relations: Administrér sags-relationer
760 label_issue_watchers: Overvågere
760 label_issue_watchers: Overvågere
761 permission_delete_wiki_pages: Slet wiki sider
761 permission_delete_wiki_pages: Slet wiki sider
762 notice_unable_delete_version: Kan ikke slette versionen.
762 notice_unable_delete_version: Kan ikke slette versionen.
763 permission_view_wiki_edits: Se wiki historik
763 permission_view_wiki_edits: Se wiki historik
764 field_editable: Redigérbar
764 field_editable: Redigérbar
765 label_duplicated_by: dubleret af
765 label_duplicated_by: dubleret af
766 permission_manage_boards: Administrér fora
766 permission_manage_boards: Administrér fora
767 permission_delete_wiki_pages_attachments: Slet filer vedhæftet wiki sider
767 permission_delete_wiki_pages_attachments: Slet filer vedhæftet wiki sider
768 permission_view_messages: Se beskeder
768 permission_view_messages: Se beskeder
769 text_enumeration_destroy_question: "%{count} objekter er tildelt denne værdi."
769 text_enumeration_destroy_question: "%{count} objekter er tildelt denne værdi."
770 permission_manage_files: Administrér filer
770 permission_manage_files: Administrér filer
771 permission_add_messages: Opret beskeder
771 permission_add_messages: Opret beskeder
772 permission_edit_issue_notes: Redigér noter
772 permission_edit_issue_notes: Redigér noter
773 permission_manage_news: Administrér nyheder
773 permission_manage_news: Administrér nyheder
774 text_plugin_assets_writable: Der er skriverettigheder til plugin assets folderen
774 text_plugin_assets_writable: Der er skriverettigheder til plugin assets folderen
775 label_display: Vis
775 label_display: Vis
776 label_and_its_subprojects: "%{value} og dets underprojekter"
776 label_and_its_subprojects: "%{value} og dets underprojekter"
777 permission_view_calendar: Se kalender
777 permission_view_calendar: Se kalender
778 button_create_and_continue: Opret og fortsæt
778 button_create_and_continue: Opret og fortsæt
779 setting_gravatar_enabled: Anvend Gravatar brugerikoner
779 setting_gravatar_enabled: Anvend Gravatar brugerikoner
780 label_updated_time_by: "Opdateret af %{author} for %{age} siden"
780 label_updated_time_by: "Opdateret af %{author} for %{age} siden"
781 text_diff_truncated: '... Listen over forskelle er blevet afkortet da den overstiger den maksimale størrelse der kan vises.'
781 text_diff_truncated: '... Listen over forskelle er blevet afkortet da den overstiger den maksimale størrelse der kan vises.'
782 text_user_wrote: "%{value} skrev:"
782 text_user_wrote: "%{value} skrev:"
783 setting_mail_handler_api_enabled: Aktiver webservice for indkomne emails
783 setting_mail_handler_api_enabled: Aktiver webservice for indkomne emails
784 permission_delete_issues: Slet sager
784 permission_delete_issues: Slet sager
785 permission_view_documents: Se dokumenter
785 permission_view_documents: Se dokumenter
786 permission_browse_repository: Gennemse repository
786 permission_browse_repository: Gennemse repository
787 permission_manage_repository: Administrér repository
787 permission_manage_repository: Administrér repository
788 permission_manage_members: Administrér medlemmer
788 permission_manage_members: Administrér medlemmer
789 mail_subject_reminder: "%{count} sag(er) har deadline i de kommende dage (%{days})"
789 mail_subject_reminder: "%{count} sag(er) har deadline i de kommende dage (%{days})"
790 permission_add_issue_notes: Tilføj noter
790 permission_add_issue_notes: Tilføj noter
791 permission_edit_messages: Redigér beskeder
791 permission_edit_messages: Redigér beskeder
792 permission_view_issue_watchers: Se liste over overvågere
792 permission_view_issue_watchers: Se liste over overvågere
793 permission_commit_access: Commit adgang
793 permission_commit_access: Commit adgang
794 setting_mail_handler_api_key: API nøgle
794 setting_mail_handler_api_key: API nøgle
795 label_example: Eksempel
795 label_example: Eksempel
796 permission_rename_wiki_pages: Omdøb wiki sider
796 permission_rename_wiki_pages: Omdøb wiki sider
797 text_custom_field_possible_values_info: 'En linje for hver værdi'
797 text_custom_field_possible_values_info: 'En linje for hver værdi'
798 permission_view_wiki_pages: Se wiki
798 permission_view_wiki_pages: Se wiki
799 permission_edit_project: Redigér projekt
799 permission_edit_project: Redigér projekt
800 permission_save_queries: Gem forespørgsler
800 permission_save_queries: Gem forespørgsler
801 label_copied: kopieret
801 label_copied: kopieret
802 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 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."
803 permission_edit_time_entries: Redigér tidsregistreringer
803 permission_edit_time_entries: Redigér tidsregistreringer
804 general_csv_decimal_separator: ','
804 general_csv_decimal_separator: ','
805 permission_edit_own_time_entries: Redigér egne tidsregistreringer
805 permission_edit_own_time_entries: Redigér egne tidsregistreringer
806 setting_repository_log_display_limit: Højeste antal revisioner vist i fil-log
806 setting_repository_log_display_limit: Højeste antal revisioner vist i fil-log
807 setting_file_max_size_displayed: Maksimale størrelse på tekstfiler vist inline
807 setting_file_max_size_displayed: Maksimale størrelse på tekstfiler vist inline
808 field_watcher: Overvåger
808 field_watcher: Overvåger
809 setting_openid: Tillad OpenID login og registrering
809 setting_openid: Tillad OpenID login og registrering
810 field_identity_url: OpenID URL
810 field_identity_url: OpenID URL
811 label_login_with_open_id_option: eller login med OpenID
811 label_login_with_open_id_option: eller login med OpenID
812 setting_per_page_options: Enheder per side muligheder
812 setting_per_page_options: Enheder per side muligheder
813 mail_body_reminder: "%{count} sage(er) som er tildelt dig har deadline indenfor de næste %{days} dage:"
813 mail_body_reminder: "%{count} sage(er) som er tildelt dig har deadline indenfor de næste %{days} dage:"
814 field_content: Indhold
814 field_content: Indhold
815 label_descending: Aftagende
815 label_descending: Aftagende
816 label_sort: Sortér
816 label_sort: Sortér
817 label_ascending: Tiltagende
817 label_ascending: Tiltagende
818 label_date_from_to: Fra %{start} til %{end}
818 label_date_from_to: Fra %{start} til %{end}
819 label_greater_or_equal: ">="
819 label_greater_or_equal: ">="
820 label_less_or_equal: <=
820 label_less_or_equal: <=
821 text_wiki_page_destroy_question: Denne side har %{descendants} underside(r) og afledte. Hvad vil du gøre?
821 text_wiki_page_destroy_question: Denne side har %{descendants} underside(r) og afledte. Hvad vil du gøre?
822 text_wiki_page_reassign_children: Flyt undersider til denne side
822 text_wiki_page_reassign_children: Flyt undersider til denne side
823 text_wiki_page_nullify_children: Behold undersider som rod-sider
823 text_wiki_page_nullify_children: Behold undersider som rod-sider
824 text_wiki_page_destroy_children: Slet undersider ogalle deres afledte sider.
824 text_wiki_page_destroy_children: Slet undersider ogalle deres afledte sider.
825 setting_password_min_length: Mindste længde på kodeord
825 setting_password_min_length: Mindste længde på kodeord
826 field_group_by: Gruppér resultater efter
826 field_group_by: Gruppér resultater efter
827 mail_subject_wiki_content_updated: "'%{id}' wikisiden er blevet opdateret"
827 mail_subject_wiki_content_updated: "'%{id}' wikisiden er blevet opdateret"
828 label_wiki_content_added: Wiki side tilføjet
828 label_wiki_content_added: Wiki side tilføjet
829 mail_subject_wiki_content_added: "'%{id}' wikisiden er blevet tilføjet"
829 mail_subject_wiki_content_added: "'%{id}' wikisiden er blevet tilføjet"
830 mail_body_wiki_content_added: The '%{id}' wikiside er blevet tilføjet af %{author}.
830 mail_body_wiki_content_added: The '%{id}' wikiside er blevet tilføjet af %{author}.
831 label_wiki_content_updated: Wikiside opdateret
831 label_wiki_content_updated: Wikiside opdateret
832 mail_body_wiki_content_updated: Wikisiden '%{id}' er blevet opdateret af %{author}.
832 mail_body_wiki_content_updated: Wikisiden '%{id}' er blevet opdateret af %{author}.
833 permission_add_project: Opret projekt
833 permission_add_project: Opret projekt
834 setting_new_project_user_role_id: Denne rolle gives til en bruger, som ikke er administrator, og som opretter et projekt
834 setting_new_project_user_role_id: Denne rolle gives til en bruger, som ikke er administrator, og som opretter et projekt
835 label_view_all_revisions: Se alle revisioner
835 label_view_all_revisions: Se alle revisioner
836 label_tag: Tag
836 label_tag: Tag
837 label_branch: Branch
837 label_branch: Branch
838 error_no_tracker_in_project: Der er ingen sagshåndtering for dette projekt. Kontrollér venligst projektindstillingerne.
838 error_no_tracker_in_project: Der er ingen sagshåndtering for dette projekt. Kontrollér venligst projektindstillingerne.
839 error_no_default_issue_status: Der er ikke defineret en standardstatus. Kontrollér venligst indstillingerne (gå til "Administration -> Sagsstatusser").
839 error_no_default_issue_status: Der er ikke defineret en standardstatus. Kontrollér venligst indstillingerne (gå til "Administration -> Sagsstatusser").
840 text_journal_changed: "%{label} ændret fra %{old} til %{new}"
840 text_journal_changed: "%{label} ændret fra %{old} til %{new}"
841 text_journal_set_to: "%{label} sat til %{value}"
841 text_journal_set_to: "%{label} sat til %{value}"
842 text_journal_deleted: "%{label} slettet (%{old})"
842 text_journal_deleted: "%{label} slettet (%{old})"
843 label_group_plural: Grupper
843 label_group_plural: Grupper
844 label_group: Grupper
844 label_group: Grupper
845 label_group_new: Ny gruppe
845 label_group_new: Ny gruppe
846 label_time_entry_plural: Anvendt tid
846 label_time_entry_plural: Anvendt tid
847 text_journal_added: "%{label} %{value} tilføjet"
847 text_journal_added: "%{label} %{value} tilføjet"
848 field_active: Aktiv
848 field_active: Aktiv
849 enumeration_system_activity: System Aktivitet
849 enumeration_system_activity: System Aktivitet
850 permission_delete_issue_watchers: Slet overvågere
850 permission_delete_issue_watchers: Slet overvågere
851 version_status_closed: lukket
851 version_status_closed: lukket
852 version_status_locked: låst
852 version_status_locked: låst
853 version_status_open: åben
853 version_status_open: åben
854 error_can_not_reopen_issue_on_closed_version: En sag tildelt en lukket version kan ikke genåbnes
854 error_can_not_reopen_issue_on_closed_version: En sag tildelt en lukket version kan ikke genåbnes
855 label_user_anonymous: Anonym
855 label_user_anonymous: Anonym
856 button_move_and_follow: Flyt og overvåg
856 button_move_and_follow: Flyt og overvåg
857 setting_default_projects_modules: Standard moduler, aktiveret for nye projekter
857 setting_default_projects_modules: Standard moduler, aktiveret for nye projekter
858 setting_gravatar_default: Standard Gravatar billede
858 setting_gravatar_default: Standard Gravatar billede
859 field_sharing: Delning
859 field_sharing: Delning
860 label_version_sharing_hierarchy: Med projekthierarki
860 label_version_sharing_hierarchy: Med projekthierarki
861 label_version_sharing_system: Med alle projekter
861 label_version_sharing_system: Med alle projekter
862 label_version_sharing_descendants: Med underprojekter
862 label_version_sharing_descendants: Med underprojekter
863 label_version_sharing_tree: Med projekttræ
863 label_version_sharing_tree: Med projekttræ
864 label_version_sharing_none: Ikke delt
864 label_version_sharing_none: Ikke delt
865 error_can_not_archive_project: Dette projekt kan ikke arkiveres
865 error_can_not_archive_project: Dette projekt kan ikke arkiveres
866 button_duplicate: Duplikér
866 button_duplicate: Duplikér
867 button_copy_and_follow: Kopiér og overvåg
867 button_copy_and_follow: Kopiér og overvåg
868 label_copy_source: Kilde
868 label_copy_source: Kilde
869 setting_issue_done_ratio: Beregn sagsløsning ratio
869 setting_issue_done_ratio: Beregn sagsløsning ratio
870 setting_issue_done_ratio_issue_status: Benyt sagsstatus
870 setting_issue_done_ratio_issue_status: Benyt sagsstatus
871 error_issue_done_ratios_not_updated: Sagsløsnings ratio, ikke opdateret.
871 error_issue_done_ratios_not_updated: Sagsløsnings ratio, ikke opdateret.
872 error_workflow_copy_target: Vælg venligst måltracker og rolle(r)
872 error_workflow_copy_target: Vælg venligst måltracker og rolle(r)
873 setting_issue_done_ratio_issue_field: Benyt sagsfelt
873 setting_issue_done_ratio_issue_field: Benyt sagsfelt
874 label_copy_same_as_target: Samme som mål
874 label_copy_same_as_target: Samme som mål
875 label_copy_target: Mål
875 label_copy_target: Mål
876 notice_issue_done_ratios_updated: Sagsløsningsratio opdateret.
876 notice_issue_done_ratios_updated: Sagsløsningsratio opdateret.
877 error_workflow_copy_source: Vælg venligst en kildetracker eller rolle
877 error_workflow_copy_source: Vælg venligst en kildetracker eller rolle
878 label_update_issue_done_ratios: Opdater sagsløsningsratio
878 label_update_issue_done_ratios: Opdater sagsløsningsratio
879 setting_start_of_week: Start kalendre på
879 setting_start_of_week: Start kalendre på
880 permission_view_issues: Vis sager
880 permission_view_issues: Vis sager
881 label_display_used_statuses_only: Vis kun statusser der er benyttet af denne tracker
881 label_display_used_statuses_only: Vis kun statusser der er benyttet af denne tracker
882 label_revision_id: Revision %{value}
882 label_revision_id: Revision %{value}
883 label_api_access_key: API nøgle
883 label_api_access_key: API nøgle
884 label_api_access_key_created_on: API nøgle genereret %{value} siden
884 label_api_access_key_created_on: API nøgle genereret %{value} siden
885 label_feeds_access_key: Atom nøgle
885 label_feeds_access_key: Atom nøgle
886 notice_api_access_key_reseted: Din API nøgle er nulstillet.
886 notice_api_access_key_reseted: Din API nøgle er nulstillet.
887 setting_rest_api_enabled: Aktiver REST web service
887 setting_rest_api_enabled: Aktiver REST web service
888 label_missing_api_access_key: Mangler en API nøgle
888 label_missing_api_access_key: Mangler en API nøgle
889 label_missing_feeds_access_key: Mangler en Atom nøgle
889 label_missing_feeds_access_key: Mangler en Atom nøgle
890 button_show: Vis
890 button_show: Vis
891 text_line_separated: Flere væredier tilladt (en linje for hver værdi).
891 text_line_separated: Flere væredier tilladt (en linje for hver værdi).
892 setting_mail_handler_body_delimiters: Trunkér emails efter en af disse linjer
892 setting_mail_handler_body_delimiters: Trunkér emails efter en af disse linjer
893 permission_add_subprojects: Lav underprojekter
893 permission_add_subprojects: Lav underprojekter
894 label_subproject_new: Nyt underprojekt
894 label_subproject_new: Nyt underprojekt
895 text_own_membership_delete_confirmation: |-
895 text_own_membership_delete_confirmation: |-
896 Du er ved at fjerne en eller flere af dine rettigheder, og kan muligvis ikke redigere projektet bagefter.
896 Du er ved at fjerne en eller flere af dine rettigheder, og kan muligvis ikke redigere projektet bagefter.
897 Er du sikker på du ønsker at fortsætte?
897 Er du sikker på du ønsker at fortsætte?
898 label_close_versions: Luk færdige versioner
898 label_close_versions: Luk færdige versioner
899 label_board_sticky: Klistret
899 label_board_sticky: Klistret
900 label_board_locked: Låst
900 label_board_locked: Låst
901 permission_export_wiki_pages: Eksporter wiki sider
901 permission_export_wiki_pages: Eksporter wiki sider
902 setting_cache_formatted_text: Cache formatteret tekst
902 setting_cache_formatted_text: Cache formatteret tekst
903 permission_manage_project_activities: Administrer projektaktiviteter
903 permission_manage_project_activities: Administrer projektaktiviteter
904 error_unable_delete_issue_status: Det var ikke muligt at slette sagsstatus
904 error_unable_delete_issue_status: Det var ikke muligt at slette sagsstatus
905 label_profile: Profil
905 label_profile: Profil
906 permission_manage_subtasks: Administrer underopgaver
906 permission_manage_subtasks: Administrer underopgaver
907 field_parent_issue: Hovedopgave
907 field_parent_issue: Hovedopgave
908 label_subtask_plural: Underopgaver
908 label_subtask_plural: Underopgaver
909 label_project_copy_notifications: Send email notifikationer, mens projektet kopieres
909 label_project_copy_notifications: Send email notifikationer, mens projektet kopieres
910 error_can_not_delete_custom_field: Kan ikke slette brugerdefineret felt
910 error_can_not_delete_custom_field: Kan ikke slette brugerdefineret felt
911 error_unable_to_connect: Kan ikke forbinde (%{value})
911 error_unable_to_connect: Kan ikke forbinde (%{value})
912 error_can_not_remove_role: Denne rolle er i brug og kan ikke slettes.
912 error_can_not_remove_role: Denne rolle er i brug og kan ikke slettes.
913 error_can_not_delete_tracker: Denne type indeholder sager og kan ikke slettes.
913 error_can_not_delete_tracker: Denne type indeholder sager og kan ikke slettes.
914 field_principal: Principal
914 field_principal: Principal
915 label_my_page_block: blok
915 label_my_page_block: blok
916 notice_failed_to_save_members: "Fejl under lagring af medlem(mer): %{errors}."
916 notice_failed_to_save_members: "Fejl under lagring af medlem(mer): %{errors}."
917 text_zoom_out: Zoom ud
917 text_zoom_out: Zoom ud
918 text_zoom_in: Zoom ind
918 text_zoom_in: Zoom ind
919 notice_unable_delete_time_entry: Kan ikke slette tidsregistrering.
919 notice_unable_delete_time_entry: Kan ikke slette tidsregistrering.
920 label_overall_spent_time: Overordnet forbrug af tid
920 label_overall_spent_time: Overordnet forbrug af tid
921 field_time_entries: Log tid
921 field_time_entries: Log tid
922 project_module_gantt: Gantt
922 project_module_gantt: Gantt
923 project_module_calendar: Kalender
923 project_module_calendar: Kalender
924 button_edit_associated_wikipage: "Redigér tilknyttet Wiki side: %{page_title}"
924 button_edit_associated_wikipage: "Redigér tilknyttet Wiki side: %{page_title}"
925 field_text: Tekstfelt
925 field_text: Tekstfelt
926 label_user_mail_option_only_owner: Kun for ting jeg er ejer af
926 label_user_mail_option_only_owner: Kun for ting jeg er ejer af
927 setting_default_notification_option: Standardpåmindelsesmulighed
927 setting_default_notification_option: Standardpåmindelsesmulighed
928 label_user_mail_option_only_my_events: Kun for ting jeg overvåger eller er involveret i
928 label_user_mail_option_only_my_events: Kun for ting jeg overvåger eller er involveret i
929 label_user_mail_option_only_assigned: Kun for ting jeg er tildelt
929 label_user_mail_option_only_assigned: Kun for ting jeg er tildelt
930 label_user_mail_option_none: Ingen hændelser
930 label_user_mail_option_none: Ingen hændelser
931 field_member_of_group: Medlem af gruppe
931 field_member_of_group: Medlem af gruppe
932 field_assigned_to_role: Medlem af rolle
932 field_assigned_to_role: Medlem af rolle
933 notice_not_authorized_archived_project: Projektet du prøver at tilgå, er blevet arkiveret.
933 notice_not_authorized_archived_project: Projektet du prøver at tilgå, er blevet arkiveret.
934 label_principal_search: "Søg efter bruger eller gruppe:"
934 label_principal_search: "Søg efter bruger eller gruppe:"
935 label_user_search: "Søg efter bruger:"
935 label_user_search: "Søg efter bruger:"
936 field_visible: Synlig
936 field_visible: Synlig
937 setting_commit_logtime_activity_id: Aktivitet for registreret tid
937 setting_commit_logtime_activity_id: Aktivitet for registreret tid
938 text_time_logged_by_changeset: Anvendt i changeset %{value}.
938 text_time_logged_by_changeset: Anvendt i changeset %{value}.
939 setting_commit_logtime_enabled: Aktiver tidsregistrering
939 setting_commit_logtime_enabled: Aktiver tidsregistrering
940 notice_gantt_chart_truncated: Kortet er blevet afkortet, fordi det overstiger det maksimale antal elementer, der kan vises (%{max})
940 notice_gantt_chart_truncated: Kortet er blevet afkortet, fordi det overstiger det maksimale antal elementer, der kan vises (%{max})
941 setting_gantt_items_limit: Maksimalt antal af elementer der kan vises på gantt kortet
941 setting_gantt_items_limit: Maksimalt antal af elementer der kan vises på gantt kortet
942
942
943 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
943 field_warn_on_leaving_unsaved: Warn me when leaving a page with unsaved text
944 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
944 text_warn_on_leaving_unsaved: The current page contains unsaved text that will be lost if you leave this page.
945 label_my_queries: My custom queries
945 label_my_queries: My custom queries
946 text_journal_changed_no_detail: "%{label} updated"
946 text_journal_changed_no_detail: "%{label} updated"
947 label_news_comment_added: Comment added to a news
947 label_news_comment_added: Comment added to a news
948 button_expand_all: Expand all
948 button_expand_all: Expand all
949 button_collapse_all: Collapse all
949 button_collapse_all: Collapse all
950 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
950 label_additional_workflow_transitions_for_assignee: Additional transitions allowed when the user is the assignee
951 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
951 label_additional_workflow_transitions_for_author: Additional transitions allowed when the user is the author
952 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
952 label_bulk_edit_selected_time_entries: Bulk edit selected time entries
953 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
953 text_time_entries_destroy_confirmation: Are you sure you want to delete the selected time entr(y/ies)?
954 label_role_anonymous: Anonymous
954 label_role_anonymous: Anonymous
955 label_role_non_member: Non member
955 label_role_non_member: Non member
956 label_issue_note_added: Note added
956 label_issue_note_added: Note added
957 label_issue_status_updated: Status updated
957 label_issue_status_updated: Status updated
958 label_issue_priority_updated: Priority updated
958 label_issue_priority_updated: Priority updated
959 label_issues_visibility_own: Issues created by or assigned to the user
959 label_issues_visibility_own: Issues created by or assigned to the user
960 field_issues_visibility: Issues visibility
960 field_issues_visibility: Issues visibility
961 label_issues_visibility_all: All issues
961 label_issues_visibility_all: All issues
962 permission_set_own_issues_private: Set own issues public or private
962 permission_set_own_issues_private: Set own issues public or private
963 field_is_private: Private
963 field_is_private: Private
964 permission_set_issues_private: Set issues public or private
964 permission_set_issues_private: Set issues public or private
965 label_issues_visibility_public: All non private issues
965 label_issues_visibility_public: All non private issues
966 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
966 text_issues_destroy_descendants_confirmation: This will also delete %{count} subtask(s).
967 field_commit_logs_encoding: Kodning af Commit beskeder
967 field_commit_logs_encoding: Kodning af Commit beskeder
968 field_scm_path_encoding: Path encoding
968 field_scm_path_encoding: Path encoding
969 text_scm_path_encoding_note: "Default: UTF-8"
969 text_scm_path_encoding_note: "Default: UTF-8"
970 field_path_to_repository: Path to repository
970 field_path_to_repository: Path to repository
971 field_root_directory: Root directory
971 field_root_directory: Root directory
972 field_cvs_module: Module
972 field_cvs_module: Module
973 field_cvsroot: CVSROOT
973 field_cvsroot: CVSROOT
974 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
974 text_mercurial_repository_note: Local repository (e.g. /hgrepo, c:\hgrepo)
975 text_scm_command: Command
975 text_scm_command: Command
976 text_scm_command_version: Version
976 text_scm_command_version: Version
977 label_git_report_last_commit: Report last commit for files and directories
977 label_git_report_last_commit: Report last commit for files and directories
978 notice_issue_successful_create: Issue %{id} created.
978 notice_issue_successful_create: Issue %{id} created.
979 label_between: between
979 label_between: between
980 setting_issue_group_assignment: Allow issue assignment to groups
980 setting_issue_group_assignment: Allow issue assignment to groups
981 label_diff: diff
981 label_diff: diff
982 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
982 text_git_repository_note: Repository is bare and local (e.g. /gitrepo, c:\gitrepo)
983 description_query_sort_criteria_direction: Sort direction
983 description_query_sort_criteria_direction: Sort direction
984 description_project_scope: Search scope
984 description_project_scope: Search scope
985 description_filter: Filter
985 description_filter: Filter
986 description_user_mail_notification: Mail notification settings
986 description_user_mail_notification: Mail notification settings
987 description_date_from: Enter start date
987 description_date_from: Enter start date
988 description_message_content: Message content
988 description_message_content: Message content
989 description_available_columns: Available Columns
989 description_available_columns: Available Columns
990 description_date_range_interval: Choose range by selecting start and end date
990 description_date_range_interval: Choose range by selecting start and end date
991 description_issue_category_reassign: Choose issue category
991 description_issue_category_reassign: Choose issue category
992 description_search: Searchfield
992 description_search: Searchfield
993 description_notes: Notes
993 description_notes: Notes
994 description_date_range_list: Choose range from list
994 description_date_range_list: Choose range from list
995 description_choose_project: Projects
995 description_choose_project: Projects
996 description_date_to: Enter end date
996 description_date_to: Enter end date
997 description_query_sort_criteria_attribute: Sort attribute
997 description_query_sort_criteria_attribute: Sort attribute
998 description_wiki_subpages_reassign: Choose new parent page
998 description_wiki_subpages_reassign: Choose new parent page
999 description_selected_columns: Selected Columns
999 description_selected_columns: Selected Columns
1000 label_parent_revision: Parent
1000 label_parent_revision: Parent
1001 label_child_revision: Child
1001 label_child_revision: Child
1002 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1002 error_scm_annotate_big_text_file: The entry cannot be annotated, as it exceeds the maximum text file size.
1003 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1003 setting_default_issue_start_date_to_creation_date: Use current date as start date for new issues
1004 button_edit_section: Edit this section
1004 button_edit_section: Edit this section
1005 setting_repositories_encodings: Attachments and repositories encodings
1005 setting_repositories_encodings: Attachments and repositories encodings
1006 description_all_columns: All Columns
1006 description_all_columns: All Columns
1007 button_export: Export
1007 button_export: Export
1008 label_export_options: "%{export_format} export options"
1008 label_export_options: "%{export_format} export options"
1009 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1009 error_attachment_too_big: This file cannot be uploaded because it exceeds the maximum allowed file size (%{max_size})
1010 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1010 notice_failed_to_save_time_entries: "Failed to save %{count} time entrie(s) on %{total} selected: %{ids}."
1011 label_x_issues:
1011 label_x_issues:
1012 zero: 0 sag
1012 zero: 0 sag
1013 one: 1 sag
1013 one: 1 sag
1014 other: "%{count} sager"
1014 other: "%{count} sager"
1015 label_repository_new: New repository
1015 label_repository_new: New repository
1016 field_repository_is_default: Main repository
1016 field_repository_is_default: Main repository
1017 label_copy_attachments: Copy attachments
1017 label_copy_attachments: Copy attachments
1018 label_item_position: "%{position}/%{count}"
1018 label_item_position: "%{position}/%{count}"
1019 label_completed_versions: Completed versions
1019 label_completed_versions: Completed versions
1020 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1020 text_project_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1021 field_multiple: Multiple values
1021 field_multiple: Multiple values
1022 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1022 setting_commit_cross_project_ref: Allow issues of all the other projects to be referenced and fixed
1023 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1023 text_issue_conflict_resolution_add_notes: Add my notes and discard my other changes
1024 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1024 text_issue_conflict_resolution_overwrite: Apply my changes anyway (previous notes will be kept but some changes may be overwritten)
1025 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1025 notice_issue_update_conflict: The issue has been updated by an other user while you were editing it.
1026 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1026 text_issue_conflict_resolution_cancel: Discard all my changes and redisplay %{link}
1027 permission_manage_related_issues: Manage related issues
1027 permission_manage_related_issues: Manage related issues
1028 field_auth_source_ldap_filter: LDAP filter
1028 field_auth_source_ldap_filter: LDAP filter
1029 label_search_for_watchers: Search for watchers to add
1029 label_search_for_watchers: Search for watchers to add
1030 notice_account_deleted: Your account has been permanently deleted.
1030 notice_account_deleted: Your account has been permanently deleted.
1031 setting_unsubscribe: Allow users to delete their own account
1031 setting_unsubscribe: Allow users to delete their own account
1032 button_delete_my_account: Delete my account
1032 button_delete_my_account: Delete my account
1033 text_account_destroy_confirmation: |-
1033 text_account_destroy_confirmation: |-
1034 Are you sure you want to proceed?
1034 Are you sure you want to proceed?
1035 Your account will be permanently deleted, with no way to reactivate it.
1035 Your account will be permanently deleted, with no way to reactivate it.
1036 error_session_expired: Your session has expired. Please login again.
1036 error_session_expired: Your session has expired. Please login again.
1037 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1037 text_session_expiration_settings: "Warning: changing these settings may expire the current sessions including yours."
1038 setting_session_lifetime: Session maximum lifetime
1038 setting_session_lifetime: Session maximum lifetime
1039 setting_session_timeout: Session inactivity timeout
1039 setting_session_timeout: Session inactivity timeout
1040 label_session_expiration: Session expiration
1040 label_session_expiration: Session expiration
1041 permission_close_project: Close / reopen the project
1041 permission_close_project: Close / reopen the project
1042 label_show_closed_projects: View closed projects
1042 label_show_closed_projects: View closed projects
1043 button_close: Close
1043 button_close: Close
1044 button_reopen: Reopen
1044 button_reopen: Reopen
1045 project_status_active: active
1045 project_status_active: active
1046 project_status_closed: closed
1046 project_status_closed: closed
1047 project_status_archived: archived
1047 project_status_archived: archived
1048 text_project_closed: This project is closed and read-only.
1048 text_project_closed: This project is closed and read-only.
1049 notice_user_successful_create: User %{id} created.
1049 notice_user_successful_create: User %{id} created.
1050 field_core_fields: Standard fields
1050 field_core_fields: Standard fields
1051 field_timeout: Timeout (in seconds)
1051 field_timeout: Timeout (in seconds)
1052 setting_thumbnails_enabled: Display attachment thumbnails
1052 setting_thumbnails_enabled: Display attachment thumbnails
1053 setting_thumbnails_size: Thumbnails size (in pixels)
1053 setting_thumbnails_size: Thumbnails size (in pixels)
1054 label_status_transitions: Status transitions
1054 label_status_transitions: Status transitions
1055 label_fields_permissions: Fields permissions
1055 label_fields_permissions: Fields permissions
1056 label_readonly: Read-only
1056 label_readonly: Read-only
1057 label_required: Required
1057 label_required: Required
1058 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1058 text_repository_identifier_info: Only lower case letters (a-z), numbers, dashes and underscores are allowed.<br />Once saved, the identifier cannot be changed.
1059 field_board_parent: Parent forum
1059 field_board_parent: Parent forum
1060 label_attribute_of_project: Project's %{name}
1060 label_attribute_of_project: Project's %{name}
1061 label_attribute_of_author: Author's %{name}
1061 label_attribute_of_author: Author's %{name}
1062 label_attribute_of_assigned_to: Assignee's %{name}
1062 label_attribute_of_assigned_to: Assignee's %{name}
1063 label_attribute_of_fixed_version: Target version's %{name}
1063 label_attribute_of_fixed_version: Target version's %{name}
1064 label_copy_subtasks: Copy subtasks
1064 label_copy_subtasks: Copy subtasks
1065 label_copied_to: copied to
1065 label_copied_to: copied to
1066 label_copied_from: copied from
1066 label_copied_from: copied from
1067 label_any_issues_in_project: any issues in project
1067 label_any_issues_in_project: any issues in project
1068 label_any_issues_not_in_project: any issues not in project
1068 label_any_issues_not_in_project: any issues not in project
1069 field_private_notes: Private notes
1069 field_private_notes: Private notes
1070 permission_view_private_notes: View private notes
1070 permission_view_private_notes: View private notes
1071 permission_set_notes_private: Set notes as private
1071 permission_set_notes_private: Set notes as private
1072 label_no_issues_in_project: no issues in project
1072 label_no_issues_in_project: no issues in project
1073 label_any: alle
1073 label_any: alle
1074 label_last_n_weeks: last %{count} weeks
1074 label_last_n_weeks: last %{count} weeks
1075 setting_cross_project_subtasks: Allow cross-project subtasks
1075 setting_cross_project_subtasks: Allow cross-project subtasks
1076 label_cross_project_descendants: Med underprojekter
1076 label_cross_project_descendants: Med underprojekter
1077 label_cross_project_tree: Med projekttræ
1077 label_cross_project_tree: Med projekttræ
1078 label_cross_project_hierarchy: Med projekthierarki
1078 label_cross_project_hierarchy: Med projekthierarki
1079 label_cross_project_system: Med alle projekter
1079 label_cross_project_system: Med alle projekter
1080 button_hide: Hide
1080 button_hide: Hide
1081 setting_non_working_week_days: Non-working days
1081 setting_non_working_week_days: Non-working days
1082 label_in_the_next_days: in the next
1082 label_in_the_next_days: in the next
1083 label_in_the_past_days: in the past
1083 label_in_the_past_days: in the past
1084 label_attribute_of_user: User's %{name}
1084 label_attribute_of_user: User's %{name}
1085 text_turning_multiple_off: If you disable multiple values, multiple values will be
1085 text_turning_multiple_off: If you disable multiple values, multiple values will be
1086 removed in order to preserve only one value per item.
1086 removed in order to preserve only one value per item.
1087 label_attribute_of_issue: Issue's %{name}
1087 label_attribute_of_issue: Issue's %{name}
1088 permission_add_documents: Add documents
1088 permission_add_documents: Add documents
1089 permission_edit_documents: Edit documents
1089 permission_edit_documents: Edit documents
1090 permission_delete_documents: Delete documents
1090 permission_delete_documents: Delete documents
1091 label_gantt_progress_line: Progress line
1091 label_gantt_progress_line: Progress line
1092 setting_jsonp_enabled: Enable JSONP support
1092 setting_jsonp_enabled: Enable JSONP support
1093 field_inherit_members: Inherit members
1093 field_inherit_members: Inherit members
1094 field_closed_on: Closed
1094 field_closed_on: Closed
1095 field_generate_password: Generate password
1095 field_generate_password: Generate password
1096 setting_default_projects_tracker_ids: Default trackers for new projects
1096 setting_default_projects_tracker_ids: Default trackers for new projects
1097 label_total_time: Total
1097 label_total_time: Total
1098 text_scm_config: You can configure your SCM commands in config/configuration.yml. Please restart the application after editing it.
1098 text_scm_config: You can configure your SCM commands in config/configuration.yml. Please restart the application after editing it.
1099 text_scm_command_not_available: SCM command is not available. Please check settings on the administration panel.
1099 text_scm_command_not_available: SCM command is not available. Please check settings on the administration panel.
1100 setting_emails_header: Email header
1100 setting_emails_header: Email header
1101 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1101 notice_account_not_activated_yet: You haven't activated your account yet. If you want
1102 to receive a new activation email, please <a href="%{url}">click this link</a>.
1102 to receive a new activation email, please <a href="%{url}">click this link</a>.
1103 notice_account_locked: Your account is locked.
1103 notice_account_locked: Your account is locked.
1104 label_hidden: Hidden
1104 label_hidden: Hidden
1105 label_visibility_private: to me only
1105 label_visibility_private: to me only
1106 label_visibility_roles: to these roles only
1106 label_visibility_roles: to these roles only
1107 label_visibility_public: to any users
1107 label_visibility_public: to any users
1108 field_must_change_passwd: Must change password at next logon
1108 field_must_change_passwd: Must change password at next logon
1109 notice_new_password_must_be_different: The new password must be different from the
1109 notice_new_password_must_be_different: The new password must be different from the
1110 current password
1110 current password
1111 setting_mail_handler_excluded_filenames: Exclude attachments by name
1111 setting_mail_handler_excluded_filenames: Exclude attachments by name
1112 text_convert_available: ImageMagick convert available (optional)
1112 text_convert_available: ImageMagick convert available (optional)
1113 label_link: Link
1113 label_link: Link
1114 label_only: only
1114 label_only: only
1115 label_drop_down_list: drop-down list
1115 label_drop_down_list: drop-down list
1116 label_checkboxes: checkboxes
1116 label_checkboxes: checkboxes
1117 label_link_values_to: Link values to URL
1117 label_link_values_to: Link values to URL
1118 setting_force_default_language_for_anonymous: Force default language for anonymous
1118 setting_force_default_language_for_anonymous: Force default language for anonymous
1119 users
1119 users
1120 setting_force_default_language_for_loggedin: Force default language for logged-in
1120 setting_force_default_language_for_loggedin: Force default language for logged-in
1121 users
1121 users
1122 label_custom_field_select_type: Select the type of object to which the custom field
1122 label_custom_field_select_type: Select the type of object to which the custom field
1123 is to be attached
1123 is to be attached
1124 label_issue_assigned_to_updated: Assignee updated
1124 label_issue_assigned_to_updated: Assignee updated
1125 label_check_for_updates: Check for updates
1125 label_check_for_updates: Check for updates
1126 label_latest_compatible_version: Latest compatible version
1126 label_latest_compatible_version: Latest compatible version
1127 label_unknown_plugin: Unknown plugin
1127 label_unknown_plugin: Unknown plugin
1128 label_radio_buttons: radio buttons
1128 label_radio_buttons: radio buttons
1129 label_group_anonymous: Anonymous users
1129 label_group_anonymous: Anonymous users
1130 label_group_non_member: Non member users
1130 label_group_non_member: Non member users
1131 label_add_projects: Add projects
1131 label_add_projects: Add projects
1132 field_default_status: Default status
1132 field_default_status: Default status
1133 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1133 text_subversion_repository_note: 'Examples: file:///, http://, https://, svn://, svn+[tunnelscheme]://'
1134 field_users_visibility: Users visibility
1134 field_users_visibility: Users visibility
1135 label_users_visibility_all: All active users
1135 label_users_visibility_all: All active users
1136 label_users_visibility_members_of_visible_projects: Members of visible projects
1136 label_users_visibility_members_of_visible_projects: Members of visible projects
1137 label_edit_attachments: Edit attached files
1137 label_edit_attachments: Edit attached files
1138 setting_link_copied_issue: Link issues on copy
1138 setting_link_copied_issue: Link issues on copy
1139 label_link_copied_issue: Link copied issue
1139 label_link_copied_issue: Link copied issue
1140 label_ask: Ask
1140 label_ask: Ask
1141 label_search_attachments_yes: Search attachment filenames and descriptions
1141 label_search_attachments_yes: Search attachment filenames and descriptions
1142 label_search_attachments_no: Do not search attachments
1142 label_search_attachments_no: Do not search attachments
1143 label_search_attachments_only: Search attachments only
1143 label_search_attachments_only: Search attachments only
1144 label_search_open_issues_only: Open issues only
1144 label_search_open_issues_only: Open issues only
1145 field_address: Email
1145 field_address: Email
1146 setting_max_additional_emails: Maximum number of additional email addresses
1146 setting_max_additional_emails: Maximum number of additional email addresses
1147 label_email_address_plural: Emails
1147 label_email_address_plural: Emails
1148 label_email_address_add: Add email address
1148 label_email_address_add: Add email address
1149 label_enable_notifications: Enable notifications
1149 label_enable_notifications: Enable notifications
1150 label_disable_notifications: Disable notifications
1150 label_disable_notifications: Disable notifications
1151 setting_search_results_per_page: Search results per page
1151 setting_search_results_per_page: Search results per page
1152 label_blank_value: blank
1152 label_blank_value: blank
1153 permission_copy_issues: Copy issues
1153 permission_copy_issues: Copy issues
1154 error_password_expired: Your password has expired or the administrator requires you
1154 error_password_expired: Your password has expired or the administrator requires you
1155 to change it.
1155 to change it.
1156 field_time_entries_visibility: Time logs visibility
1156 field_time_entries_visibility: Time logs visibility
1157 setting_password_max_age: Require password change after
1157 setting_password_max_age: Require password change after
1158 label_parent_task_attributes: Parent tasks attributes
1158 label_parent_task_attributes: Parent tasks attributes
1159 label_parent_task_attributes_derived: Calculated from subtasks
1159 label_parent_task_attributes_derived: Calculated from subtasks
1160 label_parent_task_attributes_independent: Independent of subtasks
1160 label_parent_task_attributes_independent: Independent of subtasks
1161 label_time_entries_visibility_all: All time entries
1161 label_time_entries_visibility_all: All time entries
1162 label_time_entries_visibility_own: Time entries created by the user
1162 label_time_entries_visibility_own: Time entries created by the user
1163 label_member_management: Member management
1163 label_member_management: Member management
1164 label_member_management_all_roles: All roles
1164 label_member_management_all_roles: All roles
1165 label_member_management_selected_roles_only: Only these roles
1165 label_member_management_selected_roles_only: Only these roles
1166 label_password_required: Confirm your password to continue
1166 label_password_required: Confirm your password to continue
1167 label_total_spent_time: Overordnet forbrug af tid
1167 label_total_spent_time: Overordnet forbrug af tid
1168 notice_import_finished: All %{count} items have been imported.
1168 notice_import_finished: All %{count} items have been imported.
1169 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1169 notice_import_finished_with_errors: ! '%{count} out of %{total} items could not be
1170 imported.'
1170 imported.'
1171 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1171 error_invalid_file_encoding: The file is not a valid %{encoding} encoded file
1172 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1172 error_invalid_csv_file_or_settings: The file is not a CSV file or does not match the
1173 settings below
1173 settings below
1174 error_can_not_read_import_file: An error occurred while reading the file to import
1174 error_can_not_read_import_file: An error occurred while reading the file to import
1175 permission_import_issues: Import issues
1175 permission_import_issues: Import issues
1176 label_import_issues: Import issues
1176 label_import_issues: Import issues
1177 label_select_file_to_import: Select the file to import
1177 label_select_file_to_import: Select the file to import
1178 label_fields_separator: Field separator
1178 label_fields_separator: Field separator
1179 label_fields_wrapper: Field wrapper
1179 label_fields_wrapper: Field wrapper
1180 label_encoding: Encoding
1180 label_encoding: Encoding
1181 label_comma_char: Comma
1181 label_comma_char: Comma
1182 label_semi_colon_char: Semi colon
1182 label_semi_colon_char: Semi colon
1183 label_quote_char: Quote
1183 label_quote_char: Quote
1184 label_double_quote_char: Double quote
1184 label_double_quote_char: Double quote
1185 label_fields_mapping: Fields mapping
1185 label_fields_mapping: Fields mapping
1186 label_file_content_preview: File content preview
1186 label_file_content_preview: File content preview
1187 label_create_missing_values: Create missing values
1187 label_create_missing_values: Create missing values
1188 button_import: Import
1188 button_import: Import
1189 field_total_estimated_hours: Total estimated time
1189 field_total_estimated_hours: Total estimated time
1190 label_api: API
1190 label_api: API
1191 label_total_plural: Totals
1191 label_total_plural: Totals
1192 label_assigned_issues: Assigned issues
1192 label_assigned_issues: Assigned issues
1193 label_field_format_enumeration: Key/value list
1193 label_field_format_enumeration: Key/value list
1194 label_f_hour_short: '%{value} h'
1194 label_f_hour_short: '%{value} h'
1195 field_default_version: Default version
1195 field_default_version: Default version
1196 error_attachment_extension_not_allowed: Attachment extension %{extension} is not allowed
1196 error_attachment_extension_not_allowed: Attachment extension %{extension} is not allowed
1197 setting_attachment_extensions_allowed: Allowed extensions
1197 setting_attachment_extensions_allowed: Allowed extensions
1198 setting_attachment_extensions_denied: Disallowed extensions
1198 setting_attachment_extensions_denied: Disallowed extensions
1199 label_any_open_issues: any open issues
1199 label_any_open_issues: any open issues
1200 label_no_open_issues: no open issues
1200 label_no_open_issues: no open issues
1201 label_default_values_for_new_users: Default values for new users
1201 label_default_values_for_new_users: Default values for new users
1202 error_cannot_reassign_time_entries_to_an_issue_about_to_be_deleted: Spent time cannot
1203 be reassigned to an issue that is about to be deleted
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
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