##// END OF EJS Templates
Improved error message when trying to access an archived project (#2995)....
Jean-Philippe Lang -
r4171:eea456ed84d1
parent child
Show More

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

@@ -1,415 +1,425
1 1 # redMine - project management software
2 2 # Copyright (C) 2006-2007 Jean-Philippe Lang
3 3 #
4 4 # This program is free software; you can redistribute it and/or
5 5 # modify it under the terms of the GNU General Public License
6 6 # as published by the Free Software Foundation; either version 2
7 7 # of the License, or (at your option) any later version.
8 8 #
9 9 # This program is distributed in the hope that it will be useful,
10 10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 12 # GNU General Public License for more details.
13 13 #
14 14 # You should have received a copy of the GNU General Public License
15 15 # along with this program; if not, write to the Free Software
16 16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17 17
18 18 require 'uri'
19 19 require 'cgi'
20 20
21 21 class ApplicationController < ActionController::Base
22 22 include Redmine::I18n
23 23
24 24 layout 'base'
25 25 exempt_from_layout 'builder'
26 26
27 27 # Remove broken cookie after upgrade from 0.8.x (#4292)
28 28 # See https://rails.lighthouseapp.com/projects/8994/tickets/3360
29 29 # TODO: remove it when Rails is fixed
30 30 before_filter :delete_broken_cookies
31 31 def delete_broken_cookies
32 32 if cookies['_redmine_session'] && cookies['_redmine_session'] !~ /--/
33 33 cookies.delete '_redmine_session'
34 34 redirect_to home_path
35 35 return false
36 36 end
37 37 end
38 38
39 39 before_filter :user_setup, :check_if_login_required, :set_localization
40 40 filter_parameter_logging :password
41 41 protect_from_forgery
42 42
43 43 rescue_from ActionController::InvalidAuthenticityToken, :with => :invalid_authenticity_token
44 44
45 45 include Redmine::Search::Controller
46 46 include Redmine::MenuManager::MenuController
47 47 helper Redmine::MenuManager::MenuHelper
48 48
49 49 Redmine::Scm::Base.all.each do |scm|
50 50 require_dependency "repository/#{scm.underscore}"
51 51 end
52 52
53 53 def user_setup
54 54 # Check the settings cache for each request
55 55 Setting.check_cache
56 56 # Find the current user
57 57 User.current = find_current_user
58 58 end
59 59
60 60 # Returns the current user or nil if no user is logged in
61 61 # and starts a session if needed
62 62 def find_current_user
63 63 if session[:user_id]
64 64 # existing session
65 65 (User.active.find(session[:user_id]) rescue nil)
66 66 elsif cookies[:autologin] && Setting.autologin?
67 67 # auto-login feature starts a new session
68 68 user = User.try_to_autologin(cookies[:autologin])
69 69 session[:user_id] = user.id if user
70 70 user
71 71 elsif params[:format] == 'atom' && params[:key] && accept_key_auth_actions.include?(params[:action])
72 72 # RSS key authentication does not start a session
73 73 User.find_by_rss_key(params[:key])
74 74 elsif Setting.rest_api_enabled? && ['xml', 'json'].include?(params[:format])
75 75 if params[:key].present? && accept_key_auth_actions.include?(params[:action])
76 76 # Use API key
77 77 User.find_by_api_key(params[:key])
78 78 else
79 79 # HTTP Basic, either username/password or API key/random
80 80 authenticate_with_http_basic do |username, password|
81 81 User.try_to_login(username, password) || User.find_by_api_key(username)
82 82 end
83 83 end
84 84 end
85 85 end
86 86
87 87 # Sets the logged in user
88 88 def logged_user=(user)
89 89 reset_session
90 90 if user && user.is_a?(User)
91 91 User.current = user
92 92 session[:user_id] = user.id
93 93 else
94 94 User.current = User.anonymous
95 95 end
96 96 end
97 97
98 98 # check if login is globally required to access the application
99 99 def check_if_login_required
100 100 # no check needed if user is already logged in
101 101 return true if User.current.logged?
102 102 require_login if Setting.login_required?
103 103 end
104 104
105 105 def set_localization
106 106 lang = nil
107 107 if User.current.logged?
108 108 lang = find_language(User.current.language)
109 109 end
110 110 if lang.nil? && request.env['HTTP_ACCEPT_LANGUAGE']
111 111 accept_lang = parse_qvalues(request.env['HTTP_ACCEPT_LANGUAGE']).first
112 112 if !accept_lang.blank?
113 113 accept_lang = accept_lang.downcase
114 114 lang = find_language(accept_lang) || find_language(accept_lang.split('-').first)
115 115 end
116 116 end
117 117 lang ||= Setting.default_language
118 118 set_language_if_valid(lang)
119 119 end
120 120
121 121 def require_login
122 122 if !User.current.logged?
123 123 # Extract only the basic url parameters on non-GET requests
124 124 if request.get?
125 125 url = url_for(params)
126 126 else
127 127 url = url_for(:controller => params[:controller], :action => params[:action], :id => params[:id], :project_id => params[:project_id])
128 128 end
129 129 respond_to do |format|
130 130 format.html { redirect_to :controller => "account", :action => "login", :back_url => url }
131 131 format.atom { redirect_to :controller => "account", :action => "login", :back_url => url }
132 132 format.xml { head :unauthorized, 'WWW-Authenticate' => 'Basic realm="Redmine API"' }
133 133 format.js { head :unauthorized, 'WWW-Authenticate' => 'Basic realm="Redmine API"' }
134 134 format.json { head :unauthorized, 'WWW-Authenticate' => 'Basic realm="Redmine API"' }
135 135 end
136 136 return false
137 137 end
138 138 true
139 139 end
140 140
141 141 def require_admin
142 142 return unless require_login
143 143 if !User.current.admin?
144 144 render_403
145 145 return false
146 146 end
147 147 true
148 148 end
149 149
150 150 def deny_access
151 151 User.current.logged? ? render_403 : require_login
152 152 end
153 153
154 154 # Authorize the user for the requested action
155 155 def authorize(ctrl = params[:controller], action = params[:action], global = false)
156 156 allowed = User.current.allowed_to?({:controller => ctrl, :action => action}, @project || @projects, :global => global)
157 allowed ? true : deny_access
157 if allowed
158 true
159 else
160 if @project && @project.archived?
161 render_403 :message => :notice_not_authorized_archived_project
162 else
163 deny_access
164 end
165 end
158 166 end
159 167
160 168 # Authorize the user for the requested action outside a project
161 169 def authorize_global(ctrl = params[:controller], action = params[:action], global = true)
162 170 authorize(ctrl, action, global)
163 171 end
164 172
165 173 # Find project of id params[:id]
166 174 def find_project
167 175 @project = Project.find(params[:id])
168 176 rescue ActiveRecord::RecordNotFound
169 177 render_404
170 178 end
171 179
172 180 # Find project of id params[:project_id]
173 181 def find_project_by_project_id
174 182 @project = Project.find(params[:project_id])
175 183 rescue ActiveRecord::RecordNotFound
176 184 render_404
177 185 end
178 186
179 187 # Find a project based on params[:project_id]
180 188 # TODO: some subclasses override this, see about merging their logic
181 189 def find_optional_project
182 190 @project = Project.find(params[:project_id]) unless params[:project_id].blank?
183 191 allowed = User.current.allowed_to?({:controller => params[:controller], :action => params[:action]}, @project, :global => true)
184 192 allowed ? true : deny_access
185 193 rescue ActiveRecord::RecordNotFound
186 194 render_404
187 195 end
188 196
189 197 # Finds and sets @project based on @object.project
190 198 def find_project_from_association
191 199 render_404 unless @object.present?
192 200
193 201 @project = @object.project
194 202 rescue ActiveRecord::RecordNotFound
195 203 render_404
196 204 end
197 205
198 206 def find_model_object
199 207 model = self.class.read_inheritable_attribute('model_object')
200 208 if model
201 209 @object = model.find(params[:id])
202 210 self.instance_variable_set('@' + controller_name.singularize, @object) if @object
203 211 end
204 212 rescue ActiveRecord::RecordNotFound
205 213 render_404
206 214 end
207 215
208 216 def self.model_object(model)
209 217 write_inheritable_attribute('model_object', model)
210 218 end
211 219
212 220 # Filter for bulk issue operations
213 221 def find_issues
214 222 @issues = Issue.find_all_by_id(params[:id] || params[:ids])
215 223 raise ActiveRecord::RecordNotFound if @issues.empty?
216 224 @projects = @issues.collect(&:project).compact.uniq
217 225 @project = @projects.first if @projects.size == 1
218 226 rescue ActiveRecord::RecordNotFound
219 227 render_404
220 228 end
221 229
222 230 # Check if project is unique before bulk operations
223 231 def check_project_uniqueness
224 232 unless @project
225 233 # TODO: let users bulk edit/move/destroy issues from different projects
226 234 render_error 'Can not bulk edit/move/destroy issues from different projects'
227 235 return false
228 236 end
229 237 end
230 238
231 239 # make sure that the user is a member of the project (or admin) if project is private
232 240 # used as a before_filter for actions that do not require any particular permission on the project
233 241 def check_project_privacy
234 242 if @project && @project.active?
235 243 if @project.is_public? || User.current.member_of?(@project) || User.current.admin?
236 244 true
237 245 else
238 246 User.current.logged? ? render_403 : require_login
239 247 end
240 248 else
241 249 @project = nil
242 250 render_404
243 251 false
244 252 end
245 253 end
246 254
247 255 def back_url
248 256 params[:back_url] || request.env['HTTP_REFERER']
249 257 end
250 258
251 259 def redirect_back_or_default(default)
252 260 back_url = CGI.unescape(params[:back_url].to_s)
253 261 if !back_url.blank?
254 262 begin
255 263 uri = URI.parse(back_url)
256 264 # do not redirect user to another host or to the login or register page
257 265 if (uri.relative? || (uri.host == request.host)) && !uri.path.match(%r{/(login|account/register)})
258 266 redirect_to(back_url)
259 267 return
260 268 end
261 269 rescue URI::InvalidURIError
262 270 # redirect to default
263 271 end
264 272 end
265 273 redirect_to default
266 274 end
267 275
268 def render_403
276 def render_403(options={})
269 277 @project = nil
278 @message = options[:message] || :notice_not_authorized
279 @message = l(@message) if @message.is_a?(Symbol)
270 280 respond_to do |format|
271 281 format.html { render :template => "common/403", :layout => use_layout, :status => 403 }
272 282 format.atom { head 403 }
273 283 format.xml { head 403 }
274 284 format.js { head 403 }
275 285 format.json { head 403 }
276 286 end
277 287 return false
278 288 end
279 289
280 290 def render_404
281 291 respond_to do |format|
282 292 format.html { render :template => "common/404", :layout => use_layout, :status => 404 }
283 293 format.atom { head 404 }
284 294 format.xml { head 404 }
285 295 format.js { head 404 }
286 296 format.json { head 404 }
287 297 end
288 298 return false
289 299 end
290 300
291 301 def render_error(msg)
292 302 respond_to do |format|
293 303 format.html {
294 304 flash.now[:error] = msg
295 305 render :text => '', :layout => use_layout, :status => 500
296 306 }
297 307 format.atom { head 500 }
298 308 format.xml { head 500 }
299 309 format.js { head 500 }
300 310 format.json { head 500 }
301 311 end
302 312 end
303 313
304 314 # Picks which layout to use based on the request
305 315 #
306 316 # @return [boolean, string] name of the layout to use or false for no layout
307 317 def use_layout
308 318 request.xhr? ? false : 'base'
309 319 end
310 320
311 321 def invalid_authenticity_token
312 322 if api_request?
313 323 logger.error "Form authenticity token is missing or is invalid. API calls must include a proper Content-type header (text/xml or text/json)."
314 324 end
315 325 render_error "Invalid form authenticity token."
316 326 end
317 327
318 328 def render_feed(items, options={})
319 329 @items = items || []
320 330 @items.sort! {|x,y| y.event_datetime <=> x.event_datetime }
321 331 @items = @items.slice(0, Setting.feeds_limit.to_i)
322 332 @title = options[:title] || Setting.app_title
323 333 render :template => "common/feed.atom.rxml", :layout => false, :content_type => 'application/atom+xml'
324 334 end
325 335
326 336 def self.accept_key_auth(*actions)
327 337 actions = actions.flatten.map(&:to_s)
328 338 write_inheritable_attribute('accept_key_auth_actions', actions)
329 339 end
330 340
331 341 def accept_key_auth_actions
332 342 self.class.read_inheritable_attribute('accept_key_auth_actions') || []
333 343 end
334 344
335 345 # Returns the number of objects that should be displayed
336 346 # on the paginated list
337 347 def per_page_option
338 348 per_page = nil
339 349 if params[:per_page] && Setting.per_page_options_array.include?(params[:per_page].to_s.to_i)
340 350 per_page = params[:per_page].to_s.to_i
341 351 session[:per_page] = per_page
342 352 elsif session[:per_page]
343 353 per_page = session[:per_page]
344 354 else
345 355 per_page = Setting.per_page_options_array.first || 25
346 356 end
347 357 per_page
348 358 end
349 359
350 360 # qvalues http header parser
351 361 # code taken from webrick
352 362 def parse_qvalues(value)
353 363 tmp = []
354 364 if value
355 365 parts = value.split(/,\s*/)
356 366 parts.each {|part|
357 367 if m = %r{^([^\s,]+?)(?:;\s*q=(\d+(?:\.\d+)?))?$}.match(part)
358 368 val = m[1]
359 369 q = (m[2] or 1).to_f
360 370 tmp.push([val, q])
361 371 end
362 372 }
363 373 tmp = tmp.sort_by{|val, q| -q}
364 374 tmp.collect!{|val, q| val}
365 375 end
366 376 return tmp
367 377 rescue
368 378 nil
369 379 end
370 380
371 381 # Returns a string that can be used as filename value in Content-Disposition header
372 382 def filename_for_content_disposition(name)
373 383 request.env['HTTP_USER_AGENT'] =~ %r{MSIE} ? ERB::Util.url_encode(name) : name
374 384 end
375 385
376 386 def api_request?
377 387 %w(xml json).include? params[:format]
378 388 end
379 389
380 390 # Renders a warning flash if obj has unsaved attachments
381 391 def render_attachment_warning_if_needed(obj)
382 392 flash[:warning] = l(:warning_attachments_not_saved, obj.unsaved_attachments.size) if obj.unsaved_attachments.present?
383 393 end
384 394
385 395 # Sets the `flash` notice or error based the number of issues that did not save
386 396 #
387 397 # @param [Array, Issue] issues all of the saved and unsaved Issues
388 398 # @param [Array, Integer] unsaved_issue_ids the issue ids that were not saved
389 399 def set_flash_from_bulk_issue_save(issues, unsaved_issue_ids)
390 400 if unsaved_issue_ids.empty?
391 401 flash[:notice] = l(:notice_successful_update) unless issues.empty?
392 402 else
393 403 flash[:error] = l(:notice_failed_to_save_issues,
394 404 :count => unsaved_issue_ids.size,
395 405 :total => issues.size,
396 406 :ids => '#' + unsaved_issue_ids.join(', #'))
397 407 end
398 408 end
399 409
400 410 # Rescues an invalid query statement. Just in case...
401 411 def query_statement_invalid(exception)
402 412 logger.error "Query::StatementInvalid: #{exception.message}" if logger
403 413 session.delete(:query)
404 414 sort_clear if respond_to?(:sort_clear)
405 415 render_error "An error occurred while executing the query and has been logged. Please report this error to your Redmine administrator."
406 416 end
407 417
408 418 # Converts the errors on an ActiveRecord object into a common JSON format
409 419 def object_errors_to_json(object)
410 420 object.errors.collect do |attribute, error|
411 421 { attribute => error }
412 422 end.to_json
413 423 end
414 424
415 425 end
@@ -1,787 +1,791
1 1 # redMine - project management software
2 2 # Copyright (C) 2006 Jean-Philippe Lang
3 3 #
4 4 # This program is free software; you can redistribute it and/or
5 5 # modify it under the terms of the GNU General Public License
6 6 # as published by the Free Software Foundation; either version 2
7 7 # of the License, or (at your option) any later version.
8 8 #
9 9 # This program is distributed in the hope that it will be useful,
10 10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 12 # GNU General Public License for more details.
13 13 #
14 14 # You should have received a copy of the GNU General Public License
15 15 # along with this program; if not, write to the Free Software
16 16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17 17
18 18 class Project < ActiveRecord::Base
19 19 # Project statuses
20 20 STATUS_ACTIVE = 1
21 21 STATUS_ARCHIVED = 9
22 22
23 23 # Specific overidden Activities
24 24 has_many :time_entry_activities
25 25 has_many :members, :include => [:user, :roles], :conditions => "#{User.table_name}.type='User' AND #{User.table_name}.status=#{User::STATUS_ACTIVE}"
26 26 has_many :memberships, :class_name => 'Member'
27 27 has_many :member_principals, :class_name => 'Member',
28 28 :include => :principal,
29 29 :conditions => "#{Principal.table_name}.type='Group' OR (#{Principal.table_name}.type='User' AND #{Principal.table_name}.status=#{User::STATUS_ACTIVE})"
30 30 has_many :users, :through => :members
31 31 has_many :principals, :through => :member_principals, :source => :principal
32 32
33 33 has_many :enabled_modules, :dependent => :delete_all
34 34 has_and_belongs_to_many :trackers, :order => "#{Tracker.table_name}.position"
35 35 has_many :issues, :dependent => :destroy, :order => "#{Issue.table_name}.created_on DESC", :include => [:status, :tracker]
36 36 has_many :issue_changes, :through => :issues, :source => :journals
37 37 has_many :versions, :dependent => :destroy, :order => "#{Version.table_name}.effective_date DESC, #{Version.table_name}.name DESC"
38 38 has_many :time_entries, :dependent => :delete_all
39 39 has_many :queries, :dependent => :delete_all
40 40 has_many :documents, :dependent => :destroy
41 41 has_many :news, :dependent => :delete_all, :include => :author
42 42 has_many :issue_categories, :dependent => :delete_all, :order => "#{IssueCategory.table_name}.name"
43 43 has_many :boards, :dependent => :destroy, :order => "position ASC"
44 44 has_one :repository, :dependent => :destroy
45 45 has_many :changesets, :through => :repository
46 46 has_one :wiki, :dependent => :destroy
47 47 # Custom field for the project issues
48 48 has_and_belongs_to_many :issue_custom_fields,
49 49 :class_name => 'IssueCustomField',
50 50 :order => "#{CustomField.table_name}.position",
51 51 :join_table => "#{table_name_prefix}custom_fields_projects#{table_name_suffix}",
52 52 :association_foreign_key => 'custom_field_id'
53 53
54 54 acts_as_nested_set :order => 'name'
55 55 acts_as_attachable :view_permission => :view_files,
56 56 :delete_permission => :manage_files
57 57
58 58 acts_as_customizable
59 59 acts_as_searchable :columns => ['name', 'identifier', 'description'], :project_key => 'id', :permission => nil
60 60 acts_as_event :title => Proc.new {|o| "#{l(:label_project)}: #{o.name}"},
61 61 :url => Proc.new {|o| {:controller => 'projects', :action => 'show', :id => o}},
62 62 :author => nil
63 63
64 64 attr_protected :status, :enabled_module_names
65 65
66 66 validates_presence_of :name, :identifier
67 67 validates_uniqueness_of :name, :identifier
68 68 validates_associated :repository, :wiki
69 69 validates_length_of :name, :maximum => 30
70 70 validates_length_of :homepage, :maximum => 255
71 71 validates_length_of :identifier, :in => 1..20
72 72 # donwcase letters, digits, dashes but not digits only
73 73 validates_format_of :identifier, :with => /^(?!\d+$)[a-z0-9\-]*$/, :if => Proc.new { |p| p.identifier_changed? }
74 74 # reserved words
75 75 validates_exclusion_of :identifier, :in => %w( new )
76 76
77 77 before_destroy :delete_all_members, :destroy_children
78 78
79 79 named_scope :has_module, lambda { |mod| { :conditions => ["#{Project.table_name}.id IN (SELECT em.project_id FROM #{EnabledModule.table_name} em WHERE em.name=?)", mod.to_s] } }
80 80 named_scope :active, { :conditions => "#{Project.table_name}.status = #{STATUS_ACTIVE}"}
81 81 named_scope :all_public, { :conditions => { :is_public => true } }
82 82 named_scope :visible, lambda { { :conditions => Project.visible_by(User.current) } }
83 83
84 84 def identifier=(identifier)
85 85 super unless identifier_frozen?
86 86 end
87 87
88 88 def identifier_frozen?
89 89 errors[:identifier].nil? && !(new_record? || identifier.blank?)
90 90 end
91 91
92 92 # returns latest created projects
93 93 # non public projects will be returned only if user is a member of those
94 94 def self.latest(user=nil, count=5)
95 95 find(:all, :limit => count, :conditions => visible_by(user), :order => "created_on DESC")
96 96 end
97 97
98 98 # Returns a SQL :conditions string used to find all active projects for the specified user.
99 99 #
100 100 # Examples:
101 101 # Projects.visible_by(admin) => "projects.status = 1"
102 102 # Projects.visible_by(normal_user) => "projects.status = 1 AND projects.is_public = 1"
103 103 def self.visible_by(user=nil)
104 104 user ||= User.current
105 105 if user && user.admin?
106 106 return "#{Project.table_name}.status=#{Project::STATUS_ACTIVE}"
107 107 elsif user && user.memberships.any?
108 108 return "#{Project.table_name}.status=#{Project::STATUS_ACTIVE} AND (#{Project.table_name}.is_public = #{connection.quoted_true} or #{Project.table_name}.id IN (#{user.memberships.collect{|m| m.project_id}.join(',')}))"
109 109 else
110 110 return "#{Project.table_name}.status=#{Project::STATUS_ACTIVE} AND #{Project.table_name}.is_public = #{connection.quoted_true}"
111 111 end
112 112 end
113 113
114 114 def self.allowed_to_condition(user, permission, options={})
115 115 statements = []
116 116 base_statement = "#{Project.table_name}.status=#{Project::STATUS_ACTIVE}"
117 117 if perm = Redmine::AccessControl.permission(permission)
118 118 unless perm.project_module.nil?
119 119 # If the permission belongs to a project module, make sure the module is enabled
120 120 base_statement << " AND #{Project.table_name}.id IN (SELECT em.project_id FROM #{EnabledModule.table_name} em WHERE em.name='#{perm.project_module}')"
121 121 end
122 122 end
123 123 if options[:project]
124 124 project_statement = "#{Project.table_name}.id = #{options[:project].id}"
125 125 project_statement << " OR (#{Project.table_name}.lft > #{options[:project].lft} AND #{Project.table_name}.rgt < #{options[:project].rgt})" if options[:with_subprojects]
126 126 base_statement = "(#{project_statement}) AND (#{base_statement})"
127 127 end
128 128 if user.admin?
129 129 # no restriction
130 130 else
131 131 statements << "1=0"
132 132 if user.logged?
133 133 if Role.non_member.allowed_to?(permission) && !options[:member]
134 134 statements << "#{Project.table_name}.is_public = #{connection.quoted_true}"
135 135 end
136 136 allowed_project_ids = user.memberships.select {|m| m.roles.detect {|role| role.allowed_to?(permission)}}.collect {|m| m.project_id}
137 137 statements << "#{Project.table_name}.id IN (#{allowed_project_ids.join(',')})" if allowed_project_ids.any?
138 138 else
139 139 if Role.anonymous.allowed_to?(permission) && !options[:member]
140 140 # anonymous user allowed on public project
141 141 statements << "#{Project.table_name}.is_public = #{connection.quoted_true}"
142 142 end
143 143 end
144 144 end
145 145 statements.empty? ? base_statement : "((#{base_statement}) AND (#{statements.join(' OR ')}))"
146 146 end
147 147
148 148 # Returns the Systemwide and project specific activities
149 149 def activities(include_inactive=false)
150 150 if include_inactive
151 151 return all_activities
152 152 else
153 153 return active_activities
154 154 end
155 155 end
156 156
157 157 # Will create a new Project specific Activity or update an existing one
158 158 #
159 159 # This will raise a ActiveRecord::Rollback if the TimeEntryActivity
160 160 # does not successfully save.
161 161 def update_or_create_time_entry_activity(id, activity_hash)
162 162 if activity_hash.respond_to?(:has_key?) && activity_hash.has_key?('parent_id')
163 163 self.create_time_entry_activity_if_needed(activity_hash)
164 164 else
165 165 activity = project.time_entry_activities.find_by_id(id.to_i)
166 166 activity.update_attributes(activity_hash) if activity
167 167 end
168 168 end
169 169
170 170 # Create a new TimeEntryActivity if it overrides a system TimeEntryActivity
171 171 #
172 172 # This will raise a ActiveRecord::Rollback if the TimeEntryActivity
173 173 # does not successfully save.
174 174 def create_time_entry_activity_if_needed(activity)
175 175 if activity['parent_id']
176 176
177 177 parent_activity = TimeEntryActivity.find(activity['parent_id'])
178 178 activity['name'] = parent_activity.name
179 179 activity['position'] = parent_activity.position
180 180
181 181 if Enumeration.overridding_change?(activity, parent_activity)
182 182 project_activity = self.time_entry_activities.create(activity)
183 183
184 184 if project_activity.new_record?
185 185 raise ActiveRecord::Rollback, "Overridding TimeEntryActivity was not successfully saved"
186 186 else
187 187 self.time_entries.update_all("activity_id = #{project_activity.id}", ["activity_id = ?", parent_activity.id])
188 188 end
189 189 end
190 190 end
191 191 end
192 192
193 193 # Returns a :conditions SQL string that can be used to find the issues associated with this project.
194 194 #
195 195 # Examples:
196 196 # project.project_condition(true) => "(projects.id = 1 OR (projects.lft > 1 AND projects.rgt < 10))"
197 197 # project.project_condition(false) => "projects.id = 1"
198 198 def project_condition(with_subprojects)
199 199 cond = "#{Project.table_name}.id = #{id}"
200 200 cond = "(#{cond} OR (#{Project.table_name}.lft > #{lft} AND #{Project.table_name}.rgt < #{rgt}))" if with_subprojects
201 201 cond
202 202 end
203 203
204 204 def self.find(*args)
205 205 if args.first && args.first.is_a?(String) && !args.first.match(/^\d*$/)
206 206 project = find_by_identifier(*args)
207 207 raise ActiveRecord::RecordNotFound, "Couldn't find Project with identifier=#{args.first}" if project.nil?
208 208 project
209 209 else
210 210 super
211 211 end
212 212 end
213 213
214 214 def to_param
215 215 # id is used for projects with a numeric identifier (compatibility)
216 216 @to_param ||= (identifier.to_s =~ %r{^\d*$} ? id : identifier)
217 217 end
218 218
219 219 def active?
220 220 self.status == STATUS_ACTIVE
221 221 end
222 222
223 def archived?
224 self.status == STATUS_ARCHIVED
225 end
226
223 227 # Archives the project and its descendants
224 228 def archive
225 229 # Check that there is no issue of a non descendant project that is assigned
226 230 # to one of the project or descendant versions
227 231 v_ids = self_and_descendants.collect {|p| p.version_ids}.flatten
228 232 if v_ids.any? && Issue.find(:first, :include => :project,
229 233 :conditions => ["(#{Project.table_name}.lft < ? OR #{Project.table_name}.rgt > ?)" +
230 234 " AND #{Issue.table_name}.fixed_version_id IN (?)", lft, rgt, v_ids])
231 235 return false
232 236 end
233 237 Project.transaction do
234 238 archive!
235 239 end
236 240 true
237 241 end
238 242
239 243 # Unarchives the project
240 244 # All its ancestors must be active
241 245 def unarchive
242 246 return false if ancestors.detect {|a| !a.active?}
243 247 update_attribute :status, STATUS_ACTIVE
244 248 end
245 249
246 250 # Returns an array of projects the project can be moved to
247 251 # by the current user
248 252 def allowed_parents
249 253 return @allowed_parents if @allowed_parents
250 254 @allowed_parents = Project.find(:all, :conditions => Project.allowed_to_condition(User.current, :add_subprojects))
251 255 @allowed_parents = @allowed_parents - self_and_descendants
252 256 if User.current.allowed_to?(:add_project, nil, :global => true) || (!new_record? && parent.nil?)
253 257 @allowed_parents << nil
254 258 end
255 259 unless parent.nil? || @allowed_parents.empty? || @allowed_parents.include?(parent)
256 260 @allowed_parents << parent
257 261 end
258 262 @allowed_parents
259 263 end
260 264
261 265 # Sets the parent of the project with authorization check
262 266 def set_allowed_parent!(p)
263 267 unless p.nil? || p.is_a?(Project)
264 268 if p.to_s.blank?
265 269 p = nil
266 270 else
267 271 p = Project.find_by_id(p)
268 272 return false unless p
269 273 end
270 274 end
271 275 if p.nil?
272 276 if !new_record? && allowed_parents.empty?
273 277 return false
274 278 end
275 279 elsif !allowed_parents.include?(p)
276 280 return false
277 281 end
278 282 set_parent!(p)
279 283 end
280 284
281 285 # Sets the parent of the project
282 286 # Argument can be either a Project, a String, a Fixnum or nil
283 287 def set_parent!(p)
284 288 unless p.nil? || p.is_a?(Project)
285 289 if p.to_s.blank?
286 290 p = nil
287 291 else
288 292 p = Project.find_by_id(p)
289 293 return false unless p
290 294 end
291 295 end
292 296 if p == parent && !p.nil?
293 297 # Nothing to do
294 298 true
295 299 elsif p.nil? || (p.active? && move_possible?(p))
296 300 # Insert the project so that target's children or root projects stay alphabetically sorted
297 301 sibs = (p.nil? ? self.class.roots : p.children)
298 302 to_be_inserted_before = sibs.detect {|c| c.name.to_s.downcase > name.to_s.downcase }
299 303 if to_be_inserted_before
300 304 move_to_left_of(to_be_inserted_before)
301 305 elsif p.nil?
302 306 if sibs.empty?
303 307 # move_to_root adds the project in first (ie. left) position
304 308 move_to_root
305 309 else
306 310 move_to_right_of(sibs.last) unless self == sibs.last
307 311 end
308 312 else
309 313 # move_to_child_of adds the project in last (ie.right) position
310 314 move_to_child_of(p)
311 315 end
312 316 Issue.update_versions_from_hierarchy_change(self)
313 317 true
314 318 else
315 319 # Can not move to the given target
316 320 false
317 321 end
318 322 end
319 323
320 324 # Returns an array of the trackers used by the project and its active sub projects
321 325 def rolled_up_trackers
322 326 @rolled_up_trackers ||=
323 327 Tracker.find(:all, :include => :projects,
324 328 :select => "DISTINCT #{Tracker.table_name}.*",
325 329 :conditions => ["#{Project.table_name}.lft >= ? AND #{Project.table_name}.rgt <= ? AND #{Project.table_name}.status = #{STATUS_ACTIVE}", lft, rgt],
326 330 :order => "#{Tracker.table_name}.position")
327 331 end
328 332
329 333 # Closes open and locked project versions that are completed
330 334 def close_completed_versions
331 335 Version.transaction do
332 336 versions.find(:all, :conditions => {:status => %w(open locked)}).each do |version|
333 337 if version.completed?
334 338 version.update_attribute(:status, 'closed')
335 339 end
336 340 end
337 341 end
338 342 end
339 343
340 344 # Returns a scope of the Versions on subprojects
341 345 def rolled_up_versions
342 346 @rolled_up_versions ||=
343 347 Version.scoped(:include => :project,
344 348 :conditions => ["#{Project.table_name}.lft >= ? AND #{Project.table_name}.rgt <= ? AND #{Project.table_name}.status = #{STATUS_ACTIVE}", lft, rgt])
345 349 end
346 350
347 351 # Returns a scope of the Versions used by the project
348 352 def shared_versions
349 353 @shared_versions ||=
350 354 Version.scoped(:include => :project,
351 355 :conditions => "#{Project.table_name}.id = #{id}" +
352 356 " OR (#{Project.table_name}.status = #{Project::STATUS_ACTIVE} AND (" +
353 357 " #{Version.table_name}.sharing = 'system'" +
354 358 " OR (#{Project.table_name}.lft >= #{root.lft} AND #{Project.table_name}.rgt <= #{root.rgt} AND #{Version.table_name}.sharing = 'tree')" +
355 359 " OR (#{Project.table_name}.lft < #{lft} AND #{Project.table_name}.rgt > #{rgt} AND #{Version.table_name}.sharing IN ('hierarchy', 'descendants'))" +
356 360 " OR (#{Project.table_name}.lft > #{lft} AND #{Project.table_name}.rgt < #{rgt} AND #{Version.table_name}.sharing = 'hierarchy')" +
357 361 "))")
358 362 end
359 363
360 364 # Returns a hash of project users grouped by role
361 365 def users_by_role
362 366 members.find(:all, :include => [:user, :roles]).inject({}) do |h, m|
363 367 m.roles.each do |r|
364 368 h[r] ||= []
365 369 h[r] << m.user
366 370 end
367 371 h
368 372 end
369 373 end
370 374
371 375 # Deletes all project's members
372 376 def delete_all_members
373 377 me, mr = Member.table_name, MemberRole.table_name
374 378 connection.delete("DELETE FROM #{mr} WHERE #{mr}.member_id IN (SELECT #{me}.id FROM #{me} WHERE #{me}.project_id = #{id})")
375 379 Member.delete_all(['project_id = ?', id])
376 380 end
377 381
378 382 # Users issues can be assigned to
379 383 def assignable_users
380 384 members.select {|m| m.roles.detect {|role| role.assignable?}}.collect {|m| m.user}.sort
381 385 end
382 386
383 387 # Returns the mail adresses of users that should be always notified on project events
384 388 def recipients
385 389 notified_users.collect {|user| user.mail}
386 390 end
387 391
388 392 # Returns the users that should be notified on project events
389 393 def notified_users
390 394 # TODO: User part should be extracted to User#notify_about?
391 395 members.select {|m| m.mail_notification? || m.user.mail_notification == 'all'}.collect {|m| m.user}
392 396 end
393 397
394 398 # Returns an array of all custom fields enabled for project issues
395 399 # (explictly associated custom fields and custom fields enabled for all projects)
396 400 def all_issue_custom_fields
397 401 @all_issue_custom_fields ||= (IssueCustomField.for_all + issue_custom_fields).uniq.sort
398 402 end
399 403
400 404 def project
401 405 self
402 406 end
403 407
404 408 def <=>(project)
405 409 name.downcase <=> project.name.downcase
406 410 end
407 411
408 412 def to_s
409 413 name
410 414 end
411 415
412 416 # Returns a short description of the projects (first lines)
413 417 def short_description(length = 255)
414 418 description.gsub(/^(.{#{length}}[^\n\r]*).*$/m, '\1...').strip if description
415 419 end
416 420
417 421 def css_classes
418 422 s = 'project'
419 423 s << ' root' if root?
420 424 s << ' child' if child?
421 425 s << (leaf? ? ' leaf' : ' parent')
422 426 s
423 427 end
424 428
425 429 # The earliest start date of a project, based on it's issues and versions
426 430 def start_date
427 431 if module_enabled?(:issue_tracking)
428 432 [
429 433 issues.minimum('start_date'),
430 434 shared_versions.collect(&:effective_date),
431 435 shared_versions.collect {|v| v.fixed_issues.minimum('start_date')}
432 436 ].flatten.compact.min
433 437 end
434 438 end
435 439
436 440 # The latest due date of an issue or version
437 441 def due_date
438 442 if module_enabled?(:issue_tracking)
439 443 [
440 444 issues.maximum('due_date'),
441 445 shared_versions.collect(&:effective_date),
442 446 shared_versions.collect {|v| v.fixed_issues.maximum('due_date')}
443 447 ].flatten.compact.max
444 448 end
445 449 end
446 450
447 451 def overdue?
448 452 active? && !due_date.nil? && (due_date < Date.today)
449 453 end
450 454
451 455 # Returns the percent completed for this project, based on the
452 456 # progress on it's versions.
453 457 def completed_percent(options={:include_subprojects => false})
454 458 if options.delete(:include_subprojects)
455 459 total = self_and_descendants.collect(&:completed_percent).sum
456 460
457 461 total / self_and_descendants.count
458 462 else
459 463 if versions.count > 0
460 464 total = versions.collect(&:completed_pourcent).sum
461 465
462 466 total / versions.count
463 467 else
464 468 100
465 469 end
466 470 end
467 471 end
468 472
469 473 # Return true if this project is allowed to do the specified action.
470 474 # action can be:
471 475 # * a parameter-like Hash (eg. :controller => 'projects', :action => 'edit')
472 476 # * a permission Symbol (eg. :edit_project)
473 477 def allows_to?(action)
474 478 if action.is_a? Hash
475 479 allowed_actions.include? "#{action[:controller]}/#{action[:action]}"
476 480 else
477 481 allowed_permissions.include? action
478 482 end
479 483 end
480 484
481 485 def module_enabled?(module_name)
482 486 module_name = module_name.to_s
483 487 enabled_modules.detect {|m| m.name == module_name}
484 488 end
485 489
486 490 def enabled_module_names=(module_names)
487 491 if module_names && module_names.is_a?(Array)
488 492 module_names = module_names.collect(&:to_s)
489 493 # remove disabled modules
490 494 enabled_modules.each {|mod| mod.destroy unless module_names.include?(mod.name)}
491 495 # add new modules
492 496 module_names.reject {|name| module_enabled?(name)}.each {|name| enabled_modules << EnabledModule.new(:name => name)}
493 497 else
494 498 enabled_modules.clear
495 499 end
496 500 end
497 501
498 502 # Returns an array of projects that are in this project's hierarchy
499 503 #
500 504 # Example: parents, children, siblings
501 505 def hierarchy
502 506 parents = project.self_and_ancestors || []
503 507 descendants = project.descendants || []
504 508 project_hierarchy = parents | descendants # Set union
505 509 end
506 510
507 511 # Returns an auto-generated project identifier based on the last identifier used
508 512 def self.next_identifier
509 513 p = Project.find(:first, :order => 'created_on DESC')
510 514 p.nil? ? nil : p.identifier.to_s.succ
511 515 end
512 516
513 517 # Copies and saves the Project instance based on the +project+.
514 518 # Duplicates the source project's:
515 519 # * Wiki
516 520 # * Versions
517 521 # * Categories
518 522 # * Issues
519 523 # * Members
520 524 # * Queries
521 525 #
522 526 # Accepts an +options+ argument to specify what to copy
523 527 #
524 528 # Examples:
525 529 # project.copy(1) # => copies everything
526 530 # project.copy(1, :only => 'members') # => copies members only
527 531 # project.copy(1, :only => ['members', 'versions']) # => copies members and versions
528 532 def copy(project, options={})
529 533 project = project.is_a?(Project) ? project : Project.find(project)
530 534
531 535 to_be_copied = %w(wiki versions issue_categories issues members queries boards)
532 536 to_be_copied = to_be_copied & options[:only].to_a unless options[:only].nil?
533 537
534 538 Project.transaction do
535 539 if save
536 540 reload
537 541 to_be_copied.each do |name|
538 542 send "copy_#{name}", project
539 543 end
540 544 Redmine::Hook.call_hook(:model_project_copy_before_save, :source_project => project, :destination_project => self)
541 545 save
542 546 end
543 547 end
544 548 end
545 549
546 550
547 551 # Copies +project+ and returns the new instance. This will not save
548 552 # the copy
549 553 def self.copy_from(project)
550 554 begin
551 555 project = project.is_a?(Project) ? project : Project.find(project)
552 556 if project
553 557 # clear unique attributes
554 558 attributes = project.attributes.dup.except('id', 'name', 'identifier', 'status', 'parent_id', 'lft', 'rgt')
555 559 copy = Project.new(attributes)
556 560 copy.enabled_modules = project.enabled_modules
557 561 copy.trackers = project.trackers
558 562 copy.custom_values = project.custom_values.collect {|v| v.clone}
559 563 copy.issue_custom_fields = project.issue_custom_fields
560 564 return copy
561 565 else
562 566 return nil
563 567 end
564 568 rescue ActiveRecord::RecordNotFound
565 569 return nil
566 570 end
567 571 end
568 572
569 573 # Yields the given block for each project with its level in the tree
570 574 def self.project_tree(projects, &block)
571 575 ancestors = []
572 576 projects.sort_by(&:lft).each do |project|
573 577 while (ancestors.any? && !project.is_descendant_of?(ancestors.last))
574 578 ancestors.pop
575 579 end
576 580 yield project, ancestors.size
577 581 ancestors << project
578 582 end
579 583 end
580 584
581 585 private
582 586
583 587 # Destroys children before destroying self
584 588 def destroy_children
585 589 children.each do |child|
586 590 child.destroy
587 591 end
588 592 end
589 593
590 594 # Copies wiki from +project+
591 595 def copy_wiki(project)
592 596 # Check that the source project has a wiki first
593 597 unless project.wiki.nil?
594 598 self.wiki ||= Wiki.new
595 599 wiki.attributes = project.wiki.attributes.dup.except("id", "project_id")
596 600 wiki_pages_map = {}
597 601 project.wiki.pages.each do |page|
598 602 # Skip pages without content
599 603 next if page.content.nil?
600 604 new_wiki_content = WikiContent.new(page.content.attributes.dup.except("id", "page_id", "updated_on"))
601 605 new_wiki_page = WikiPage.new(page.attributes.dup.except("id", "wiki_id", "created_on", "parent_id"))
602 606 new_wiki_page.content = new_wiki_content
603 607 wiki.pages << new_wiki_page
604 608 wiki_pages_map[page.id] = new_wiki_page
605 609 end
606 610 wiki.save
607 611 # Reproduce page hierarchy
608 612 project.wiki.pages.each do |page|
609 613 if page.parent_id && wiki_pages_map[page.id]
610 614 wiki_pages_map[page.id].parent = wiki_pages_map[page.parent_id]
611 615 wiki_pages_map[page.id].save
612 616 end
613 617 end
614 618 end
615 619 end
616 620
617 621 # Copies versions from +project+
618 622 def copy_versions(project)
619 623 project.versions.each do |version|
620 624 new_version = Version.new
621 625 new_version.attributes = version.attributes.dup.except("id", "project_id", "created_on", "updated_on")
622 626 self.versions << new_version
623 627 end
624 628 end
625 629
626 630 # Copies issue categories from +project+
627 631 def copy_issue_categories(project)
628 632 project.issue_categories.each do |issue_category|
629 633 new_issue_category = IssueCategory.new
630 634 new_issue_category.attributes = issue_category.attributes.dup.except("id", "project_id")
631 635 self.issue_categories << new_issue_category
632 636 end
633 637 end
634 638
635 639 # Copies issues from +project+
636 640 def copy_issues(project)
637 641 # Stores the source issue id as a key and the copied issues as the
638 642 # value. Used to map the two togeather for issue relations.
639 643 issues_map = {}
640 644
641 645 # Get issues sorted by root_id, lft so that parent issues
642 646 # get copied before their children
643 647 project.issues.find(:all, :order => 'root_id, lft').each do |issue|
644 648 new_issue = Issue.new
645 649 new_issue.copy_from(issue)
646 650 new_issue.project = self
647 651 # Reassign fixed_versions by name, since names are unique per
648 652 # project and the versions for self are not yet saved
649 653 if issue.fixed_version
650 654 new_issue.fixed_version = self.versions.select {|v| v.name == issue.fixed_version.name}.first
651 655 end
652 656 # Reassign the category by name, since names are unique per
653 657 # project and the categories for self are not yet saved
654 658 if issue.category
655 659 new_issue.category = self.issue_categories.select {|c| c.name == issue.category.name}.first
656 660 end
657 661 # Parent issue
658 662 if issue.parent_id
659 663 if copied_parent = issues_map[issue.parent_id]
660 664 new_issue.parent_issue_id = copied_parent.id
661 665 end
662 666 end
663 667
664 668 self.issues << new_issue
665 669 issues_map[issue.id] = new_issue
666 670 end
667 671
668 672 # Relations after in case issues related each other
669 673 project.issues.each do |issue|
670 674 new_issue = issues_map[issue.id]
671 675
672 676 # Relations
673 677 issue.relations_from.each do |source_relation|
674 678 new_issue_relation = IssueRelation.new
675 679 new_issue_relation.attributes = source_relation.attributes.dup.except("id", "issue_from_id", "issue_to_id")
676 680 new_issue_relation.issue_to = issues_map[source_relation.issue_to_id]
677 681 if new_issue_relation.issue_to.nil? && Setting.cross_project_issue_relations?
678 682 new_issue_relation.issue_to = source_relation.issue_to
679 683 end
680 684 new_issue.relations_from << new_issue_relation
681 685 end
682 686
683 687 issue.relations_to.each do |source_relation|
684 688 new_issue_relation = IssueRelation.new
685 689 new_issue_relation.attributes = source_relation.attributes.dup.except("id", "issue_from_id", "issue_to_id")
686 690 new_issue_relation.issue_from = issues_map[source_relation.issue_from_id]
687 691 if new_issue_relation.issue_from.nil? && Setting.cross_project_issue_relations?
688 692 new_issue_relation.issue_from = source_relation.issue_from
689 693 end
690 694 new_issue.relations_to << new_issue_relation
691 695 end
692 696 end
693 697 end
694 698
695 699 # Copies members from +project+
696 700 def copy_members(project)
697 701 project.memberships.each do |member|
698 702 new_member = Member.new
699 703 new_member.attributes = member.attributes.dup.except("id", "project_id", "created_on")
700 704 # only copy non inherited roles
701 705 # inherited roles will be added when copying the group membership
702 706 role_ids = member.member_roles.reject(&:inherited?).collect(&:role_id)
703 707 next if role_ids.empty?
704 708 new_member.role_ids = role_ids
705 709 new_member.project = self
706 710 self.members << new_member
707 711 end
708 712 end
709 713
710 714 # Copies queries from +project+
711 715 def copy_queries(project)
712 716 project.queries.each do |query|
713 717 new_query = Query.new
714 718 new_query.attributes = query.attributes.dup.except("id", "project_id", "sort_criteria")
715 719 new_query.sort_criteria = query.sort_criteria if query.sort_criteria
716 720 new_query.project = self
717 721 self.queries << new_query
718 722 end
719 723 end
720 724
721 725 # Copies boards from +project+
722 726 def copy_boards(project)
723 727 project.boards.each do |board|
724 728 new_board = Board.new
725 729 new_board.attributes = board.attributes.dup.except("id", "project_id", "topics_count", "messages_count", "last_message_id")
726 730 new_board.project = self
727 731 self.boards << new_board
728 732 end
729 733 end
730 734
731 735 def allowed_permissions
732 736 @allowed_permissions ||= begin
733 737 module_names = enabled_modules.all(:select => :name).collect {|m| m.name}
734 738 Redmine::AccessControl.modules_permissions(module_names).collect {|p| p.name}
735 739 end
736 740 end
737 741
738 742 def allowed_actions
739 743 @actions_allowed ||= allowed_permissions.inject([]) { |actions, permission| actions += Redmine::AccessControl.allowed_actions(permission) }.flatten
740 744 end
741 745
742 746 # Returns all the active Systemwide and project specific activities
743 747 def active_activities
744 748 overridden_activity_ids = self.time_entry_activities.collect(&:parent_id)
745 749
746 750 if overridden_activity_ids.empty?
747 751 return TimeEntryActivity.shared.active
748 752 else
749 753 return system_activities_and_project_overrides
750 754 end
751 755 end
752 756
753 757 # Returns all the Systemwide and project specific activities
754 758 # (inactive and active)
755 759 def all_activities
756 760 overridden_activity_ids = self.time_entry_activities.collect(&:parent_id)
757 761
758 762 if overridden_activity_ids.empty?
759 763 return TimeEntryActivity.shared
760 764 else
761 765 return system_activities_and_project_overrides(true)
762 766 end
763 767 end
764 768
765 769 # Returns the systemwide active activities merged with the project specific overrides
766 770 def system_activities_and_project_overrides(include_inactive=false)
767 771 if include_inactive
768 772 return TimeEntryActivity.shared.
769 773 find(:all,
770 774 :conditions => ["id NOT IN (?)", self.time_entry_activities.collect(&:parent_id)]) +
771 775 self.time_entry_activities
772 776 else
773 777 return TimeEntryActivity.shared.active.
774 778 find(:all,
775 779 :conditions => ["id NOT IN (?)", self.time_entry_activities.collect(&:parent_id)]) +
776 780 self.time_entry_activities.active
777 781 end
778 782 end
779 783
780 784 # Archives subprojects recursively
781 785 def archive!
782 786 children.each do |subproject|
783 787 subproject.send :archive!
784 788 end
785 789 update_attribute :status, STATUS_ARCHIVED
786 790 end
787 791 end
@@ -1,6 +1,6
1 1 <h2>403</h2>
2 2
3 <p><%= l(:notice_not_authorized) %></p>
3 <p><%=h @message %></p>
4 4 <p><a href="javascript:history.back()">Back</a></p>
5 5
6 6 <% html_title '403' %>
@@ -1,918 +1,919
1 1 bg:
2 2 direction: ltr
3 3 date:
4 4 formats:
5 5 # Use the strftime parameters for formats.
6 6 # When no format has been given, it uses default.
7 7 # You can provide other formats here if you like!
8 8 default: "%Y-%m-%d"
9 9 short: "%b %d"
10 10 long: "%B %d, %Y"
11 11
12 12 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
13 13 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
14 14
15 15 # Don't forget the nil at the beginning; there's no such thing as a 0th month
16 16 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
17 17 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
18 18 # Used in date_select and datime_select.
19 19 order: [ :year, :month, :day ]
20 20
21 21 time:
22 22 formats:
23 23 default: "%a, %d %b %Y %H:%M:%S %z"
24 24 time: "%H:%M"
25 25 short: "%d %b %H:%M"
26 26 long: "%B %d, %Y %H:%M"
27 27 am: "am"
28 28 pm: "pm"
29 29
30 30 datetime:
31 31 distance_in_words:
32 32 half_a_minute: "half a minute"
33 33 less_than_x_seconds:
34 34 one: "less than 1 second"
35 35 other: "less than {{count}} seconds"
36 36 x_seconds:
37 37 one: "1 second"
38 38 other: "{{count}} seconds"
39 39 less_than_x_minutes:
40 40 one: "less than a minute"
41 41 other: "less than {{count}} minutes"
42 42 x_minutes:
43 43 one: "1 minute"
44 44 other: "{{count}} minutes"
45 45 about_x_hours:
46 46 one: "about 1 hour"
47 47 other: "about {{count}} hours"
48 48 x_days:
49 49 one: "1 day"
50 50 other: "{{count}} days"
51 51 about_x_months:
52 52 one: "about 1 month"
53 53 other: "about {{count}} months"
54 54 x_months:
55 55 one: "1 month"
56 56 other: "{{count}} months"
57 57 about_x_years:
58 58 one: "about 1 year"
59 59 other: "about {{count}} years"
60 60 over_x_years:
61 61 one: "over 1 year"
62 62 other: "over {{count}} years"
63 63 almost_x_years:
64 64 one: "almost 1 year"
65 65 other: "almost {{count}} years"
66 66
67 67 number:
68 68 format:
69 69 separator: "."
70 70 delimiter: ""
71 71 precision: 3
72 72 human:
73 73 format:
74 74 precision: 1
75 75 delimiter: ""
76 76 storage_units:
77 77 format: "%n %u"
78 78 units:
79 79 byte:
80 80 one: Byte
81 81 other: Bytes
82 82 kb: "KB"
83 83 mb: "MB"
84 84 gb: "GB"
85 85 tb: "TB"
86 86
87 87 # Used in array.to_sentence.
88 88 support:
89 89 array:
90 90 sentence_connector: "and"
91 91 skip_last_comma: false
92 92
93 93 activerecord:
94 94 errors:
95 95 messages:
96 96 inclusion: "не съществува в списъка"
97 97 exclusion: запазено"
98 98 invalid: невалидно"
99 99 confirmation: "липсва одобрение"
100 100 accepted: "трябва да се приеме"
101 101 empty: "не може да е празно"
102 102 blank: "не може да е празно"
103 103 too_long: прекалено дълго"
104 104 too_short: прекалено късо"
105 105 wrong_length: с грешна дължина"
106 106 taken: "вече съществува"
107 107 not_a_number: "не е число"
108 108 not_a_date: невалидна дата"
109 109 greater_than: "must be greater than {{count}}"
110 110 greater_than_or_equal_to: "must be greater than or equal to {{count}}"
111 111 equal_to: "must be equal to {{count}}"
112 112 less_than: "must be less than {{count}}"
113 113 less_than_or_equal_to: "must be less than or equal to {{count}}"
114 114 odd: "must be odd"
115 115 even: "must be even"
116 116 greater_than_start_date: "трябва да е след началната дата"
117 117 not_same_project: "не е от същия проект"
118 118 circular_dependency: "Тази релация ще доведе до безкрайна зависимост"
119 119 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
120 120
121 121 actionview_instancetag_blank_option: Изберете
122 122
123 123 general_text_No: 'Не'
124 124 general_text_Yes: 'Да'
125 125 general_text_no: 'не'
126 126 general_text_yes: 'да'
127 127 general_lang_name: 'Bulgarian'
128 128 general_csv_separator: ','
129 129 general_csv_decimal_separator: '.'
130 130 general_csv_encoding: UTF-8
131 131 general_pdf_encoding: UTF-8
132 132 general_first_day_of_week: '1'
133 133
134 134 notice_account_updated: Профилът е обновен успешно.
135 135 notice_account_invalid_creditentials: Невалиден потребител или парола.
136 136 notice_account_password_updated: Паролата е успешно променена.
137 137 notice_account_wrong_password: Грешна парола
138 138 notice_account_register_done: Профилът е създаден успешно.
139 139 notice_account_unknown_email: Непознат e-mail.
140 140 notice_can_t_change_password: Този профил е с външен метод за оторизация. Невъзможна смяна на паролата.
141 141 notice_account_lost_email_sent: Изпратен ви е e-mail с инструкции за избор на нова парола.
142 142 notice_account_activated: Профилът ви е активиран. Вече може да влезете в системата.
143 143 notice_successful_create: Успешно създаване.
144 144 notice_successful_update: Успешно обновяване.
145 145 notice_successful_delete: Успешно изтриване.
146 146 notice_successful_connection: Успешно свързване.
147 147 notice_file_not_found: Несъществуваща или преместена страница.
148 148 notice_locking_conflict: Друг потребител променя тези данни в момента.
149 149 notice_not_authorized: Нямате право на достъп до тази страница.
150 150 notice_email_sent: "Изпратен e-mail на {{value}}"
151 151 notice_email_error: "Грешка при изпращане на e-mail ({{value}})"
152 152 notice_feeds_access_key_reseted: Вашия ключ за RSS достъп беше променен.
153 153
154 154 error_scm_not_found: Несъществуващ обект в хранилището.
155 155 error_scm_command_failed: "Грешка при опит за комуникация с хранилище: {{value}}"
156 156
157 157 mail_subject_lost_password: "Вашата парола ({{value}})"
158 158 mail_body_lost_password: 'За да смените паролата си, използвайте следния линк:'
159 159 mail_subject_register: "Активация на профил ({{value}})"
160 160 mail_body_register: 'За да активирате профила си използвайте следния линк:'
161 161
162 162 gui_validation_error: 1 грешка
163 163 gui_validation_error_plural: "{{count}} грешки"
164 164
165 165 field_name: Име
166 166 field_description: Описание
167 167 field_summary: Групиран изглед
168 168 field_is_required: Задължително
169 169 field_firstname: Име
170 170 field_lastname: Фамилия
171 171 field_mail: Email
172 172 field_filename: Файл
173 173 field_filesize: Големина
174 174 field_downloads: Downloads
175 175 field_author: Автор
176 176 field_created_on: От дата
177 177 field_updated_on: Обновена
178 178 field_field_format: Тип
179 179 field_is_for_all: За всички проекти
180 180 field_possible_values: Възможни стойности
181 181 field_regexp: Регулярен израз
182 182 field_min_length: Мин. дължина
183 183 field_max_length: Макс. дължина
184 184 field_value: Стойност
185 185 field_category: Категория
186 186 field_title: Заглавие
187 187 field_project: Проект
188 188 field_issue: Задача
189 189 field_status: Статус
190 190 field_notes: Бележка
191 191 field_is_closed: Затворена задача
192 192 field_is_default: Статус по подразбиране
193 193 field_tracker: Тракер
194 194 field_subject: Относно
195 195 field_due_date: Крайна дата
196 196 field_assigned_to: Възложена на
197 197 field_priority: Приоритет
198 198 field_fixed_version: Планувана версия
199 199 field_user: Потребител
200 200 field_role: Роля
201 201 field_homepage: Начална страница
202 202 field_is_public: Публичен
203 203 field_parent: Подпроект на
204 204 field_is_in_roadmap: Да се вижда ли в Пътна карта
205 205 field_login: Потребител
206 206 field_mail_notification: Известия по пощата
207 207 field_admin: Администратор
208 208 field_last_login_on: Последно свързване
209 209 field_language: Език
210 210 field_effective_date: Дата
211 211 field_password: Парола
212 212 field_new_password: Нова парола
213 213 field_password_confirmation: Потвърждение
214 214 field_version: Версия
215 215 field_type: Тип
216 216 field_host: Хост
217 217 field_port: Порт
218 218 field_account: Профил
219 219 field_base_dn: Base DN
220 220 field_attr_login: Login attribute
221 221 field_attr_firstname: Firstname attribute
222 222 field_attr_lastname: Lastname attribute
223 223 field_attr_mail: Email attribute
224 224 field_onthefly: Динамично създаване на потребител
225 225 field_start_date: Начална дата
226 226 field_done_ratio: % Прогрес
227 227 field_auth_source: Начин на оторизация
228 228 field_hide_mail: Скрий e-mail адреса ми
229 229 field_comments: Коментар
230 230 field_url: Адрес
231 231 field_start_page: Начална страница
232 232 field_subproject: Подпроект
233 233 field_hours: Часове
234 234 field_activity: Дейност
235 235 field_spent_on: Дата
236 236 field_identifier: Идентификатор
237 237 field_is_filter: Използва се за филтър
238 238 field_issue_to: Свързана задача
239 239 field_delay: Отместване
240 240 field_assignable: Възможно е възлагане на задачи за тази роля
241 241 field_redirect_existing_links: Пренасочване на съществуващи линкове
242 242 field_estimated_hours: Изчислено време
243 243 field_default_value: Стойност по подразбиране
244 244
245 245 setting_app_title: Заглавие
246 246 setting_app_subtitle: Описание
247 247 setting_welcome_text: Допълнителен текст
248 248 setting_default_language: Език по подразбиране
249 249 setting_login_required: Изискване за вход в системата
250 250 setting_self_registration: Регистрация от потребители
251 251 setting_attachment_max_size: Максимална големина на прикачен файл
252 252 setting_issues_export_limit: Лимит за експорт на задачи
253 253 setting_mail_from: E-mail адрес за емисии
254 254 setting_host_name: Хост
255 255 setting_text_formatting: Форматиране на текста
256 256 setting_wiki_compression: Wiki компресиране на историята
257 257 setting_feeds_limit: Лимит на Feeds
258 258 setting_autofetch_changesets: Автоматично обработване на ревизиите
259 259 setting_sys_api_enabled: Разрешаване на WS за управление
260 260 setting_commit_ref_keywords: Отбелязващи ключови думи
261 261 setting_commit_fix_keywords: Приключващи ключови думи
262 262 setting_autologin: Автоматичен вход
263 263 setting_date_format: Формат на датата
264 264 setting_cross_project_issue_relations: Релации на задачи между проекти
265 265
266 266 label_user: Потребител
267 267 label_user_plural: Потребители
268 268 label_user_new: Нов потребител
269 269 label_project: Проект
270 270 label_project_new: Нов проект
271 271 label_project_plural: Проекти
272 272 label_x_projects:
273 273 zero: no projects
274 274 one: 1 project
275 275 other: "{{count}} projects"
276 276 label_project_all: Всички проекти
277 277 label_project_latest: Последни проекти
278 278 label_issue: Задача
279 279 label_issue_new: Нова задача
280 280 label_issue_plural: Задачи
281 281 label_issue_view_all: Всички задачи
282 282 label_document: Документ
283 283 label_document_new: Нов документ
284 284 label_document_plural: Документи
285 285 label_role: Роля
286 286 label_role_plural: Роли
287 287 label_role_new: Нова роля
288 288 label_role_and_permissions: Роли и права
289 289 label_member: Член
290 290 label_member_new: Нов член
291 291 label_member_plural: Членове
292 292 label_tracker: Тракер
293 293 label_tracker_plural: Тракери
294 294 label_tracker_new: Нов тракер
295 295 label_workflow: Работен процес
296 296 label_issue_status: Статус на задача
297 297 label_issue_status_plural: Статуси на задачи
298 298 label_issue_status_new: Нов статус
299 299 label_issue_category: Категория задача
300 300 label_issue_category_plural: Категории задачи
301 301 label_issue_category_new: Нова категория
302 302 label_custom_field: Потребителско поле
303 303 label_custom_field_plural: Потребителски полета
304 304 label_custom_field_new: Ново потребителско поле
305 305 label_enumerations: Списъци
306 306 label_enumeration_new: Нова стойност
307 307 label_information: Информация
308 308 label_information_plural: Информация
309 309 label_please_login: Вход
310 310 label_register: Регистрация
311 311 label_password_lost: Забравена парола
312 312 label_home: Начало
313 313 label_my_page: Лична страница
314 314 label_my_account: Профил
315 315 label_my_projects: Проекти, в които участвам
316 316 label_administration: Администрация
317 317 label_login: Вход
318 318 label_logout: Изход
319 319 label_help: Помощ
320 320 label_reported_issues: Публикувани задачи
321 321 label_assigned_to_me_issues: Възложени на мен
322 322 label_last_login: Последно свързване
323 323 label_registered_on: Регистрация
324 324 label_activity: Дейност
325 325 label_new: Нов
326 326 label_logged_as: Логнат като
327 327 label_environment: Среда
328 328 label_authentication: Оторизация
329 329 label_auth_source: Начин на оторозация
330 330 label_auth_source_new: Нов начин на оторизация
331 331 label_auth_source_plural: Начини на оторизация
332 332 label_subproject_plural: Подпроекти
333 333 label_min_max_length: Мин. - Макс. дължина
334 334 label_list: Списък
335 335 label_date: Дата
336 336 label_integer: Целочислен
337 337 label_boolean: Чекбокс
338 338 label_string: Текст
339 339 label_text: Дълъг текст
340 340 label_attribute: Атрибут
341 341 label_attribute_plural: Атрибути
342 342 label_download: "{{count}} Download"
343 343 label_download_plural: "{{count}} Downloads"
344 344 label_no_data: Няма изходни данни
345 345 label_change_status: Промяна на статуса
346 346 label_history: История
347 347 label_attachment: Файл
348 348 label_attachment_new: Нов файл
349 349 label_attachment_delete: Изтриване
350 350 label_attachment_plural: Файлове
351 351 label_report: Справка
352 352 label_report_plural: Справки
353 353 label_news: Новини
354 354 label_news_new: Добави
355 355 label_news_plural: Новини
356 356 label_news_latest: Последни новини
357 357 label_news_view_all: Виж всички
358 358 label_settings: Настройки
359 359 label_overview: Общ изглед
360 360 label_version: Версия
361 361 label_version_new: Нова версия
362 362 label_version_plural: Версии
363 363 label_confirmation: Одобрение
364 364 label_export_to: Експорт към
365 365 label_read: Read...
366 366 label_public_projects: Публични проекти
367 367 label_open_issues: отворена
368 368 label_open_issues_plural: отворени
369 369 label_closed_issues: затворена
370 370 label_closed_issues_plural: затворени
371 371 label_x_open_issues_abbr_on_total:
372 372 zero: 0 open / {{total}}
373 373 one: 1 open / {{total}}
374 374 other: "{{count}} open / {{total}}"
375 375 label_x_open_issues_abbr:
376 376 zero: 0 open
377 377 one: 1 open
378 378 other: "{{count}} open"
379 379 label_x_closed_issues_abbr:
380 380 zero: 0 closed
381 381 one: 1 closed
382 382 other: "{{count}} closed"
383 383 label_total: Общо
384 384 label_permissions: Права
385 385 label_current_status: Текущ статус
386 386 label_new_statuses_allowed: Позволени статуси
387 387 label_all: всички
388 388 label_none: никакви
389 389 label_next: Следващ
390 390 label_previous: Предишен
391 391 label_used_by: Използва се от
392 392 label_details: Детайли
393 393 label_add_note: Добавяне на бележка
394 394 label_per_page: На страница
395 395 label_calendar: Календар
396 396 label_months_from: месеца от
397 397 label_gantt: Gantt
398 398 label_internal: Вътрешен
399 399 label_last_changes: "последни {{count}} промени"
400 400 label_change_view_all: Виж всички промени
401 401 label_personalize_page: Персонализиране
402 402 label_comment: Коментар
403 403 label_comment_plural: Коментари
404 404 label_x_comments:
405 405 zero: no comments
406 406 one: 1 comment
407 407 other: "{{count}} comments"
408 408 label_comment_add: Добавяне на коментар
409 409 label_comment_added: Добавен коментар
410 410 label_comment_delete: Изтриване на коментари
411 411 label_query: Потребителска справка
412 412 label_query_plural: Потребителски справки
413 413 label_query_new: Нова заявка
414 414 label_filter_add: Добави филтър
415 415 label_filter_plural: Филтри
416 416 label_equals: е
417 417 label_not_equals: не е
418 418 label_in_less_than: след по-малко от
419 419 label_in_more_than: след повече от
420 420 label_in: в следващите
421 421 label_today: днес
422 422 label_this_week: тази седмица
423 423 label_less_than_ago: преди по-малко от
424 424 label_more_than_ago: преди повече от
425 425 label_ago: преди
426 426 label_contains: съдържа
427 427 label_not_contains: не съдържа
428 428 label_day_plural: дни
429 429 label_repository: Хранилище
430 430 label_browse: Разглеждане
431 431 label_modification: "{{count}} промяна"
432 432 label_modification_plural: "{{count}} промени"
433 433 label_revision: Ревизия
434 434 label_revision_plural: Ревизии
435 435 label_added: добавено
436 436 label_modified: променено
437 437 label_deleted: изтрито
438 438 label_latest_revision: Последна ревизия
439 439 label_latest_revision_plural: Последни ревизии
440 440 label_view_revisions: Виж ревизиите
441 441 label_max_size: Максимална големина
442 442 label_sort_highest: Премести най-горе
443 443 label_sort_higher: Премести по-горе
444 444 label_sort_lower: Премести по-долу
445 445 label_sort_lowest: Премести най-долу
446 446 label_roadmap: Пътна карта
447 447 label_roadmap_due_in: "Излиза след {{value}}"
448 448 label_roadmap_overdue: "{{value}} закъснение"
449 449 label_roadmap_no_issues: Няма задачи за тази версия
450 450 label_search: Търсене
451 451 label_result_plural: Pезултати
452 452 label_all_words: Всички думи
453 453 label_wiki: Wiki
454 454 label_wiki_edit: Wiki редакция
455 455 label_wiki_edit_plural: Wiki редакции
456 456 label_wiki_page: Wiki page
457 457 label_wiki_page_plural: Wiki pages
458 458 label_index_by_title: Индекс
459 459 label_index_by_date: Индекс по дата
460 460 label_current_version: Текуща версия
461 461 label_preview: Преглед
462 462 label_feed_plural: Feeds
463 463 label_changes_details: Подробни промени
464 464 label_issue_tracking: Тракинг
465 465 label_spent_time: Отделено време
466 466 label_f_hour: "{{value}} час"
467 467 label_f_hour_plural: "{{value}} часа"
468 468 label_time_tracking: Отделяне на време
469 469 label_change_plural: Промени
470 470 label_statistics: Статистики
471 471 label_commits_per_month: Ревизии по месеци
472 472 label_commits_per_author: Ревизии по автор
473 473 label_view_diff: Виж разликите
474 474 label_diff_inline: хоризонтално
475 475 label_diff_side_by_side: вертикално
476 476 label_options: Опции
477 477 label_copy_workflow_from: Копирай работния процес от
478 478 label_permissions_report: Справка за права
479 479 label_watched_issues: Наблюдавани задачи
480 480 label_related_issues: Свързани задачи
481 481 label_applied_status: Промени статуса на
482 482 label_loading: Зареждане...
483 483 label_relation_new: Нова релация
484 484 label_relation_delete: Изтриване на релация
485 485 label_relates_to: свързана със
486 486 label_duplicates: дублира
487 487 label_blocks: блокира
488 488 label_blocked_by: блокирана от
489 489 label_precedes: предшества
490 490 label_follows: изпълнява се след
491 491 label_end_to_start: end to start
492 492 label_end_to_end: end to end
493 493 label_start_to_start: start to start
494 494 label_start_to_end: start to end
495 495 label_stay_logged_in: Запомни ме
496 496 label_disabled: забранено
497 497 label_show_completed_versions: Показване на реализирани версии
498 498 label_me: аз
499 499 label_board: Форум
500 500 label_board_new: Нов форум
501 501 label_board_plural: Форуми
502 502 label_topic_plural: Теми
503 503 label_message_plural: Съобщения
504 504 label_message_last: Последно съобщение
505 505 label_message_new: Нова тема
506 506 label_reply_plural: Отговори
507 507 label_send_information: Изпращане на информацията до потребителя
508 508 label_year: Година
509 509 label_month: Месец
510 510 label_week: Седмица
511 511 label_date_from: От
512 512 label_date_to: До
513 513 label_language_based: В зависимост от езика
514 514 label_sort_by: "Сортиране по {{value}}"
515 515 label_send_test_email: Изпращане на тестов e-mail
516 516 label_feeds_access_key_created_on: "{{value}} от създаването на RSS ключа"
517 517 label_module_plural: Модули
518 518 label_added_time_by: "Публикувана от {{author}} преди {{age}}"
519 519 label_updated_time: "Обновена преди {{value}}"
520 520 label_jump_to_a_project: Проект...
521 521
522 522 button_login: Вход
523 523 button_submit: Прикачване
524 524 button_save: Запис
525 525 button_check_all: Избор на всички
526 526 button_uncheck_all: Изчистване на всички
527 527 button_delete: Изтриване
528 528 button_create: Създаване
529 529 button_test: Тест
530 530 button_edit: Редакция
531 531 button_add: Добавяне
532 532 button_change: Промяна
533 533 button_apply: Приложи
534 534 button_clear: Изчисти
535 535 button_lock: Заключване
536 536 button_unlock: Отключване
537 537 button_download: Download
538 538 button_list: Списък
539 539 button_view: Преглед
540 540 button_move: Преместване
541 541 button_back: Назад
542 542 button_cancel: Отказ
543 543 button_activate: Активация
544 544 button_sort: Сортиране
545 545 button_log_time: Отделяне на време
546 546 button_rollback: Върни се към тази ревизия
547 547 button_watch: Наблюдавай
548 548 button_unwatch: Спри наблюдението
549 549 button_reply: Отговор
550 550 button_archive: Архивиране
551 551 button_unarchive: Разархивиране
552 552 button_reset: Генериране наново
553 553 button_rename: Преименуване
554 554
555 555 status_active: активен
556 556 status_registered: регистриран
557 557 status_locked: заключен
558 558
559 559 text_select_mail_notifications: Изберете събития за изпращане на e-mail.
560 560 text_regexp_info: пр. ^[A-Z0-9]+$
561 561 text_min_max_length_info: 0 - без ограничения
562 562 text_project_destroy_confirmation: Сигурни ли сте, че искате да изтриете проекта и данните в него?
563 563 text_workflow_edit: Изберете роля и тракер за да редактирате работния процес
564 564 text_are_you_sure: Сигурни ли сте?
565 565 text_tip_issue_begin_day: задача започваща този ден
566 566 text_tip_issue_end_day: задача завършваща този ден
567 567 text_tip_issue_begin_end_day: задача започваща и завършваща този ден
568 568 text_project_identifier_info: 'Позволени са малки букви (a-z), цифри и тирета.<br />Невъзможна промяна след запис.'
569 569 text_caracters_maximum: "До {{count}} символа."
570 570 text_length_between: "От {{min}} до {{max}} символа."
571 571 text_tracker_no_workflow: Няма дефиниран работен процес за този тракер
572 572 text_unallowed_characters: Непозволени символи
573 573 text_comma_separated: Позволено е изброяване (с разделител запетая).
574 574 text_issues_ref_in_commit_messages: Отбелязване и приключване на задачи от ревизии
575 575 text_issue_added: "Публикувана е нова задача с номер {{id}} (от {{author}})."
576 576 text_issue_updated: "Задача {{id}} е обновена (от {{author}})."
577 577 text_wiki_destroy_confirmation: Сигурни ли сте, че искате да изтриете това Wiki и цялото му съдържание?
578 578 text_issue_category_destroy_question: "Има задачи ({{count}}) обвързани с тази категория. Какво ще изберете?"
579 579 text_issue_category_destroy_assignments: Премахване на връзките с категорията
580 580 text_issue_category_reassign_to: Преобвързване с категория
581 581
582 582 default_role_manager: Мениджър
583 583 default_role_developer: Разработчик
584 584 default_role_reporter: Публикуващ
585 585 default_tracker_bug: Бъг
586 586 default_tracker_feature: Функционалност
587 587 default_tracker_support: Поддръжка
588 588 default_issue_status_new: Нова
589 589 default_issue_status_in_progress: In Progress
590 590 default_issue_status_resolved: Приключена
591 591 default_issue_status_feedback: Обратна връзка
592 592 default_issue_status_closed: Затворена
593 593 default_issue_status_rejected: Отхвърлена
594 594 default_doc_category_user: Документация за потребителя
595 595 default_doc_category_tech: Техническа документация
596 596 default_priority_low: Нисък
597 597 default_priority_normal: Нормален
598 598 default_priority_high: Висок
599 599 default_priority_urgent: Спешен
600 600 default_priority_immediate: Веднага
601 601 default_activity_design: Дизайн
602 602 default_activity_development: Разработка
603 603
604 604 enumeration_issue_priorities: Приоритети на задачи
605 605 enumeration_doc_categories: Категории документи
606 606 enumeration_activities: Дейности (time tracking)
607 607 label_file_plural: Файлове
608 608 label_changeset_plural: Ревизии
609 609 field_column_names: Колони
610 610 label_default_columns: По подразбиране
611 611 setting_issue_list_default_columns: Показвани колони по подразбиране
612 612 setting_repositories_encodings: Кодови таблици
613 613 notice_no_issue_selected: "Няма избрани задачи."
614 614 label_bulk_edit_selected_issues: Редактиране на задачи
615 615 label_no_change_option: (Без промяна)
616 616 notice_failed_to_save_issues: "Неуспешен запис на {{count}} задачи от {{total}} избрани: {{ids}}."
617 617 label_theme: Тема
618 618 label_default: По подразбиране
619 619 label_search_titles_only: Само в заглавията
620 620 label_nobody: никой
621 621 button_change_password: Промяна на парола
622 622 text_user_mail_option: "За неизбраните проекти, ще получавате известия само за наблюдавани дейности или в които участвате (т.е. автор или назначени на мен)."
623 623 label_user_mail_option_selected: "За всички събития само в избраните проекти..."
624 624 label_user_mail_option_all: "За всяко събитие в проектите, в които участвам"
625 625 setting_emails_footer: Подтекст за e-mail
626 626 label_float: Дробно
627 627 button_copy: Копиране
628 628 mail_body_account_information_external: "Можете да използвате вашия {{value}} профил за вход."
629 629 mail_body_account_information: Информацията за профила ви
630 630 setting_protocol: Протокол
631 631 label_user_mail_no_self_notified: "Не искам известия за извършени от мен промени"
632 632 setting_time_format: Формат на часа
633 633 label_registration_activation_by_email: активиране на профила по email
634 634 mail_subject_account_activation_request: "Заявка за активиране на профил в {{value}}"
635 635 mail_body_account_activation_request: "Има новорегистриран потребител ({{value}}), очакващ вашето одобрение:"
636 636 label_registration_automatic_activation: автоматично активиране
637 637 label_registration_manual_activation: ръчно активиране
638 638 notice_account_pending: "Профилът Ви е създаден и очаква одобрение от администратор."
639 639 field_time_zone: Часова зона
640 640 text_caracters_minimum: "Минимум {{count}} символа."
641 641 setting_bcc_recipients: Получатели на скрито копие (bcc)
642 642 button_annotate: Анотация
643 643 label_issues_by: "Задачи по {{value}}"
644 644 field_searchable: С възможност за търсене
645 645 label_display_per_page: "На страница по: {{value}}"
646 646 setting_per_page_options: Опции за страниране
647 647 label_age: Възраст
648 648 notice_default_data_loaded: Примерната информацията е успешно заредена.
649 649 text_load_default_configuration: Зареждане на примерна информация
650 650 text_no_configuration_data: "Все още не са конфигурирани Роли, тракери, статуси на задачи и работен процес.\nСтрого се препоръчва зареждането на примерната информация. Веднъж заредена ще имате възможност да я редактирате."
651 651 error_can_t_load_default_data: "Грешка при зареждане на примерната информация: {{value}}"
652 652 button_update: Обновяване
653 653 label_change_properties: Промяна на настройки
654 654 label_general: Основни
655 655 label_repository_plural: Хранилища
656 656 label_associated_revisions: Асоциирани ревизии
657 657 setting_user_format: Потребителски формат
658 658 text_status_changed_by_changeset: "Приложено с ревизия {{value}}."
659 659 label_more: Още
660 660 text_issues_destroy_confirmation: 'Сигурни ли сте, че искате да изтриете избраните задачи?'
661 661 label_scm: SCM (Система за контрол на кода)
662 662 text_select_project_modules: 'Изберете активните модули за този проект:'
663 663 label_issue_added: Добавена задача
664 664 label_issue_updated: Обновена задача
665 665 label_document_added: Добавен документ
666 666 label_message_posted: Добавено съобщение
667 667 label_file_added: Добавен файл
668 668 label_news_added: Добавена новина
669 669 project_module_boards: Форуми
670 670 project_module_issue_tracking: Тракинг
671 671 project_module_wiki: Wiki
672 672 project_module_files: Файлове
673 673 project_module_documents: Документи
674 674 project_module_repository: Хранилище
675 675 project_module_news: Новини
676 676 project_module_time_tracking: Отделяне на време
677 677 text_file_repository_writable: Възможност за писане в хранилището с файлове
678 678 text_default_administrator_account_changed: Сменен фабричния администраторски профил
679 679 text_rmagick_available: Наличен RMagick (по избор)
680 680 button_configure: Конфигуриране
681 681 label_plugins: Плъгини
682 682 label_ldap_authentication: LDAP оторизация
683 683 label_downloads_abbr: D/L
684 684 label_this_month: текущия месец
685 685 label_last_n_days: "последните {{count}} дни"
686 686 label_all_time: всички
687 687 label_this_year: текущата година
688 688 label_date_range: Период
689 689 label_last_week: последната седмица
690 690 label_yesterday: вчера
691 691 label_last_month: последния месец
692 692 label_add_another_file: Добавяне на друг файл
693 693 label_optional_description: Незадължително описание
694 694 text_destroy_time_entries_question: "{{hours}} часа са отделени на задачите, които искате да изтриете. Какво избирате?"
695 695 error_issue_not_found_in_project: 'Задачата не е намерена или не принадлежи на този проект'
696 696 text_assign_time_entries_to_project: Прехвърляне на отделеното време към проект
697 697 text_destroy_time_entries: Изтриване на отделеното време
698 698 text_reassign_time_entries: 'Прехвърляне на отделеното време към задача:'
699 699 setting_activity_days_default: Брой дни показвани на таб Дейност
700 700 label_chronological_order: Хронологичен ред
701 701 field_comments_sorting: Сортиране на коментарите
702 702 label_reverse_chronological_order: Обратен хронологичен ред
703 703 label_preferences: Предпочитания
704 704 setting_display_subprojects_issues: Показване на подпроектите в проектите по подразбиране
705 705 label_overall_activity: Цялостна дейност
706 706 setting_default_projects_public: Новите проекти са публични по подразбиране
707 707 error_scm_annotate: "Обектът не съществува или не може да бъде анотиран."
708 708 label_planning: Планиране
709 709 text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted."
710 710 label_and_its_subprojects: "{{value}} and its subprojects"
711 711 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
712 712 mail_subject_reminder: "{{count}} issue(s) due in the next {{days}} days"
713 713 text_user_wrote: "{{value}} wrote:"
714 714 label_duplicated_by: duplicated by
715 715 setting_enabled_scm: Enabled SCM
716 716 text_enumeration_category_reassign_to: 'Reassign them to this value:'
717 717 text_enumeration_destroy_question: "{{count}} objects are assigned to this value."
718 718 label_incoming_emails: Incoming emails
719 719 label_generate_key: Generate a key
720 720 setting_mail_handler_api_enabled: Enable WS for incoming emails
721 721 setting_mail_handler_api_key: API key
722 722 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
723 723 field_parent_title: Parent page
724 724 label_issue_watchers: Watchers
725 725 setting_commit_logs_encoding: Commit messages encoding
726 726 button_quote: Quote
727 727 setting_sequential_project_identifiers: Generate sequential project identifiers
728 728 notice_unable_delete_version: Unable to delete version
729 729 label_renamed: renamed
730 730 label_copied: copied
731 731 setting_plain_text_mail: plain text only (no HTML)
732 732 permission_view_files: View files
733 733 permission_edit_issues: Edit issues
734 734 permission_edit_own_time_entries: Edit own time logs
735 735 permission_manage_public_queries: Manage public queries
736 736 permission_add_issues: Add issues
737 737 permission_log_time: Log spent time
738 738 permission_view_changesets: View changesets
739 739 permission_view_time_entries: View spent time
740 740 permission_manage_versions: Manage versions
741 741 permission_manage_wiki: Manage wiki
742 742 permission_manage_categories: Manage issue categories
743 743 permission_protect_wiki_pages: Protect wiki pages
744 744 permission_comment_news: Comment news
745 745 permission_delete_messages: Delete messages
746 746 permission_select_project_modules: Select project modules
747 747 permission_manage_documents: Manage documents
748 748 permission_edit_wiki_pages: Edit wiki pages
749 749 permission_add_issue_watchers: Add watchers
750 750 permission_view_gantt: View gantt chart
751 751 permission_move_issues: Move issues
752 752 permission_manage_issue_relations: Manage issue relations
753 753 permission_delete_wiki_pages: Delete wiki pages
754 754 permission_manage_boards: Manage boards
755 755 permission_delete_wiki_pages_attachments: Delete attachments
756 756 permission_view_wiki_edits: View wiki history
757 757 permission_add_messages: Post messages
758 758 permission_view_messages: View messages
759 759 permission_manage_files: Manage files
760 760 permission_edit_issue_notes: Edit notes
761 761 permission_manage_news: Manage news
762 762 permission_view_calendar: View calendrier
763 763 permission_manage_members: Manage members
764 764 permission_edit_messages: Edit messages
765 765 permission_delete_issues: Delete issues
766 766 permission_view_issue_watchers: View watchers list
767 767 permission_manage_repository: Manage repository
768 768 permission_commit_access: Commit access
769 769 permission_browse_repository: Browse repository
770 770 permission_view_documents: View documents
771 771 permission_edit_project: Edit project
772 772 permission_add_issue_notes: Add notes
773 773 permission_save_queries: Save queries
774 774 permission_view_wiki_pages: View wiki
775 775 permission_rename_wiki_pages: Rename wiki pages
776 776 permission_edit_time_entries: Edit time logs
777 777 permission_edit_own_issue_notes: Edit own notes
778 778 setting_gravatar_enabled: Use Gravatar user icons
779 779 label_example: Example
780 780 text_repository_usernames_mapping: "Select ou update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
781 781 permission_edit_own_messages: Edit own messages
782 782 permission_delete_own_messages: Delete own messages
783 783 label_user_activity: "{{value}}'s activity"
784 784 label_updated_time_by: "Updated by {{author}} {{age}} ago"
785 785 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
786 786 setting_diff_max_lines_displayed: Max number of diff lines displayed
787 787 text_plugin_assets_writable: Plugin assets directory writable
788 788 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
789 789 button_create_and_continue: Create and continue
790 790 text_custom_field_possible_values_info: 'One line for each value'
791 791 label_display: Display
792 792 field_editable: Editable
793 793 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
794 794 setting_file_max_size_displayed: Max size of text files displayed inline
795 795 field_watcher: Watcher
796 796 setting_openid: Allow OpenID login and registration
797 797 field_identity_url: OpenID URL
798 798 label_login_with_open_id_option: or login with OpenID
799 799 field_content: Content
800 800 label_descending: Descending
801 801 label_sort: Sort
802 802 label_ascending: Ascending
803 803 label_date_from_to: From {{start}} to {{end}}
804 804 label_greater_or_equal: ">="
805 805 label_less_or_equal: <=
806 806 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
807 807 text_wiki_page_reassign_children: Reassign child pages to this parent page
808 808 text_wiki_page_nullify_children: Keep child pages as root pages
809 809 text_wiki_page_destroy_children: Delete child pages and all their descendants
810 810 setting_password_min_length: Minimum password length
811 811 field_group_by: Group results by
812 812 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
813 813 label_wiki_content_added: Wiki page added
814 814 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
815 815 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
816 816 label_wiki_content_updated: Wiki page updated
817 817 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
818 818 permission_add_project: Create project
819 819 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
820 820 label_view_all_revisions: View all revisions
821 821 label_tag: Tag
822 822 label_branch: Branch
823 823 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
824 824 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
825 825 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
826 826 text_journal_set_to: "{{label}} set to {{value}}"
827 827 text_journal_deleted: "{{label}} deleted ({{old}})"
828 828 label_group_plural: Groups
829 829 label_group: Group
830 830 label_group_new: New group
831 831 label_time_entry_plural: Spent time
832 832 text_journal_added: "{{label}} {{value}} added"
833 833 field_active: Active
834 834 enumeration_system_activity: System Activity
835 835 permission_delete_issue_watchers: Delete watchers
836 836 version_status_closed: closed
837 837 version_status_locked: locked
838 838 version_status_open: open
839 839 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
840 840 label_user_anonymous: Anonymous
841 841 button_move_and_follow: Move and follow
842 842 setting_default_projects_modules: Default enabled modules for new projects
843 843 setting_gravatar_default: Default Gravatar image
844 844 field_sharing: Sharing
845 845 label_version_sharing_hierarchy: With project hierarchy
846 846 label_version_sharing_system: With all projects
847 847 label_version_sharing_descendants: With subprojects
848 848 label_version_sharing_tree: With project tree
849 849 label_version_sharing_none: Not shared
850 850 error_can_not_archive_project: This project can not be archived
851 851 button_duplicate: Duplicate
852 852 button_copy_and_follow: Copy and follow
853 853 label_copy_source: Source
854 854 setting_issue_done_ratio: Calculate the issue done ratio with
855 855 setting_issue_done_ratio_issue_status: Use the issue status
856 856 error_issue_done_ratios_not_updated: Issue done ratios not updated.
857 857 error_workflow_copy_target: Please select target tracker(s) and role(s)
858 858 setting_issue_done_ratio_issue_field: Use the issue field
859 859 label_copy_same_as_target: Same as target
860 860 label_copy_target: Target
861 861 notice_issue_done_ratios_updated: Issue done ratios updated.
862 862 error_workflow_copy_source: Please select a source tracker or role
863 863 label_update_issue_done_ratios: Update issue done ratios
864 864 setting_start_of_week: Start calendars on
865 865 permission_view_issues: View Issues
866 866 label_display_used_statuses_only: Only display statuses that are used by this tracker
867 867 label_revision_id: Revision {{value}}
868 868 label_api_access_key: API access key
869 869 label_api_access_key_created_on: API access key created {{value}} ago
870 870 label_feeds_access_key: RSS access key
871 871 notice_api_access_key_reseted: Your API access key was reset.
872 872 setting_rest_api_enabled: Enable REST web service
873 873 label_missing_api_access_key: Missing an API access key
874 874 label_missing_feeds_access_key: Missing a RSS access key
875 875 button_show: Show
876 876 text_line_separated: Multiple values allowed (one line for each value).
877 877 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
878 878 permission_add_subprojects: Create subprojects
879 879 label_subproject_new: New subproject
880 880 text_own_membership_delete_confirmation: |-
881 881 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
882 882 Are you sure you want to continue?
883 883 label_close_versions: Close completed versions
884 884 label_board_sticky: Sticky
885 885 label_board_locked: Locked
886 886 permission_export_wiki_pages: Export wiki pages
887 887 setting_cache_formatted_text: Cache formatted text
888 888 permission_manage_project_activities: Manage project activities
889 889 error_unable_delete_issue_status: Unable to delete issue status
890 890 label_profile: Profile
891 891 permission_manage_subtasks: Manage subtasks
892 892 field_parent_issue: Parent task
893 893 label_subtask_plural: Subtasks
894 894 label_project_copy_notifications: Send email notifications during the project copy
895 895 error_can_not_delete_custom_field: Unable to delete custom field
896 896 error_unable_to_connect: Unable to connect ({{value}})
897 897 error_can_not_remove_role: This role is in use and can not be deleted.
898 898 error_can_not_delete_tracker: This tracker contains issues and can't be deleted.
899 899 field_principal: Principal
900 900 label_my_page_block: My page block
901 901 notice_failed_to_save_members: "Failed to save member(s): {{errors}}."
902 902 text_zoom_out: Zoom out
903 903 text_zoom_in: Zoom in
904 904 notice_unable_delete_time_entry: Unable to delete time log entry.
905 905 label_overall_spent_time: Overall spent time
906 906 field_time_entries: Log time
907 907 project_module_gantt: Gantt
908 908 project_module_calendar: Calendar
909 909 button_edit_associated_wikipage: "Edit associated Wiki page: {{page_title}}"
910 910 text_are_you_sure_with_children: Delete issue and all child issues?
911 911 field_text: Text field
912 912 label_user_mail_option_only_owner: Only for things I am the owner of
913 913 setting_default_notification_option: Default notification option
914 914 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
915 915 label_user_mail_option_only_assigned: Only for things I am assigned to
916 916 label_user_mail_option_none: No events
917 917 field_member_of_group: Assignee's group
918 918 field_assigned_to_role: Assignee's role
919 notice_not_authorized_archived_project: The project you're trying to access has been archived.
@@ -1,938 +1,939
1 1 #Ernad Husremovic hernad@bring.out.ba
2 2
3 3 bs:
4 4 direction: ltr
5 5 date:
6 6 formats:
7 7 default: "%d.%m.%Y"
8 8 short: "%e. %b"
9 9 long: "%e. %B %Y"
10 10 only_day: "%e"
11 11
12 12
13 13 day_names: [Nedjelja, Ponedjeljak, Utorak, Srijeda, Četvrtak, Petak, Subota]
14 14 abbr_day_names: [Ned, Pon, Uto, Sri, Čet, Pet, Sub]
15 15
16 16 month_names: [~, Januar, Februar, Mart, April, Maj, Jun, Jul, Avgust, Septembar, Oktobar, Novembar, Decembar]
17 17 abbr_month_names: [~, Jan, Feb, Mar, Apr, Maj, Jun, Jul, Avg, Sep, Okt, Nov, Dec]
18 18 order: [ :day, :month, :year ]
19 19
20 20 time:
21 21 formats:
22 22 default: "%A, %e. %B %Y, %H:%M"
23 23 short: "%e. %B, %H:%M Uhr"
24 24 long: "%A, %e. %B %Y, %H:%M"
25 25 time: "%H:%M"
26 26
27 27 am: "prijepodne"
28 28 pm: "poslijepodne"
29 29
30 30 datetime:
31 31 distance_in_words:
32 32 half_a_minute: "pola minute"
33 33 less_than_x_seconds:
34 34 one: "manje od 1 sekunde"
35 35 other: "manje od {{count}} sekudni"
36 36 x_seconds:
37 37 one: "1 sekunda"
38 38 other: "{{count}} sekundi"
39 39 less_than_x_minutes:
40 40 one: "manje od 1 minute"
41 41 other: "manje od {{count}} minuta"
42 42 x_minutes:
43 43 one: "1 minuta"
44 44 other: "{{count}} minuta"
45 45 about_x_hours:
46 46 one: "oko 1 sahat"
47 47 other: "oko {{count}} sahata"
48 48 x_days:
49 49 one: "1 dan"
50 50 other: "{{count}} dana"
51 51 about_x_months:
52 52 one: "oko 1 mjesec"
53 53 other: "oko {{count}} mjeseci"
54 54 x_months:
55 55 one: "1 mjesec"
56 56 other: "{{count}} mjeseci"
57 57 about_x_years:
58 58 one: "oko 1 godine"
59 59 other: "oko {{count}} godina"
60 60 over_x_years:
61 61 one: "preko 1 godine"
62 62 other: "preko {{count}} godina"
63 63 almost_x_years:
64 64 one: "almost 1 year"
65 65 other: "almost {{count}} years"
66 66
67 67
68 68 number:
69 69 format:
70 70 precision: 2
71 71 separator: ','
72 72 delimiter: '.'
73 73 currency:
74 74 format:
75 75 unit: 'KM'
76 76 format: '%u %n'
77 77 separator:
78 78 delimiter:
79 79 precision:
80 80 percentage:
81 81 format:
82 82 delimiter: ""
83 83 precision:
84 84 format:
85 85 delimiter: ""
86 86 human:
87 87 format:
88 88 delimiter: ""
89 89 precision: 1
90 90 storage_units:
91 91 format: "%n %u"
92 92 units:
93 93 byte:
94 94 one: "Byte"
95 95 other: "Bytes"
96 96 kb: "KB"
97 97 mb: "MB"
98 98 gb: "GB"
99 99 tb: "TB"
100 100
101 101 # Used in array.to_sentence.
102 102 support:
103 103 array:
104 104 sentence_connector: "i"
105 105 skip_last_comma: false
106 106
107 107 activerecord:
108 108 errors:
109 109 messages:
110 110 inclusion: "nije uključeno u listu"
111 111 exclusion: "je rezervisano"
112 112 invalid: "nije ispravno"
113 113 confirmation: "ne odgovara potvrdi"
114 114 accepted: "mora se prihvatiti"
115 115 empty: "ne može biti prazno"
116 116 blank: "ne može biti znak razmaka"
117 117 too_long: "je predugačko"
118 118 too_short: "je prekratko"
119 119 wrong_length: "je pogrešne dužine"
120 120 taken: "već je zauzeto"
121 121 not_a_number: "nije broj"
122 122 not_a_date: "nije ispravan datum"
123 123 greater_than: "mora bit veći od {{count}}"
124 124 greater_than_or_equal_to: "mora bit veći ili jednak {{count}}"
125 125 equal_to: "mora biti jednak {{count}}"
126 126 less_than: "mora biti manji od {{count}}"
127 127 less_than_or_equal_to: "mora bit manji ili jednak {{count}}"
128 128 odd: "mora biti neparan"
129 129 even: "mora biti paran"
130 130 greater_than_start_date: "mora biti veći nego početni datum"
131 131 not_same_project: "ne pripada istom projektu"
132 132 circular_dependency: "Ova relacija stvar cirkularnu zavisnost"
133 133 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
134 134
135 135 actionview_instancetag_blank_option: Molimo odaberite
136 136
137 137 general_text_No: 'Da'
138 138 general_text_Yes: 'Ne'
139 139 general_text_no: 'ne'
140 140 general_text_yes: 'da'
141 141 general_lang_name: 'Bosanski'
142 142 general_csv_separator: ','
143 143 general_csv_decimal_separator: '.'
144 144 general_csv_encoding: utf8
145 145 general_pdf_encoding: utf8
146 146 general_first_day_of_week: '7'
147 147
148 148 notice_account_activated: Vaš nalog je aktiviran. Možete se prijaviti.
149 149 notice_account_invalid_creditentials: Pogrešan korisnik ili lozinka
150 150 notice_account_lost_email_sent: Email sa uputstvima o izboru nove šifre je poslat na vašu adresu.
151 151 notice_account_password_updated: Lozinka je uspješno promjenjena.
152 152 notice_account_pending: "Vaš nalog je kreiran i čeka odobrenje administratora."
153 153 notice_account_register_done: Nalog je uspješno kreiran. Da bi ste aktivirali vaš nalog kliknite na link koji vam je poslat.
154 154 notice_account_unknown_email: Nepoznati korisnik.
155 155 notice_account_updated: Nalog je uspješno promjenen.
156 156 notice_account_wrong_password: Pogrešna lozinka
157 157 notice_can_t_change_password: Ovaj nalog koristi eksterni izvor prijavljivanja. Ne mogu da promjenim šifru.
158 158 notice_default_data_loaded: Podrazumjevana konfiguracija uspječno učitana.
159 159 notice_email_error: Došlo je do greške pri slanju emaila ({{value}})
160 160 notice_email_sent: "Email je poslan {{value}}"
161 161 notice_failed_to_save_issues: "Neuspješno snimanje {{count}} aktivnosti na {{total}} izabrano: {{ids}}."
162 162 notice_feeds_access_key_reseted: Vaš RSS pristup je resetovan.
163 163 notice_file_not_found: Stranica kojoj pokušavate da pristupite ne postoji ili je uklonjena.
164 164 notice_locking_conflict: "Konflikt: podaci su izmjenjeni od strane drugog korisnika."
165 165 notice_no_issue_selected: "Nijedna aktivnost nije izabrana! Molim, izaberite aktivnosti koje želite za ispravljate."
166 166 notice_not_authorized: Niste ovlašćeni da pristupite ovoj stranici.
167 167 notice_successful_connection: Uspješna konekcija.
168 168 notice_successful_create: Uspješno kreiranje.
169 169 notice_successful_delete: Brisanje izvršeno.
170 170 notice_successful_update: Promjene uspješno izvršene.
171 171
172 172 error_can_t_load_default_data: "Podrazumjevane postavke se ne mogu učitati {{value}}"
173 173 error_scm_command_failed: "Desila se greška pri pristupu repozitoriju: {{value}}"
174 174 error_scm_not_found: "Unos i/ili revizija ne postoji u repozitoriju."
175 175
176 176 error_scm_annotate: "Ova stavka ne postoji ili nije označena."
177 177 error_issue_not_found_in_project: 'Aktivnost nije nađena ili ne pripada ovom projektu'
178 178
179 179 warning_attachments_not_saved: "{{count}} fajl(ovi) ne mogu biti snimljen(i)."
180 180
181 181 mail_subject_lost_password: "Vaša {{value}} lozinka"
182 182 mail_body_lost_password: 'Za promjenu lozinke, kliknite na sljedeći link:'
183 183 mail_subject_register: "Aktivirajte {{value}} vaš korisnički račun"
184 184 mail_body_register: 'Za aktivaciju vašeg korisničkog računa, kliknite na sljedeći link:'
185 185 mail_body_account_information_external: "Možete koristiti vaš {{value}} korisnički račun za prijavu na sistem."
186 186 mail_body_account_information: Informacija o vašem korisničkom računu
187 187 mail_subject_account_activation_request: "{{value}} zahtjev za aktivaciju korisničkog računa"
188 188 mail_body_account_activation_request: "Novi korisnik ({{value}}) se registrovao. Korisnički račun čeka vaše odobrenje za aktivaciju:"
189 189 mail_subject_reminder: "{{count}} aktivnost(i) u kašnjenju u narednim {{days}} danima"
190 190 mail_body_reminder: "{{count}} aktivnost(i) koje su dodjeljenje vama u narednim {{days}} danima:"
191 191
192 192 gui_validation_error: 1 greška
193 193 gui_validation_error_plural: "{{count}} grešaka"
194 194
195 195 field_name: Ime
196 196 field_description: Opis
197 197 field_summary: Pojašnjenje
198 198 field_is_required: Neophodno popuniti
199 199 field_firstname: Ime
200 200 field_lastname: Prezime
201 201 field_mail: Email
202 202 field_filename: Fajl
203 203 field_filesize: Veličina
204 204 field_downloads: Downloadi
205 205 field_author: Autor
206 206 field_created_on: Kreirano
207 207 field_updated_on: Izmjenjeno
208 208 field_field_format: Format
209 209 field_is_for_all: Za sve projekte
210 210 field_possible_values: Moguće vrijednosti
211 211 field_regexp: '"Regularni izraz"'
212 212 field_min_length: Minimalna veličina
213 213 field_max_length: Maksimalna veličina
214 214 field_value: Vrijednost
215 215 field_category: Kategorija
216 216 field_title: Naslov
217 217 field_project: Projekat
218 218 field_issue: Aktivnost
219 219 field_status: Status
220 220 field_notes: Bilješke
221 221 field_is_closed: Aktivnost zatvorena
222 222 field_is_default: Podrazumjevana vrijednost
223 223 field_tracker: Područje aktivnosti
224 224 field_subject: Subjekat
225 225 field_due_date: Završiti do
226 226 field_assigned_to: Dodijeljeno
227 227 field_priority: Prioritet
228 228 field_fixed_version: Ciljna verzija
229 229 field_user: Korisnik
230 230 field_role: Uloga
231 231 field_homepage: Naslovna strana
232 232 field_is_public: Javni
233 233 field_parent: Podprojekt od
234 234 field_is_in_roadmap: Aktivnosti prikazane u planu realizacije
235 235 field_login: Prijava
236 236 field_mail_notification: Email notifikacije
237 237 field_admin: Administrator
238 238 field_last_login_on: Posljednja konekcija
239 239 field_language: Jezik
240 240 field_effective_date: Datum
241 241 field_password: Lozinka
242 242 field_new_password: Nova lozinka
243 243 field_password_confirmation: Potvrda
244 244 field_version: Verzija
245 245 field_type: Tip
246 246 field_host: Host
247 247 field_port: Port
248 248 field_account: Korisnički račun
249 249 field_base_dn: Base DN
250 250 field_attr_login: Attribut za prijavu
251 251 field_attr_firstname: Attribut za ime
252 252 field_attr_lastname: Atribut za prezime
253 253 field_attr_mail: Atribut za email
254 254 field_onthefly: 'Kreiranje korisnika "On-the-fly"'
255 255 field_start_date: Početak
256 256 field_done_ratio: % Realizovano
257 257 field_auth_source: Mod za authentifikaciju
258 258 field_hide_mail: Sakrij moju email adresu
259 259 field_comments: Komentar
260 260 field_url: URL
261 261 field_start_page: Početna stranica
262 262 field_subproject: Podprojekat
263 263 field_hours: Sahata
264 264 field_activity: Operacija
265 265 field_spent_on: Datum
266 266 field_identifier: Identifikator
267 267 field_is_filter: Korišteno kao filter
268 268 field_issue_to: Povezana aktivnost
269 269 field_delay: Odgađanje
270 270 field_assignable: Aktivnosti dodijeljene ovoj ulozi
271 271 field_redirect_existing_links: Izvrši redirekciju postojećih linkova
272 272 field_estimated_hours: Procjena vremena
273 273 field_column_names: Kolone
274 274 field_time_zone: Vremenska zona
275 275 field_searchable: Pretraživo
276 276 field_default_value: Podrazumjevana vrijednost
277 277 field_comments_sorting: Prikaži komentare
278 278 field_parent_title: 'Stranica "roditelj"'
279 279 field_editable: Može se mijenjati
280 280 field_watcher: Posmatrač
281 281 field_identity_url: OpenID URL
282 282 field_content: Sadržaj
283 283
284 284 setting_app_title: Naslov aplikacije
285 285 setting_app_subtitle: Podnaslov aplikacije
286 286 setting_welcome_text: Tekst dobrodošlice
287 287 setting_default_language: Podrazumjevani jezik
288 288 setting_login_required: Authentifikacija neophodna
289 289 setting_self_registration: Samo-registracija
290 290 setting_attachment_max_size: Maksimalna veličina prikačenog fajla
291 291 setting_issues_export_limit: Limit za eksport aktivnosti
292 292 setting_mail_from: Mail adresa - pošaljilac
293 293 setting_bcc_recipients: '"BCC" (blind carbon copy) primaoci '
294 294 setting_plain_text_mail: Email sa običnim tekstom (bez HTML-a)
295 295 setting_host_name: Ime hosta i putanja
296 296 setting_text_formatting: Formatiranje teksta
297 297 setting_wiki_compression: Kompresija Wiki istorije
298 298
299 299 setting_feeds_limit: 'Limit za "RSS" feed-ove'
300 300 setting_default_projects_public: Podrazumjeva se da je novi projekat javni
301 301 setting_autofetch_changesets: 'Automatski kupi "commit"-e'
302 302 setting_sys_api_enabled: 'Omogući "WS" za upravljanje repozitorijom'
303 303 setting_commit_ref_keywords: Ključne riječi za reference
304 304 setting_commit_fix_keywords: 'Ključne riječi za status "zatvoreno"'
305 305 setting_autologin: Automatski login
306 306 setting_date_format: Format datuma
307 307 setting_time_format: Format vremena
308 308 setting_cross_project_issue_relations: Omogući relacije između aktivnosti na različitim projektima
309 309 setting_issue_list_default_columns: Podrazumjevane koleone za prikaz na listi aktivnosti
310 310 setting_repositories_encodings: Enkodiranje repozitorija
311 311 setting_commit_logs_encoding: 'Enkodiranje "commit" poruka'
312 312 setting_emails_footer: Potpis na email-ovima
313 313 setting_protocol: Protokol
314 314 setting_per_page_options: Broj objekata po stranici
315 315 setting_user_format: Format korisničkog prikaza
316 316 setting_activity_days_default: Prikaz promjena na projektu - opseg dana
317 317 setting_display_subprojects_issues: Prikaz podprojekata na glavnom projektima (podrazumjeva se)
318 318 setting_enabled_scm: Omogući SCM (source code management)
319 319 setting_mail_handler_api_enabled: Omogući automatsku obradu ulaznih emailova
320 320 setting_mail_handler_api_key: API ključ (obrada ulaznih mailova)
321 321 setting_sequential_project_identifiers: Generiši identifikatore projekta sekvencijalno
322 322 setting_gravatar_enabled: 'Koristi "gravatar" korisničke ikone'
323 323 setting_diff_max_lines_displayed: Maksimalan broj linija za prikaz razlika između dva fajla
324 324 setting_file_max_size_displayed: Maksimalna veličina fajla kod prikaza razlika unutar fajla (inline)
325 325 setting_repository_log_display_limit: Maksimalna veličina revizija prikazanih na log fajlu
326 326 setting_openid: Omogući OpenID prijavu i registraciju
327 327
328 328 permission_edit_project: Ispravke projekta
329 329 permission_select_project_modules: Odaberi module projekta
330 330 permission_manage_members: Upravljanje članovima
331 331 permission_manage_versions: Upravljanje verzijama
332 332 permission_manage_categories: Upravljanje kategorijama aktivnosti
333 333 permission_add_issues: Dodaj aktivnosti
334 334 permission_edit_issues: Ispravka aktivnosti
335 335 permission_manage_issue_relations: Upravljaj relacijama među aktivnostima
336 336 permission_add_issue_notes: Dodaj bilješke
337 337 permission_edit_issue_notes: Ispravi bilješke
338 338 permission_edit_own_issue_notes: Ispravi sopstvene bilješke
339 339 permission_move_issues: Pomjeri aktivnosti
340 340 permission_delete_issues: Izbriši aktivnosti
341 341 permission_manage_public_queries: Upravljaj javnim upitima
342 342 permission_save_queries: Snimi upite
343 343 permission_view_gantt: Pregled gantograma
344 344 permission_view_calendar: Pregled kalendara
345 345 permission_view_issue_watchers: Pregled liste korisnika koji prate aktivnost
346 346 permission_add_issue_watchers: Dodaj onoga koji prati aktivnost
347 347 permission_log_time: Evidentiraj utrošak vremena
348 348 permission_view_time_entries: Pregled utroška vremena
349 349 permission_edit_time_entries: Ispravka utroška vremena
350 350 permission_edit_own_time_entries: Ispravka svog utroška vremena
351 351 permission_manage_news: Upravljaj novostima
352 352 permission_comment_news: Komentiraj novosti
353 353 permission_manage_documents: Upravljaj dokumentima
354 354 permission_view_documents: Pregled dokumenata
355 355 permission_manage_files: Upravljaj fajlovima
356 356 permission_view_files: Pregled fajlova
357 357 permission_manage_wiki: Upravljaj wiki stranicama
358 358 permission_rename_wiki_pages: Ispravi wiki stranicu
359 359 permission_delete_wiki_pages: Izbriši wiki stranicu
360 360 permission_view_wiki_pages: Pregled wiki sadržaja
361 361 permission_view_wiki_edits: Pregled wiki istorije
362 362 permission_edit_wiki_pages: Ispravka wiki stranica
363 363 permission_delete_wiki_pages_attachments: Brisanje fajlova prikačenih wiki-ju
364 364 permission_protect_wiki_pages: Zaštiti wiki stranicu
365 365 permission_manage_repository: Upravljaj repozitorijem
366 366 permission_browse_repository: Pregled repozitorija
367 367 permission_view_changesets: Pregled setova promjena
368 368 permission_commit_access: 'Pristup "commit"-u'
369 369 permission_manage_boards: Upravljaj forumima
370 370 permission_view_messages: Pregled poruka
371 371 permission_add_messages: Šalji poruke
372 372 permission_edit_messages: Ispravi poruke
373 373 permission_edit_own_messages: Ispravka sopstvenih poruka
374 374 permission_delete_messages: Prisanje poruka
375 375 permission_delete_own_messages: Brisanje sopstvenih poruka
376 376
377 377 project_module_issue_tracking: Praćenje aktivnosti
378 378 project_module_time_tracking: Praćenje vremena
379 379 project_module_news: Novosti
380 380 project_module_documents: Dokumenti
381 381 project_module_files: Fajlovi
382 382 project_module_wiki: Wiki stranice
383 383 project_module_repository: Repozitorij
384 384 project_module_boards: Forumi
385 385
386 386 label_user: Korisnik
387 387 label_user_plural: Korisnici
388 388 label_user_new: Novi korisnik
389 389 label_project: Projekat
390 390 label_project_new: Novi projekat
391 391 label_project_plural: Projekti
392 392 label_x_projects:
393 393 zero: 0 projekata
394 394 one: 1 projekat
395 395 other: "{{count}} projekata"
396 396 label_project_all: Svi projekti
397 397 label_project_latest: Posljednji projekti
398 398 label_issue: Aktivnost
399 399 label_issue_new: Nova aktivnost
400 400 label_issue_plural: Aktivnosti
401 401 label_issue_view_all: Vidi sve aktivnosti
402 402 label_issues_by: "Aktivnosti po {{value}}"
403 403 label_issue_added: Aktivnost je dodana
404 404 label_issue_updated: Aktivnost je izmjenjena
405 405 label_document: Dokument
406 406 label_document_new: Novi dokument
407 407 label_document_plural: Dokumenti
408 408 label_document_added: Dokument je dodan
409 409 label_role: Uloga
410 410 label_role_plural: Uloge
411 411 label_role_new: Nove uloge
412 412 label_role_and_permissions: Uloge i dozvole
413 413 label_member: Izvršilac
414 414 label_member_new: Novi izvršilac
415 415 label_member_plural: Izvršioci
416 416 label_tracker: Područje aktivnosti
417 417 label_tracker_plural: Područja aktivnosti
418 418 label_tracker_new: Novo područje aktivnosti
419 419 label_workflow: Tok promjena na aktivnosti
420 420 label_issue_status: Status aktivnosti
421 421 label_issue_status_plural: Statusi aktivnosti
422 422 label_issue_status_new: Novi status
423 423 label_issue_category: Kategorija aktivnosti
424 424 label_issue_category_plural: Kategorije aktivnosti
425 425 label_issue_category_new: Nova kategorija
426 426 label_custom_field: Proizvoljno polje
427 427 label_custom_field_plural: Proizvoljna polja
428 428 label_custom_field_new: Novo proizvoljno polje
429 429 label_enumerations: Enumeracije
430 430 label_enumeration_new: Nova vrijednost
431 431 label_information: Informacija
432 432 label_information_plural: Informacije
433 433 label_please_login: Molimo prijavite se
434 434 label_register: Registracija
435 435 label_login_with_open_id_option: ili prijava sa OpenID-om
436 436 label_password_lost: Izgubljena lozinka
437 437 label_home: Početna stranica
438 438 label_my_page: Moja stranica
439 439 label_my_account: Moj korisnički račun
440 440 label_my_projects: Moji projekti
441 441 label_administration: Administracija
442 442 label_login: Prijavi se
443 443 label_logout: Odjavi se
444 444 label_help: Pomoć
445 445 label_reported_issues: Prijavljene aktivnosti
446 446 label_assigned_to_me_issues: Aktivnosti dodjeljene meni
447 447 label_last_login: Posljednja konekcija
448 448 label_registered_on: Registrovan na
449 449 label_activity_plural: Promjene
450 450 label_activity: Operacija
451 451 label_overall_activity: Pregled svih promjena
452 452 label_user_activity: "Promjene izvršene od: {{value}}"
453 453 label_new: Novi
454 454 label_logged_as: Prijavljen kao
455 455 label_environment: Sistemsko okruženje
456 456 label_authentication: Authentifikacija
457 457 label_auth_source: Mod authentifikacije
458 458 label_auth_source_new: Novi mod authentifikacije
459 459 label_auth_source_plural: Modovi authentifikacije
460 460 label_subproject_plural: Podprojekti
461 461 label_and_its_subprojects: "{{value}} i njegovi podprojekti"
462 462 label_min_max_length: Min - Maks dužina
463 463 label_list: Lista
464 464 label_date: Datum
465 465 label_integer: Cijeli broj
466 466 label_float: Float
467 467 label_boolean: Logička varijabla
468 468 label_string: Tekst
469 469 label_text: Dugi tekst
470 470 label_attribute: Atribut
471 471 label_attribute_plural: Atributi
472 472 label_download: "{{count}} download"
473 473 label_download_plural: "{{count}} download-i"
474 474 label_no_data: Nema podataka za prikaz
475 475 label_change_status: Promjeni status
476 476 label_history: Istorija
477 477 label_attachment: Fajl
478 478 label_attachment_new: Novi fajl
479 479 label_attachment_delete: Izbriši fajl
480 480 label_attachment_plural: Fajlovi
481 481 label_file_added: Fajl je dodan
482 482 label_report: Izvještaj
483 483 label_report_plural: Izvještaji
484 484 label_news: Novosti
485 485 label_news_new: Dodaj novosti
486 486 label_news_plural: Novosti
487 487 label_news_latest: Posljednje novosti
488 488 label_news_view_all: Pogledaj sve novosti
489 489 label_news_added: Novosti su dodane
490 490 label_settings: Postavke
491 491 label_overview: Pregled
492 492 label_version: Verzija
493 493 label_version_new: Nova verzija
494 494 label_version_plural: Verzije
495 495 label_confirmation: Potvrda
496 496 label_export_to: 'Takođe dostupno u:'
497 497 label_read: Čitaj...
498 498 label_public_projects: Javni projekti
499 499 label_open_issues: otvoren
500 500 label_open_issues_plural: otvoreni
501 501 label_closed_issues: zatvoren
502 502 label_closed_issues_plural: zatvoreni
503 503 label_x_open_issues_abbr_on_total:
504 504 zero: 0 otvoreno / {{total}}
505 505 one: 1 otvorena / {{total}}
506 506 other: "{{count}} otvorene / {{total}}"
507 507 label_x_open_issues_abbr:
508 508 zero: 0 otvoreno
509 509 one: 1 otvorena
510 510 other: "{{count}} otvorene"
511 511 label_x_closed_issues_abbr:
512 512 zero: 0 zatvoreno
513 513 one: 1 zatvorena
514 514 other: "{{count}} zatvorene"
515 515 label_total: Ukupno
516 516 label_permissions: Dozvole
517 517 label_current_status: Tekući status
518 518 label_new_statuses_allowed: Novi statusi dozvoljeni
519 519 label_all: sve
520 520 label_none: ništa
521 521 label_nobody: niko
522 522 label_next: Sljedeće
523 523 label_previous: Predhodno
524 524 label_used_by: Korišteno od
525 525 label_details: Detalji
526 526 label_add_note: Dodaj bilješku
527 527 label_per_page: Po stranici
528 528 label_calendar: Kalendar
529 529 label_months_from: mjeseci od
530 530 label_gantt: Gantt
531 531 label_internal: Interno
532 532 label_last_changes: "posljednjih {{count}} promjena"
533 533 label_change_view_all: Vidi sve promjene
534 534 label_personalize_page: Personaliziraj ovu stranicu
535 535 label_comment: Komentar
536 536 label_comment_plural: Komentari
537 537 label_x_comments:
538 538 zero: bez komentara
539 539 one: 1 komentar
540 540 other: "{{count}} komentari"
541 541 label_comment_add: Dodaj komentar
542 542 label_comment_added: Komentar je dodan
543 543 label_comment_delete: Izbriši komentar
544 544 label_query: Proizvoljan upit
545 545 label_query_plural: Proizvoljni upiti
546 546 label_query_new: Novi upit
547 547 label_filter_add: Dodaj filter
548 548 label_filter_plural: Filteri
549 549 label_equals: je
550 550 label_not_equals: nije
551 551 label_in_less_than: je manji nego
552 552 label_in_more_than: je više nego
553 553 label_in: u
554 554 label_today: danas
555 555 label_all_time: sve vrijeme
556 556 label_yesterday: juče
557 557 label_this_week: ova hefta
558 558 label_last_week: zadnja hefta
559 559 label_last_n_days: "posljednjih {{count}} dana"
560 560 label_this_month: ovaj mjesec
561 561 label_last_month: posljednji mjesec
562 562 label_this_year: ova godina
563 563 label_date_range: Datumski opseg
564 564 label_less_than_ago: ranije nego (dana)
565 565 label_more_than_ago: starije nego (dana)
566 566 label_ago: prije (dana)
567 567 label_contains: sadrži
568 568 label_not_contains: ne sadrži
569 569 label_day_plural: dani
570 570 label_repository: Repozitorij
571 571 label_repository_plural: Repozitoriji
572 572 label_browse: Listaj
573 573 label_modification: "{{count}} promjena"
574 574 label_modification_plural: "{{count}} promjene"
575 575 label_revision: Revizija
576 576 label_revision_plural: Revizije
577 577 label_associated_revisions: Doddjeljene revizije
578 578 label_added: dodano
579 579 label_modified: izmjenjeno
580 580 label_copied: kopirano
581 581 label_renamed: preimenovano
582 582 label_deleted: izbrisano
583 583 label_latest_revision: Posljednja revizija
584 584 label_latest_revision_plural: Posljednje revizije
585 585 label_view_revisions: Vidi revizije
586 586 label_max_size: Maksimalna veličina
587 587 label_sort_highest: Pomjeri na vrh
588 588 label_sort_higher: Pomjeri gore
589 589 label_sort_lower: Pomjeri dole
590 590 label_sort_lowest: Pomjeri na dno
591 591 label_roadmap: Plan realizacije
592 592 label_roadmap_due_in: "Obavezan do {{value}}"
593 593 label_roadmap_overdue: "{{value}} kasni"
594 594 label_roadmap_no_issues: Nema aktivnosti za ovu verziju
595 595 label_search: Traži
596 596 label_result_plural: Rezultati
597 597 label_all_words: Sve riječi
598 598 label_wiki: Wiki stranice
599 599 label_wiki_edit: ispravka wiki-ja
600 600 label_wiki_edit_plural: ispravke wiki-ja
601 601 label_wiki_page: Wiki stranica
602 602 label_wiki_page_plural: Wiki stranice
603 603 label_index_by_title: Indeks prema naslovima
604 604 label_index_by_date: Indeks po datumima
605 605 label_current_version: Tekuća verzija
606 606 label_preview: Pregled
607 607 label_feed_plural: Feeds
608 608 label_changes_details: Detalji svih promjena
609 609 label_issue_tracking: Evidencija aktivnosti
610 610 label_spent_time: Utrošak vremena
611 611 label_f_hour: "{{value}} sahat"
612 612 label_f_hour_plural: "{{value}} sahata"
613 613 label_time_tracking: Evidencija vremena
614 614 label_change_plural: Promjene
615 615 label_statistics: Statistika
616 616 label_commits_per_month: '"Commit"-a po mjesecu'
617 617 label_commits_per_author: '"Commit"-a po autoru'
618 618 label_view_diff: Pregled razlika
619 619 label_diff_inline: zajedno
620 620 label_diff_side_by_side: jedna pored druge
621 621 label_options: Opcije
622 622 label_copy_workflow_from: Kopiraj tok promjena statusa iz
623 623 label_permissions_report: Izvještaj
624 624 label_watched_issues: Aktivnosti koje pratim
625 625 label_related_issues: Korelirane aktivnosti
626 626 label_applied_status: Status je primjenjen
627 627 label_loading: Učitavam...
628 628 label_relation_new: Nova relacija
629 629 label_relation_delete: Izbriši relaciju
630 630 label_relates_to: korelira sa
631 631 label_duplicates: duplikat
632 632 label_duplicated_by: duplicirano od
633 633 label_blocks: blokira
634 634 label_blocked_by: blokirano on
635 635 label_precedes: predhodi
636 636 label_follows: slijedi
637 637 label_end_to_start: 'kraj -> početak'
638 638 label_end_to_end: 'kraja -> kraj'
639 639 label_start_to_start: 'početak -> početak'
640 640 label_start_to_end: 'početak -> kraj'
641 641 label_stay_logged_in: Ostani prijavljen
642 642 label_disabled: onemogućen
643 643 label_show_completed_versions: Prikaži završene verzije
644 644 label_me: ja
645 645 label_board: Forum
646 646 label_board_new: Novi forum
647 647 label_board_plural: Forumi
648 648 label_topic_plural: Teme
649 649 label_message_plural: Poruke
650 650 label_message_last: Posljednja poruka
651 651 label_message_new: Nova poruka
652 652 label_message_posted: Poruka je dodana
653 653 label_reply_plural: Odgovori
654 654 label_send_information: Pošalji informaciju o korisničkom računu
655 655 label_year: Godina
656 656 label_month: Mjesec
657 657 label_week: Hefta
658 658 label_date_from: Od
659 659 label_date_to: Do
660 660 label_language_based: Bazirano na korisnikovom jeziku
661 661 label_sort_by: "Sortiraj po {{value}}"
662 662 label_send_test_email: Pošalji testni email
663 663 label_feeds_access_key_created_on: "RSS pristupni ključ kreiran prije {{value}} dana"
664 664 label_module_plural: Moduli
665 665 label_added_time_by: "Dodano od {{author}} prije {{age}}"
666 666 label_updated_time_by: "Izmjenjeno od {{author}} prije {{age}}"
667 667 label_updated_time: "Izmjenjeno prije {{value}}"
668 668 label_jump_to_a_project: Skoči na projekat...
669 669 label_file_plural: Fajlovi
670 670 label_changeset_plural: Setovi promjena
671 671 label_default_columns: Podrazumjevane kolone
672 672 label_no_change_option: (Bez promjene)
673 673 label_bulk_edit_selected_issues: Ispravi odjednom odabrane aktivnosti
674 674 label_theme: Tema
675 675 label_default: Podrazumjevano
676 676 label_search_titles_only: Pretraži samo naslove
677 677 label_user_mail_option_all: "Za bilo koji događaj na svim mojim projektima"
678 678 label_user_mail_option_selected: "Za bilo koji događaj na odabranim projektima..."
679 679 label_user_mail_no_self_notified: "Ne želim notifikaciju za promjene koje sam ja napravio"
680 680 label_registration_activation_by_email: aktivacija korisničkog računa email-om
681 681 label_registration_manual_activation: ručna aktivacija korisničkog računa
682 682 label_registration_automatic_activation: automatska kreacija korisničkog računa
683 683 label_display_per_page: "Po stranici: {{value}}"
684 684 label_age: Starost
685 685 label_change_properties: Promjena osobina
686 686 label_general: Generalno
687 687 label_more: Više
688 688 label_scm: SCM
689 689 label_plugins: Plugin-ovi
690 690 label_ldap_authentication: LDAP authentifikacija
691 691 label_downloads_abbr: D/L
692 692 label_optional_description: Opis (opciono)
693 693 label_add_another_file: Dodaj još jedan fajl
694 694 label_preferences: Postavke
695 695 label_chronological_order: Hronološki poredak
696 696 label_reverse_chronological_order: Reverzni hronološki poredak
697 697 label_planning: Planiranje
698 698 label_incoming_emails: Dolazni email-ovi
699 699 label_generate_key: Generiši ključ
700 700 label_issue_watchers: Praćeno od
701 701 label_example: Primjer
702 702 label_display: Prikaz
703 703
704 704 button_apply: Primjeni
705 705 button_add: Dodaj
706 706 button_archive: Arhiviranje
707 707 button_back: Nazad
708 708 button_cancel: Odustani
709 709 button_change: Izmjeni
710 710 button_change_password: Izmjena lozinke
711 711 button_check_all: Označi sve
712 712 button_clear: Briši
713 713 button_copy: Kopiraj
714 714 button_create: Novi
715 715 button_delete: Briši
716 716 button_download: Download
717 717 button_edit: Ispravka
718 718 button_list: Lista
719 719 button_lock: Zaključaj
720 720 button_log_time: Utrošak vremena
721 721 button_login: Prijava
722 722 button_move: Pomjeri
723 723 button_rename: Promjena imena
724 724 button_reply: Odgovor
725 725 button_reset: Resetuj
726 726 button_rollback: Vrati predhodno stanje
727 727 button_save: Snimi
728 728 button_sort: Sortiranje
729 729 button_submit: Pošalji
730 730 button_test: Testiraj
731 731 button_unarchive: Otpakuj arhivu
732 732 button_uncheck_all: Isključi sve
733 733 button_unlock: Otključaj
734 734 button_unwatch: Prekini notifikaciju
735 735 button_update: Promjena na aktivnosti
736 736 button_view: Pregled
737 737 button_watch: Notifikacija
738 738 button_configure: Konfiguracija
739 739 button_quote: Citat
740 740
741 741 status_active: aktivan
742 742 status_registered: registrovan
743 743 status_locked: zaključan
744 744
745 745 text_select_mail_notifications: Odaberi događaje za koje će se slati email notifikacija.
746 746 text_regexp_info: npr. ^[A-Z0-9]+$
747 747 text_min_max_length_info: 0 znači bez restrikcije
748 748 text_project_destroy_confirmation: Sigurno želite izbrisati ovaj projekat i njegove podatke ?
749 749 text_subprojects_destroy_warning: "Podprojekt(i): {{value}} će takođe biti izbrisani."
750 750 text_workflow_edit: Odaberite ulogu i područje aktivnosti za ispravku toka promjena na aktivnosti
751 751 text_are_you_sure: Da li ste sigurni ?
752 752 text_tip_issue_begin_day: zadatak počinje danas
753 753 text_tip_issue_end_day: zadatak završava danas
754 754 text_tip_issue_begin_end_day: zadatak započinje i završava danas
755 755 text_project_identifier_info: 'Samo mala slova (a-z), brojevi i crtice su dozvoljeni.<br />Nakon snimanja, identifikator se ne može mijenjati.'
756 756 text_caracters_maximum: "maksimum {{count}} karaktera."
757 757 text_caracters_minimum: "Dužina mora biti najmanje {{count}} znakova."
758 758 text_length_between: "Broj znakova između {{min}} i {{max}}."
759 759 text_tracker_no_workflow: Tok statusa nije definisan za ovo područje aktivnosti
760 760 text_unallowed_characters: Nedozvoljeni znakovi
761 761 text_comma_separated: Višestruke vrijednosti dozvoljene (odvojiti zarezom).
762 762 text_issues_ref_in_commit_messages: 'Referenciranje i zatvaranje aktivnosti putem "commit" poruka'
763 763 text_issue_added: "Aktivnost {{id}} je prijavljena od {{author}}."
764 764 text_issue_updated: "Aktivnost {{id}} je izmjenjena od {{author}}."
765 765 text_wiki_destroy_confirmation: Sigurno želite izbrisati ovaj wiki i čitav njegov sadržaj ?
766 766 text_issue_category_destroy_question: "Neke aktivnosti ({{count}}) pripadaju ovoj kategoriji. Sigurno to želite uraditi ?"
767 767 text_issue_category_destroy_assignments: Ukloni kategoriju
768 768 text_issue_category_reassign_to: Ponovo dodijeli ovu kategoriju
769 769 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)."
770 770 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."
771 771 text_load_default_configuration: Učitaj tekuću konfiguraciju
772 772 text_status_changed_by_changeset: "Primjenjeno u setu promjena {{value}}."
773 773 text_issues_destroy_confirmation: 'Sigurno želite izbrisati odabranu/e aktivnost/i ?'
774 774 text_select_project_modules: 'Odaberi module koje želite u ovom projektu:'
775 775 text_default_administrator_account_changed: Tekući administratorski račun je promjenjen
776 776 text_file_repository_writable: U direktorij sa fajlovima koji su prilozi se može pisati
777 777 text_plugin_assets_writable: U direktorij plugin-ova se može pisati
778 778 text_rmagick_available: RMagick je dostupan (opciono)
779 779 text_destroy_time_entries_question: "{{hours}} sahata je prijavljeno na aktivnostima koje želite brisati. Želite li to učiniti ?"
780 780 text_destroy_time_entries: Izbriši prijavljeno vrijeme
781 781 text_assign_time_entries_to_project: Dodaj prijavljenoo vrijeme projektu
782 782 text_reassign_time_entries: 'Preraspodjeli prijavljeno vrijeme na ovu aktivnost:'
783 783 text_user_wrote: "{{value}} je napisao/la:"
784 784 text_enumeration_destroy_question: "Za {{count}} objekata je dodjeljenja ova vrijednost."
785 785 text_enumeration_category_reassign_to: 'Ponovo im dodjeli ovu vrijednost:'
786 786 text_email_delivery_not_configured: "Email dostava nije konfiguraisana, notifikacija je onemogućena.\nKonfiguriši SMTP server u config/email.yml i restartuj aplikaciju nakon toga."
787 787 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."
788 788 text_diff_truncated: '... Ovaj prikaz razlike je odsječen pošto premašuje maksimalnu veličinu za prikaz'
789 789 text_custom_field_possible_values_info: 'Jedna linija za svaku vrijednost'
790 790
791 791 default_role_manager: Menadžer
792 792 default_role_developer: Programer
793 793 default_role_reporter: Reporter
794 794 default_tracker_bug: Greška
795 795 default_tracker_feature: Nova funkcija
796 796 default_tracker_support: Podrška
797 797 default_issue_status_new: Novi
798 798 default_issue_status_in_progress: In Progress
799 799 default_issue_status_resolved: Riješen
800 800 default_issue_status_feedback: Čeka se povratna informacija
801 801 default_issue_status_closed: Zatvoren
802 802 default_issue_status_rejected: Odbijen
803 803 default_doc_category_user: Korisnička dokumentacija
804 804 default_doc_category_tech: Tehnička dokumentacija
805 805 default_priority_low: Nizak
806 806 default_priority_normal: Normalan
807 807 default_priority_high: Visok
808 808 default_priority_urgent: Urgentno
809 809 default_priority_immediate: Odmah
810 810 default_activity_design: Dizajn
811 811 default_activity_development: Programiranje
812 812
813 813 enumeration_issue_priorities: Prioritet aktivnosti
814 814 enumeration_doc_categories: Kategorije dokumenata
815 815 enumeration_activities: Operacije (utrošak vremena)
816 816 notice_unable_delete_version: Ne mogu izbrisati verziju.
817 817 button_create_and_continue: Kreiraj i nastavi
818 818 button_annotate: Zabilježi
819 819 button_activate: Aktiviraj
820 820 label_sort: Sortiranje
821 821 label_date_from_to: Od {{start}} do {{end}}
822 822 label_ascending: Rastuće
823 823 label_descending: Opadajuće
824 824 label_greater_or_equal: ">="
825 825 label_less_or_equal: <=
826 826 text_wiki_page_destroy_question: This page has {{descendants}} child page(s) and descendant(s). What do you want to do?
827 827 text_wiki_page_reassign_children: Reassign child pages to this parent page
828 828 text_wiki_page_nullify_children: Keep child pages as root pages
829 829 text_wiki_page_destroy_children: Delete child pages and all their descendants
830 830 setting_password_min_length: Minimum password length
831 831 field_group_by: Group results by
832 832 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
833 833 label_wiki_content_added: Wiki page added
834 834 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
835 835 mail_body_wiki_content_added: The '{{page}}' wiki page has been added by {{author}}.
836 836 label_wiki_content_updated: Wiki page updated
837 837 mail_body_wiki_content_updated: The '{{page}}' wiki page has been updated by {{author}}.
838 838 permission_add_project: Create project
839 839 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
840 840 label_view_all_revisions: View all revisions
841 841 label_tag: Tag
842 842 label_branch: Branch
843 843 error_no_tracker_in_project: No tracker is associated to this project. Please check the Project settings.
844 844 error_no_default_issue_status: No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").
845 845 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
846 846 text_journal_set_to: "{{label}} set to {{value}}"
847 847 text_journal_deleted: "{{label}} deleted ({{old}})"
848 848 label_group_plural: Groups
849 849 label_group: Group
850 850 label_group_new: New group
851 851 label_time_entry_plural: Spent time
852 852 text_journal_added: "{{label}} {{value}} added"
853 853 field_active: Active
854 854 enumeration_system_activity: System Activity
855 855 permission_delete_issue_watchers: Delete watchers
856 856 version_status_closed: closed
857 857 version_status_locked: locked
858 858 version_status_open: open
859 859 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
860 860 label_user_anonymous: Anonymous
861 861 button_move_and_follow: Move and follow
862 862 setting_default_projects_modules: Default enabled modules for new projects
863 863 setting_gravatar_default: Default Gravatar image
864 864 field_sharing: Sharing
865 865 label_version_sharing_hierarchy: With project hierarchy
866 866 label_version_sharing_system: With all projects
867 867 label_version_sharing_descendants: With subprojects
868 868 label_version_sharing_tree: With project tree
869 869 label_version_sharing_none: Not shared
870 870 error_can_not_archive_project: This project can not be archived
871 871 button_duplicate: Duplicate
872 872 button_copy_and_follow: Copy and follow
873 873 label_copy_source: Source
874 874 setting_issue_done_ratio: Calculate the issue done ratio with
875 875 setting_issue_done_ratio_issue_status: Use the issue status
876 876 error_issue_done_ratios_not_updated: Issue done ratios not updated.
877 877 error_workflow_copy_target: Please select target tracker(s) and role(s)
878 878 setting_issue_done_ratio_issue_field: Use the issue field
879 879 label_copy_same_as_target: Same as target
880 880 label_copy_target: Target
881 881 notice_issue_done_ratios_updated: Issue done ratios updated.
882 882 error_workflow_copy_source: Please select a source tracker or role
883 883 label_update_issue_done_ratios: Update issue done ratios
884 884 setting_start_of_week: Start calendars on
885 885 permission_view_issues: View Issues
886 886 label_display_used_statuses_only: Only display statuses that are used by this tracker
887 887 label_revision_id: Revision {{value}}
888 888 label_api_access_key: API access key
889 889 label_api_access_key_created_on: API access key created {{value}} ago
890 890 label_feeds_access_key: RSS access key
891 891 notice_api_access_key_reseted: Your API access key was reset.
892 892 setting_rest_api_enabled: Enable REST web service
893 893 label_missing_api_access_key: Missing an API access key
894 894 label_missing_feeds_access_key: Missing a RSS access key
895 895 button_show: Show
896 896 text_line_separated: Multiple values allowed (one line for each value).
897 897 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
898 898 permission_add_subprojects: Create subprojects
899 899 label_subproject_new: New subproject
900 900 text_own_membership_delete_confirmation: |-
901 901 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
902 902 Are you sure you want to continue?
903 903 label_close_versions: Close completed versions
904 904 label_board_sticky: Sticky
905 905 label_board_locked: Locked
906 906 permission_export_wiki_pages: Export wiki pages
907 907 setting_cache_formatted_text: Cache formatted text
908 908 permission_manage_project_activities: Manage project activities
909 909 error_unable_delete_issue_status: Unable to delete issue status
910 910 label_profile: Profile
911 911 permission_manage_subtasks: Manage subtasks
912 912 field_parent_issue: Parent task
913 913 label_subtask_plural: Subtasks
914 914 label_project_copy_notifications: Send email notifications during the project copy
915 915 error_can_not_delete_custom_field: Unable to delete custom field
916 916 error_unable_to_connect: Unable to connect ({{value}})
917 917 error_can_not_remove_role: This role is in use and can not be deleted.
918 918 error_can_not_delete_tracker: This tracker contains issues and can't be deleted.
919 919 field_principal: Principal
920 920 label_my_page_block: My page block
921 921 notice_failed_to_save_members: "Failed to save member(s): {{errors}}."
922 922 text_zoom_out: Zoom out
923 923 text_zoom_in: Zoom in
924 924 notice_unable_delete_time_entry: Unable to delete time log entry.
925 925 label_overall_spent_time: Overall spent time
926 926 field_time_entries: Log time
927 927 project_module_gantt: Gantt
928 928 project_module_calendar: Calendar
929 929 button_edit_associated_wikipage: "Edit associated Wiki page: {{page_title}}"
930 930 text_are_you_sure_with_children: Delete issue and all child issues?
931 931 field_text: Text field
932 932 label_user_mail_option_only_owner: Only for things I am the owner of
933 933 setting_default_notification_option: Default notification option
934 934 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
935 935 label_user_mail_option_only_assigned: Only for things I am assigned to
936 936 label_user_mail_option_none: No events
937 937 field_member_of_group: Assignee's group
938 938 field_assigned_to_role: Assignee's role
939 notice_not_authorized_archived_project: The project you're trying to access has been archived.
@@ -1,927 +1,928
1 1 # Redmine catalan translation:
2 2 # by Joan Duran
3 3
4 4 ca:
5 5 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
6 6 direction: ltr
7 7 date:
8 8 formats:
9 9 # Use the strftime parameters for formats.
10 10 # When no format has been given, it uses default.
11 11 # You can provide other formats here if you like!
12 12 default: "%d-%m-%Y"
13 13 short: "%e de %b"
14 14 long: "%a, %e de %b de %Y"
15 15
16 16 day_names: [Diumenge, Dilluns, Dimarts, Dimecres, Dijous, Divendres, Dissabte]
17 17 abbr_day_names: [dg, dl, dt, dc, dj, dv, ds]
18 18
19 19 # Don't forget the nil at the beginning; there's no such thing as a 0th month
20 20 month_names: [~, Gener, Febrer, Març, Abril, Maig, Juny, Juliol, Agost, Setembre, Octubre, Novembre, Desembre]
21 21 abbr_month_names: [~, Gen, Feb, Mar, Abr, Mai, Jun, Jul, Ago, Set, Oct, Nov, Des]
22 22 # Used in date_select and datime_select.
23 23 order: [ :year, :month, :day ]
24 24
25 25 time:
26 26 formats:
27 27 default: "%d-%m-%Y %H:%M"
28 28 time: "%H:%M"
29 29 short: "%e de %b, %H:%M"
30 30 long: "%a, %e de %b de %Y, %H:%M"
31 31 am: "am"
32 32 pm: "pm"
33 33
34 34 datetime:
35 35 distance_in_words:
36 36 half_a_minute: "mig minut"
37 37 less_than_x_seconds:
38 38 one: "menys d'un segon"
39 39 other: "menys de {{count}} segons"
40 40 x_seconds:
41 41 one: "1 segons"
42 42 other: "{{count}} segons"
43 43 less_than_x_minutes:
44 44 one: "menys d'un minut"
45 45 other: "menys de {{count}} minuts"
46 46 x_minutes:
47 47 one: "1 minut"
48 48 other: "{{count}} minuts"
49 49 about_x_hours:
50 50 one: "aproximadament 1 hora"
51 51 other: "aproximadament {{count}} hores"
52 52 x_days:
53 53 one: "1 dia"
54 54 other: "{{count}} dies"
55 55 about_x_months:
56 56 one: "aproximadament 1 mes"
57 57 other: "aproximadament {{count}} mesos"
58 58 x_months:
59 59 one: "1 mes"
60 60 other: "{{count}} mesos"
61 61 about_x_years:
62 62 one: "aproximadament 1 any"
63 63 other: "aproximadament {{count}} anys"
64 64 over_x_years:
65 65 one: "més d'un any"
66 66 other: "més de {{count}} anys"
67 67 almost_x_years:
68 68 one: "almost 1 year"
69 69 other: "almost {{count}} years"
70 70
71 71 number:
72 72 # Default format for numbers
73 73 format:
74 74 separator: "."
75 75 delimiter: ""
76 76 precision: 3
77 77 human:
78 78 format:
79 79 delimiter: ""
80 80 precision: 1
81 81 storage_units:
82 82 format: "%n %u"
83 83 units:
84 84 byte:
85 85 one: "Byte"
86 86 other: "Bytes"
87 87 kb: "KB"
88 88 mb: "MB"
89 89 gb: "GB"
90 90 tb: "TB"
91 91
92 92
93 93 # Used in array.to_sentence.
94 94 support:
95 95 array:
96 96 sentence_connector: "i"
97 97 skip_last_comma: false
98 98
99 99 activerecord:
100 100 errors:
101 101 messages:
102 102 inclusion: "no està inclòs a la llista"
103 103 exclusion: "està reservat"
104 104 invalid: "no és vàlid"
105 105 confirmation: "la confirmació no coincideix"
106 106 accepted: "s'ha d'acceptar"
107 107 empty: "no pot estar buit"
108 108 blank: "no pot estar en blanc"
109 109 too_long: "és massa llarg"
110 110 too_short: "és massa curt"
111 111 wrong_length: "la longitud és incorrecta"
112 112 taken: "ja s'està utilitzant"
113 113 not_a_number: "no és un número"
114 114 not_a_date: "no és una data vàlida"
115 115 greater_than: "ha de ser més gran que {{count}}"
116 116 greater_than_or_equal_to: "ha de ser més gran o igual a {{count}}"
117 117 equal_to: "ha de ser igual a {{count}}"
118 118 less_than: "ha de ser menys que {{count}}"
119 119 less_than_or_equal_to: "ha de ser menys o igual a {{count}}"
120 120 odd: "ha de ser senar"
121 121 even: "ha de ser parell"
122 122 greater_than_start_date: "ha de ser superior que la data inicial"
123 123 not_same_project: "no pertany al mateix projecte"
124 124 circular_dependency: "Aquesta relació crearia una dependència circular"
125 125 cant_link_an_issue_with_a_descendant: "Un assumpte no es pot enllaçar a una de les seves subtasques"
126 126
127 127 actionview_instancetag_blank_option: Seleccioneu
128 128
129 129 general_text_No: 'No'
130 130 general_text_Yes: 'Si'
131 131 general_text_no: 'no'
132 132 general_text_yes: 'si'
133 133 general_lang_name: 'Català'
134 134 general_csv_separator: ';'
135 135 general_csv_decimal_separator: ','
136 136 general_csv_encoding: ISO-8859-15
137 137 general_pdf_encoding: ISO-8859-15
138 138 general_first_day_of_week: '1'
139 139
140 140 notice_account_updated: "El compte s'ha actualitzat correctament."
141 141 notice_account_invalid_creditentials: Usuari o contrasenya invàlid
142 142 notice_account_password_updated: "La contrasenya s'ha modificat correctament."
143 143 notice_account_wrong_password: Contrasenya incorrecta
144 144 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."
145 145 notice_account_unknown_email: Usuari desconegut.
146 146 notice_can_t_change_password: "Aquest compte utilitza una font d'autenticació externa. No és possible canviar la contrasenya."
147 147 notice_account_lost_email_sent: "S'ha enviat un correu electrònic amb instruccions per a seleccionar una contrasenya nova."
148 148 notice_account_activated: "El compte s'ha activat. Ara podeu entrar."
149 149 notice_successful_create: "S'ha creat correctament."
150 150 notice_successful_update: "S'ha modificat correctament."
151 151 notice_successful_delete: "S'ha suprimit correctament."
152 152 notice_successful_connection: "S'ha connectat correctament."
153 153 notice_file_not_found: "La pàgina a la que intenteu accedir no existeix o s'ha suprimit."
154 154 notice_locking_conflict: Un altre usuari ha actualitzat les dades.
155 155 notice_not_authorized: No teniu permís per a accedir a aquesta pàgina.
156 156 notice_email_sent: "S'ha enviat un correu electrònic a {{value}}"
157 157 notice_email_error: "S'ha produït un error en enviar el correu ({{value}})"
158 158 notice_feeds_access_key_reseted: "S'ha reiniciat la clau d'accés del RSS."
159 159 notice_api_access_key_reseted: "S'ha reiniciat la clau d'accés a l'API."
160 160 notice_failed_to_save_issues: "No s'han pogut desar %s assumptes de {{count}} seleccionats: {{ids}}."
161 161 notice_failed_to_save_members: "No s'han pogut desar els membres: {{errors}}."
162 162 notice_no_issue_selected: "No s'ha seleccionat cap assumpte. Activeu els assumptes que voleu editar."
163 163 notice_account_pending: "S'ha creat el compte i ara està pendent de l'aprovació de l'administrador."
164 164 notice_default_data_loaded: "S'ha carregat correctament la configuració predeterminada."
165 165 notice_unable_delete_version: "No s'ha pogut suprimir la versió."
166 166 notice_unable_delete_time_entry: "No s'ha pogut suprimir l'entrada del registre de temps."
167 167 notice_issue_done_ratios_updated: "S'ha actualitzat el tant per cent dels assumptes."
168 168
169 169 error_can_t_load_default_data: "No s'ha pogut carregar la configuració predeterminada: {{value}} "
170 170 error_scm_not_found: "No s'ha trobat l'entrada o la revisió en el dipòsit."
171 171 error_scm_command_failed: "S'ha produït un error en intentar accedir al dipòsit: {{value}}"
172 172 error_scm_annotate: "L'entrada no existeix o no s'ha pogut anotar."
173 173 error_issue_not_found_in_project: "No s'ha trobat l'assumpte o no pertany a aquest projecte"
174 174 error_no_tracker_in_project: "Aquest projecte no seguidor associat. Comproveu els paràmetres del projecte."
175 175 error_no_default_issue_status: "No s'ha definit cap estat d'assumpte predeterminat. Comproveu la configuració (aneu a «Administració -> Estats de l'assumpte»)."
176 176 error_can_not_delete_custom_field: "No s'ha pogut suprimir el camp personalitat"
177 177 error_can_not_delete_tracker: "Aquest seguidor conté assumptes i no es pot suprimir."
178 178 error_can_not_remove_role: "Aquest rol s'està utilitzant i no es pot suprimir."
179 179 error_can_not_reopen_issue_on_closed_version: "Un assumpte assignat a una versió tancada no es pot tornar a obrir"
180 180 error_can_not_archive_project: "Aquest projecte no es pot arxivar"
181 181 error_issue_done_ratios_not_updated: "No s'ha actualitza el tant per cent dels assumptes."
182 182 error_workflow_copy_source: "Seleccioneu un seguidor o rol font"
183 183 error_workflow_copy_target: "Seleccioneu seguidors i rols objectiu"
184 184 error_unable_delete_issue_status: "No s'ha pogut suprimir l'estat de l'assumpte"
185 185 error_unable_to_connect: "No s'ha pogut connectar ({{value}})"
186 186 warning_attachments_not_saved: "No s'han pogut desar {{count}} fitxers."
187 187
188 188 mail_subject_lost_password: "Contrasenya de {{value}}"
189 189 mail_body_lost_password: "Per a canviar la contrasenya, feu clic en l'enllaç següent:"
190 190 mail_subject_register: "Activació del compte de {{value}}"
191 191 mail_body_register: "Per a activar el compte, feu clic en l'enllaç següent:"
192 192 mail_body_account_information_external: "Podeu utilitzar el compte «{{value}}» per a entrar."
193 193 mail_body_account_information: Informació del compte
194 194 mail_subject_account_activation_request: "Sol·licitud d'activació del compte de {{value}}"
195 195 mail_body_account_activation_request: "S'ha registrat un usuari nou ({{value}}). El seu compte està pendent d'aprovació:"
196 196 mail_subject_reminder: "{{count}} assumptes venceran els següents {{days}} dies"
197 197 mail_body_reminder: "{{count}} assumptes que teniu assignades venceran els següents {{days}} dies:"
198 198 mail_subject_wiki_content_added: "S'ha afegit la pàgina wiki «{{page}}»"
199 199 mail_body_wiki_content_added: "En {{author}} ha afegit la pàgina wiki «{{page}}»."
200 200 mail_subject_wiki_content_updated: "S'ha actualitzat la pàgina wiki «{{page}}»"
201 201 mail_body_wiki_content_updated: "En {{author}} ha actualitzat la pàgina wiki «{{page}}»."
202 202
203 203 gui_validation_error: 1 error
204 204 gui_validation_error_plural: "{{count}} errors"
205 205
206 206 field_name: Nom
207 207 field_description: Descripció
208 208 field_summary: Resum
209 209 field_is_required: Necessari
210 210 field_firstname: Nom
211 211 field_lastname: Cognom
212 212 field_mail: Correu electrònic
213 213 field_filename: Fitxer
214 214 field_filesize: Mida
215 215 field_downloads: Baixades
216 216 field_author: Autor
217 217 field_created_on: Creat
218 218 field_updated_on: Actualitzat
219 219 field_field_format: Format
220 220 field_is_for_all: Per a tots els projectes
221 221 field_possible_values: Valores possibles
222 222 field_regexp: Expressió regular
223 223 field_min_length: Longitud mínima
224 224 field_max_length: Longitud màxima
225 225 field_value: Valor
226 226 field_category: Categoria
227 227 field_title: Títol
228 228 field_project: Projecte
229 229 field_issue: Assumpte
230 230 field_status: Estat
231 231 field_notes: Notes
232 232 field_is_closed: Assumpte tancat
233 233 field_is_default: Estat predeterminat
234 234 field_tracker: Seguidor
235 235 field_subject: Tema
236 236 field_due_date: Data de venciment
237 237 field_assigned_to: Assignat a
238 238 field_priority: Prioritat
239 239 field_fixed_version: Versió objectiu
240 240 field_user: Usuari
241 241 field_principal: Principal
242 242 field_role: Rol
243 243 field_homepage: Pàgina web
244 244 field_is_public: Públic
245 245 field_parent: Subprojecte de
246 246 field_is_in_roadmap: Assumptes mostrats en la planificació
247 247 field_login: Entrada
248 248 field_mail_notification: Notificacions per correu electrònic
249 249 field_admin: Administrador
250 250 field_last_login_on: Última connexió
251 251 field_language: Idioma
252 252 field_effective_date: Data
253 253 field_password: Contrasenya
254 254 field_new_password: Contrasenya nova
255 255 field_password_confirmation: Confirmació
256 256 field_version: Versió
257 257 field_type: Tipus
258 258 field_host: Ordinador
259 259 field_port: Port
260 260 field_account: Compte
261 261 field_base_dn: Base DN
262 262 field_attr_login: "Atribut d'entrada"
263 263 field_attr_firstname: Atribut del nom
264 264 field_attr_lastname: Atribut del cognom
265 265 field_attr_mail: Atribut del correu electrònic
266 266 field_onthefly: "Creació de l'usuari «al vol»"
267 267 field_start_date: Inici
268 268 field_done_ratio: % realitzat
269 269 field_auth_source: "Mode d'autenticació"
270 270 field_hide_mail: "Oculta l'adreça de correu electrònic"
271 271 field_comments: Comentari
272 272 field_url: URL
273 273 field_start_page: Pàgina inicial
274 274 field_subproject: Subprojecte
275 275 field_hours: Hores
276 276 field_activity: Activitat
277 277 field_spent_on: Data
278 278 field_identifier: Identificador
279 279 field_is_filter: "S'ha utilitzat com a filtre"
280 280 field_issue_to: Assumpte relacionat
281 281 field_delay: Retard
282 282 field_assignable: Es poden assignar assumptes a aquest rol
283 283 field_redirect_existing_links: Redirigeix els enllaços existents
284 284 field_estimated_hours: Temps previst
285 285 field_column_names: Columnes
286 286 field_time_entries: "Registre de temps"
287 287 field_time_zone: Zona horària
288 288 field_searchable: Es pot cercar
289 289 field_default_value: Valor predeterminat
290 290 field_comments_sorting: Mostra els comentaris
291 291 field_parent_title: Pàgina pare
292 292 field_editable: Es pot editar
293 293 field_watcher: Vigilància
294 294 field_identity_url: URL OpenID
295 295 field_content: Contingut
296 296 field_group_by: "Agrupa els resultats per"
297 297 field_sharing: Compartició
298 298 field_parent_issue: "Tasca pare"
299 299
300 300 setting_app_title: "Títol de l'aplicació"
301 301 setting_app_subtitle: "Subtítol de l'aplicació"
302 302 setting_welcome_text: Text de benvinguda
303 303 setting_default_language: Idioma predeterminat
304 304 setting_login_required: Es necessita autenticació
305 305 setting_self_registration: Registre automàtic
306 306 setting_attachment_max_size: Mida màxima dels adjunts
307 307 setting_issues_export_limit: "Límit d'exportació d'assumptes"
308 308 setting_mail_from: "Adreça de correu electrònic d'emissió"
309 309 setting_bcc_recipients: Vincula els destinataris de les còpies amb carbó (bcc)
310 310 setting_plain_text_mail: només text pla (no HTML)
311 311 setting_host_name: "Nom de l'ordinador"
312 312 setting_text_formatting: Format del text
313 313 setting_wiki_compression: "Comprimeix l'historial del wiki"
314 314 setting_feeds_limit: Límit de contingut del canal
315 315 setting_default_projects_public: Els projectes nous són públics per defecte
316 316 setting_autofetch_changesets: Omple automàticament les publicacions
317 317 setting_sys_api_enabled: Habilita el WS per a la gestió del dipòsit
318 318 setting_commit_ref_keywords: Paraules claus per a la referència
319 319 setting_commit_fix_keywords: Paraules claus per a la correcció
320 320 setting_autologin: Entrada automàtica
321 321 setting_date_format: Format de la data
322 322 setting_time_format: Format de hora
323 323 setting_cross_project_issue_relations: "Permet les relacions d'assumptes entre projectes"
324 324 setting_issue_list_default_columns: "Columnes mostrades per defecte en la llista d'assumptes"
325 325 setting_repositories_encodings: Codificacions del dipòsit
326 326 setting_commit_logs_encoding: Codificació dels missatges publicats
327 327 setting_emails_footer: Peu dels correus electrònics
328 328 setting_protocol: Protocol
329 329 setting_per_page_options: Opcions dels objectes per pàgina
330 330 setting_user_format: "Format de com mostrar l'usuari"
331 331 setting_activity_days_default: "Dies a mostrar l'activitat del projecte"
332 332 setting_display_subprojects_issues: "Mostra els assumptes d'un subprojecte en el projecte pare per defecte"
333 333 setting_enabled_scm: "Habilita l'SCM"
334 334 setting_mail_handler_body_delimiters: "Trunca els correus electrònics després d'una d'aquestes línies"
335 335 setting_mail_handler_api_enabled: "Habilita el WS per correus electrònics d'entrada"
336 336 setting_mail_handler_api_key: Clau API
337 337 setting_sequential_project_identifiers: Genera identificadors de projecte seqüencials
338 338 setting_gravatar_enabled: "Utilitza les icones d'usuari Gravatar"
339 339 setting_gravatar_default: "Imatge Gravatar predeterminada"
340 340 setting_diff_max_lines_displayed: Número màxim de línies amb diferències mostrades
341 341 setting_file_max_size_displayed: Mida màxima dels fitxers de text mostrats en línia
342 342 setting_repository_log_display_limit: Número màxim de revisions que es mostren al registre de fitxers
343 343 setting_openid: "Permet entrar i registrar-se amb l'OpenID"
344 344 setting_password_min_length: "Longitud mínima de la contrasenya"
345 345 setting_new_project_user_role_id: "Aquest rol es dóna a un usuari no administrador per a crear projectes"
346 346 setting_default_projects_modules: "Mòduls activats per defecte en els projectes nous"
347 347 setting_issue_done_ratio: "Calcula tant per cent realitzat de l'assumpte amb"
348 348 setting_issue_done_ratio_issue_status: "Utilitza l'estat de l'assumpte"
349 349 setting_issue_done_ratio_issue_field: "Utilitza el camp de l'assumpte"
350 350 setting_start_of_week: "Inicia les setmanes en"
351 351 setting_rest_api_enabled: "Habilita el servei web REST"
352 352 setting_cache_formatted_text: Cache formatted text
353 353
354 354 permission_add_project: "Crea projectes"
355 355 permission_add_subprojects: "Crea subprojectes"
356 356 permission_edit_project: Edita el projecte
357 357 permission_select_project_modules: Selecciona els mòduls del projecte
358 358 permission_manage_members: Gestiona els membres
359 359 permission_manage_project_activities: "Gestiona les activitats del projecte"
360 360 permission_manage_versions: Gestiona les versions
361 361 permission_manage_categories: Gestiona les categories dels assumptes
362 362 permission_view_issues: "Visualitza els assumptes"
363 363 permission_add_issues: Afegeix assumptes
364 364 permission_edit_issues: Edita els assumptes
365 365 permission_manage_issue_relations: Gestiona les relacions dels assumptes
366 366 permission_add_issue_notes: Afegeix notes
367 367 permission_edit_issue_notes: Edita les notes
368 368 permission_edit_own_issue_notes: Edita les notes pròpies
369 369 permission_move_issues: Mou els assumptes
370 370 permission_delete_issues: Suprimeix els assumptes
371 371 permission_manage_public_queries: Gestiona les consultes públiques
372 372 permission_save_queries: Desa les consultes
373 373 permission_view_gantt: Visualitza la gràfica de Gantt
374 374 permission_view_calendar: Visualitza el calendari
375 375 permission_view_issue_watchers: Visualitza la llista de vigilàncies
376 376 permission_add_issue_watchers: Afegeix vigilàncies
377 377 permission_delete_issue_watchers: Suprimeix els vigilants
378 378 permission_log_time: Registra el temps invertit
379 379 permission_view_time_entries: Visualitza el temps invertit
380 380 permission_edit_time_entries: Edita els registres de temps
381 381 permission_edit_own_time_entries: Edita els registres de temps propis
382 382 permission_manage_news: Gestiona les noticies
383 383 permission_comment_news: Comenta les noticies
384 384 permission_manage_documents: Gestiona els documents
385 385 permission_view_documents: Visualitza els documents
386 386 permission_manage_files: Gestiona els fitxers
387 387 permission_view_files: Visualitza els fitxers
388 388 permission_manage_wiki: Gestiona el wiki
389 389 permission_rename_wiki_pages: Canvia el nom de les pàgines wiki
390 390 permission_delete_wiki_pages: Suprimeix les pàgines wiki
391 391 permission_view_wiki_pages: Visualitza el wiki
392 392 permission_view_wiki_edits: "Visualitza l'historial del wiki"
393 393 permission_edit_wiki_pages: Edita les pàgines wiki
394 394 permission_delete_wiki_pages_attachments: Suprimeix adjunts
395 395 permission_protect_wiki_pages: Protegeix les pàgines wiki
396 396 permission_manage_repository: Gestiona el dipòsit
397 397 permission_browse_repository: Navega pel dipòsit
398 398 permission_view_changesets: Visualitza els canvis realitzats
399 399 permission_commit_access: Accés a les publicacions
400 400 permission_manage_boards: Gestiona els taulers
401 401 permission_view_messages: Visualitza els missatges
402 402 permission_add_messages: Envia missatges
403 403 permission_edit_messages: Edita els missatges
404 404 permission_edit_own_messages: Edita els missatges propis
405 405 permission_delete_messages: Suprimeix els missatges
406 406 permission_delete_own_messages: Suprimeix els missatges propis
407 407 permission_export_wiki_pages: "Exporta les pàgines wiki"
408 408 permission_manage_subtasks: "Gestiona subtasques"
409 409
410 410 project_module_issue_tracking: "Seguidor d'assumptes"
411 411 project_module_time_tracking: Seguidor de temps
412 412 project_module_news: Noticies
413 413 project_module_documents: Documents
414 414 project_module_files: Fitxers
415 415 project_module_wiki: Wiki
416 416 project_module_repository: Dipòsit
417 417 project_module_boards: Taulers
418 418 project_module_calendar: Calendari
419 419 project_module_gantt: Gantt
420 420
421 421 label_user: Usuari
422 422 label_user_plural: Usuaris
423 423 label_user_new: Usuari nou
424 424 label_user_anonymous: Anònim
425 425 label_project: Projecte
426 426 label_project_new: Projecte nou
427 427 label_project_plural: Projectes
428 428 label_x_projects:
429 429 zero: cap projecte
430 430 one: 1 projecte
431 431 other: "{{count}} projectes"
432 432 label_project_all: Tots els projectes
433 433 label_project_latest: Els últims projectes
434 434 label_issue: Assumpte
435 435 label_issue_new: Assumpte nou
436 436 label_issue_plural: Assumptes
437 437 label_issue_view_all: Visualitza tots els assumptes
438 438 label_issues_by: "Assumptes per {{value}}"
439 439 label_issue_added: Assumpte afegit
440 440 label_issue_updated: Assumpte actualitzat
441 441 label_document: Document
442 442 label_document_new: Document nou
443 443 label_document_plural: Documents
444 444 label_document_added: Document afegit
445 445 label_role: Rol
446 446 label_role_plural: Rols
447 447 label_role_new: Rol nou
448 448 label_role_and_permissions: Rols i permisos
449 449 label_member: Membre
450 450 label_member_new: Membre nou
451 451 label_member_plural: Membres
452 452 label_tracker: Seguidor
453 453 label_tracker_plural: Seguidors
454 454 label_tracker_new: Seguidor nou
455 455 label_workflow: Flux de treball
456 456 label_issue_status: "Estat de l'assumpte"
457 457 label_issue_status_plural: "Estats de l'assumpte"
458 458 label_issue_status_new: Estat nou
459 459 label_issue_category: "Categoria de l'assumpte"
460 460 label_issue_category_plural: "Categories de l'assumpte"
461 461 label_issue_category_new: Categoria nova
462 462 label_custom_field: Camp personalitzat
463 463 label_custom_field_plural: Camps personalitzats
464 464 label_custom_field_new: Camp personalitzat nou
465 465 label_enumerations: Enumeracions
466 466 label_enumeration_new: Valor nou
467 467 label_information: Informació
468 468 label_information_plural: Informació
469 469 label_please_login: Entreu
470 470 label_register: Registre
471 471 label_login_with_open_id_option: "o entra amb l'OpenID"
472 472 label_password_lost: Contrasenya perduda
473 473 label_home: Inici
474 474 label_my_page: La meva pàgina
475 475 label_my_account: El meu compte
476 476 label_my_projects: Els meus projectes
477 477 label_my_page_block: "Els meus blocs de pàgina"
478 478 label_administration: Administració
479 479 label_login: Entra
480 480 label_logout: Surt
481 481 label_help: Ajuda
482 482 label_reported_issues: Assumptes informats
483 483 label_assigned_to_me_issues: Assumptes assignats a mi
484 484 label_last_login: Última connexió
485 485 label_registered_on: Informat el
486 486 label_activity: Activitat
487 487 label_overall_activity: Activitat global
488 488 label_user_activity: "Activitat de {{value}}"
489 489 label_new: Nou
490 490 label_logged_as: Heu entrat com a
491 491 label_environment: Entorn
492 492 label_authentication: Autenticació
493 493 label_auth_source: "Mode d'autenticació"
494 494 label_auth_source_new: "Mode d'autenticació nou"
495 495 label_auth_source_plural: "Modes d'autenticació"
496 496 label_subproject_plural: Subprojectes
497 497 label_subproject_new: "Subprojecte nou"
498 498 label_and_its_subprojects: "{{value}} i els seus subprojectes"
499 499 label_min_max_length: Longitud mín - max
500 500 label_list: Llist
501 501 label_date: Data
502 502 label_integer: Enter
503 503 label_float: Flotant
504 504 label_boolean: Booleà
505 505 label_string: Text
506 506 label_text: Text llarg
507 507 label_attribute: Atribut
508 508 label_attribute_plural: Atributs
509 509 label_download: "{{count}} baixada"
510 510 label_download_plural: "{{count}} baixades"
511 511 label_no_data: Sense dades a mostrar
512 512 label_change_status: "Canvia l'estat"
513 513 label_history: Historial
514 514 label_attachment: Fitxer
515 515 label_attachment_new: Fitxer nou
516 516 label_attachment_delete: Suprimeix el fitxer
517 517 label_attachment_plural: Fitxers
518 518 label_file_added: Fitxer afegit
519 519 label_report: Informe
520 520 label_report_plural: Informes
521 521 label_news: Noticies
522 522 label_news_new: Afegeix noticies
523 523 label_news_plural: Noticies
524 524 label_news_latest: Últimes noticies
525 525 label_news_view_all: Visualitza totes les noticies
526 526 label_news_added: Noticies afegides
527 527 label_settings: Paràmetres
528 528 label_overview: Resum
529 529 label_version: Versió
530 530 label_version_new: Versió nova
531 531 label_version_plural: Versions
532 532 label_close_versions: "Tanca les versions completades"
533 533 label_confirmation: Confirmació
534 534 label_export_to: "També disponible a:"
535 535 label_read: Llegeix...
536 536 label_public_projects: Projectes públics
537 537 label_open_issues: obert
538 538 label_open_issues_plural: oberts
539 539 label_closed_issues: tancat
540 540 label_closed_issues_plural: tancats
541 541 label_x_open_issues_abbr_on_total:
542 542 zero: 0 oberts / {{total}}
543 543 one: 1 obert / {{total}}
544 544 other: "{{count}} oberts / {{total}}"
545 545 label_x_open_issues_abbr:
546 546 zero: 0 oberts
547 547 one: 1 obert
548 548 other: "{{count}} oberts"
549 549 label_x_closed_issues_abbr:
550 550 zero: 0 tancats
551 551 one: 1 tancat
552 552 other: "{{count}} tancats"
553 553 label_total: Total
554 554 label_permissions: Permisos
555 555 label_current_status: Estat actual
556 556 label_new_statuses_allowed: Nous estats autoritzats
557 557 label_all: tots
558 558 label_none: cap
559 559 label_nobody: ningú
560 560 label_next: Següent
561 561 label_previous: Anterior
562 562 label_used_by: Utilitzat per
563 563 label_details: Detalls
564 564 label_add_note: Afegeix una nota
565 565 label_per_page: Per pàgina
566 566 label_calendar: Calendari
567 567 label_months_from: mesos des de
568 568 label_gantt: Gantt
569 569 label_internal: Intern
570 570 label_last_changes: "últims {{count}} canvis"
571 571 label_change_view_all: Visualitza tots els canvis
572 572 label_personalize_page: Personalitza aquesta pàgina
573 573 label_comment: Comentari
574 574 label_comment_plural: Comentaris
575 575 label_x_comments:
576 576 zero: sense comentaris
577 577 one: 1 comentari
578 578 other: "{{count}} comentaris"
579 579 label_comment_add: Afegeix un comentari
580 580 label_comment_added: Comentari afegit
581 581 label_comment_delete: Suprimeix comentaris
582 582 label_query: Consulta personalitzada
583 583 label_query_plural: Consultes personalitzades
584 584 label_query_new: Consulta nova
585 585 label_filter_add: Afegeix un filtre
586 586 label_filter_plural: Filtres
587 587 label_equals: és
588 588 label_not_equals: no és
589 589 label_in_less_than: en menys de
590 590 label_in_more_than: en més de
591 591 label_greater_or_equal: ">="
592 592 label_less_or_equal: <=
593 593 label_in: en
594 594 label_today: avui
595 595 label_all_time: tot el temps
596 596 label_yesterday: ahir
597 597 label_this_week: aquesta setmana
598 598 label_last_week: "l'última setmana"
599 599 label_last_n_days: "els últims {{count}} dies"
600 600 label_this_month: aquest més
601 601 label_last_month: "l'últim més"
602 602 label_this_year: aquest any
603 603 label_date_range: Abast de les dates
604 604 label_less_than_ago: fa menys de
605 605 label_more_than_ago: fa més de
606 606 label_ago: fa
607 607 label_contains: conté
608 608 label_not_contains: no conté
609 609 label_day_plural: dies
610 610 label_repository: Dipòsit
611 611 label_repository_plural: Dipòsits
612 612 label_browse: Navega
613 613 label_modification: "{{count}} canvi"
614 614 label_modification_plural: "{{count}} canvis"
615 615 label_branch: Branca
616 616 label_tag: Etiqueta
617 617 label_revision: Revisió
618 618 label_revision_plural: Revisions
619 619 label_revision_id: "Revisió {{value}}"
620 620 label_associated_revisions: Revisions associades
621 621 label_added: afegit
622 622 label_modified: modificat
623 623 label_copied: copiat
624 624 label_renamed: reanomenat
625 625 label_deleted: suprimit
626 626 label_latest_revision: Última revisió
627 627 label_latest_revision_plural: Últimes revisions
628 628 label_view_revisions: Visualitza les revisions
629 629 label_view_all_revisions: "Visualitza totes les revisions"
630 630 label_max_size: Mida màxima
631 631 label_sort_highest: Mou a la part superior
632 632 label_sort_higher: Mou cap amunt
633 633 label_sort_lower: Mou cap avall
634 634 label_sort_lowest: Mou a la part inferior
635 635 label_roadmap: Planificació
636 636 label_roadmap_due_in: "Venç en {{value}}"
637 637 label_roadmap_overdue: "{{value}} tard"
638 638 label_roadmap_no_issues: No hi ha assumptes per a aquesta versió
639 639 label_search: Cerca
640 640 label_result_plural: Resultats
641 641 label_all_words: Totes les paraules
642 642 label_wiki: Wiki
643 643 label_wiki_edit: Edició wiki
644 644 label_wiki_edit_plural: Edicions wiki
645 645 label_wiki_page: Pàgina wiki
646 646 label_wiki_page_plural: Pàgines wiki
647 647 label_index_by_title: Índex per títol
648 648 label_index_by_date: Índex per data
649 649 label_current_version: Versió actual
650 650 label_preview: Previsualització
651 651 label_feed_plural: Canals
652 652 label_changes_details: Detalls de tots els canvis
653 653 label_issue_tracking: "Seguiment d'assumptes"
654 654 label_spent_time: Temps invertit
655 655 label_overall_spent_time: "Temps total invertit"
656 656 label_f_hour: "{{value}} hora"
657 657 label_f_hour_plural: "{{value}} hores"
658 658 label_time_tracking: Temps de seguiment
659 659 label_change_plural: Canvis
660 660 label_statistics: Estadístiques
661 661 label_commits_per_month: Publicacions per mes
662 662 label_commits_per_author: Publicacions per autor
663 663 label_view_diff: Visualitza les diferències
664 664 label_diff_inline: en línia
665 665 label_diff_side_by_side: costat per costat
666 666 label_options: Opcions
667 667 label_copy_workflow_from: Copia el flux de treball des de
668 668 label_permissions_report: Informe de permisos
669 669 label_watched_issues: Assumptes vigilats
670 670 label_related_issues: Assumptes relacionats
671 671 label_applied_status: Estat aplicat
672 672 label_loading: "S'està carregant..."
673 673 label_relation_new: Relació nova
674 674 label_relation_delete: Suprimeix la relació
675 675 label_relates_to: relacionat amb
676 676 label_duplicates: duplicats
677 677 label_duplicated_by: duplicat per
678 678 label_blocks: bloqueja
679 679 label_blocked_by: bloquejats per
680 680 label_precedes: anterior a
681 681 label_follows: posterior a
682 682 label_end_to_start: final al començament
683 683 label_end_to_end: final al final
684 684 label_start_to_start: començament al començament
685 685 label_start_to_end: començament al final
686 686 label_stay_logged_in: "Manté l'entrada"
687 687 label_disabled: inhabilitat
688 688 label_show_completed_versions: Mostra les versions completes
689 689 label_me: jo mateix
690 690 label_board: Fòrum
691 691 label_board_new: Fòrum nou
692 692 label_board_plural: Fòrums
693 693 label_board_locked: Bloquejat
694 694 label_board_sticky: Sticky
695 695 label_topic_plural: Temes
696 696 label_message_plural: Missatges
697 697 label_message_last: Últim missatge
698 698 label_message_new: Missatge nou
699 699 label_message_posted: Missatge afegit
700 700 label_reply_plural: Respostes
701 701 label_send_information: "Envia la informació del compte a l'usuari"
702 702 label_year: Any
703 703 label_month: Mes
704 704 label_week: Setmana
705 705 label_date_from: Des de
706 706 label_date_to: A
707 707 label_language_based: "Basat en l'idioma de l'usuari"
708 708 label_sort_by: "Ordena per {{value}}"
709 709 label_send_test_email: Envia un correu electrònic de prova
710 710 label_feeds_access_key: "Clau d'accés del RSS"
711 711 label_missing_feeds_access_key: "Falta una clau d'accés del RSS"
712 712 label_feeds_access_key_created_on: "Clau d'accés del RSS creada fa {{value}}"
713 713 label_module_plural: Mòduls
714 714 label_added_time_by: "Afegit per {{author}} fa {{age}}"
715 715 label_updated_time_by: "Actualitzat per {{author}} fa {{age}}"
716 716 label_updated_time: "Actualitzat fa {{value}}"
717 717 label_jump_to_a_project: Salta al projecte...
718 718 label_file_plural: Fitxers
719 719 label_changeset_plural: Conjunt de canvis
720 720 label_default_columns: Columnes predeterminades
721 721 label_no_change_option: (sense canvis)
722 722 label_bulk_edit_selected_issues: Edita en bloc els assumptes seleccionats
723 723 label_theme: Tema
724 724 label_default: Predeterminat
725 725 label_search_titles_only: Cerca només en els títols
726 726 label_user_mail_option_all: "Per qualsevol esdeveniment en tots els meus projectes"
727 727 label_user_mail_option_selected: "Per qualsevol esdeveniment en els projectes seleccionats..."
728 728 label_user_mail_no_self_notified: "No vull ser notificat pels canvis que faig jo mateix"
729 729 label_registration_activation_by_email: activació del compte per correu electrònic
730 730 label_registration_manual_activation: activació del compte manual
731 731 label_registration_automatic_activation: activació del compte automàtica
732 732 label_display_per_page: "Per pàgina: {{value}}"
733 733 label_age: Edat
734 734 label_change_properties: Canvia les propietats
735 735 label_general: General
736 736 label_more: Més
737 737 label_scm: SCM
738 738 label_plugins: Connectors
739 739 label_ldap_authentication: Autenticació LDAP
740 740 label_downloads_abbr: Baixades
741 741 label_optional_description: Descripció opcional
742 742 label_add_another_file: Afegeix un altre fitxer
743 743 label_preferences: Preferències
744 744 label_chronological_order: En ordre cronològic
745 745 label_reverse_chronological_order: En ordre cronològic invers
746 746 label_planning: Planificació
747 747 label_incoming_emails: "Correu electrònics d'entrada"
748 748 label_generate_key: Genera una clau
749 749 label_issue_watchers: Vigilàncies
750 750 label_example: Exemple
751 751 label_display: Mostra
752 752 label_sort: Ordena
753 753 label_ascending: Ascendent
754 754 label_descending: Descendent
755 755 label_date_from_to: Des de {{start}} a {{end}}
756 756 label_wiki_content_added: "S'ha afegit la pàgina wiki"
757 757 label_wiki_content_updated: "S'ha actualitzat la pàgina wiki"
758 758 label_group: Grup
759 759 label_group_plural: Grups
760 760 label_group_new: Grup nou
761 761 label_time_entry_plural: Temps invertit
762 762 label_version_sharing_hierarchy: "Amb la jerarquia del projecte"
763 763 label_version_sharing_system: "Amb tots els projectes"
764 764 label_version_sharing_descendants: "Amb tots els subprojectes"
765 765 label_version_sharing_tree: "Amb l'arbre del projecte"
766 766 label_version_sharing_none: "Sense compartir"
767 767 label_update_issue_done_ratios: "Actualitza el tant per cent dels assumptes realitzats"
768 768 label_copy_source: Font
769 769 label_copy_target: Objectiu
770 770 label_copy_same_as_target: "El mateix que l'objectiu"
771 771 label_display_used_statuses_only: "Mostra només els estats que utilitza aquest seguidor"
772 772 label_api_access_key: "Clau d'accés a l'API"
773 773 label_missing_api_access_key: "Falta una clau d'accés de l'API"
774 774 label_api_access_key_created_on: "Clau d'accés de l'API creada fa {{value}}"
775 775 label_profile: Perfil
776 776 label_subtask_plural: Subtasques
777 777 label_project_copy_notifications: "Envia notificacions de correu electrònic durant la còpia del projecte"
778 778
779 779 button_login: Entra
780 780 button_submit: Tramet
781 781 button_save: Desa
782 782 button_check_all: Activa-ho tot
783 783 button_uncheck_all: Desactiva-ho tot
784 784 button_delete: Suprimeix
785 785 button_create: Crea
786 786 button_create_and_continue: Crea i continua
787 787 button_test: Test
788 788 button_edit: Edit
789 789 button_add: Afegeix
790 790 button_change: Canvia
791 791 button_apply: Aplica
792 792 button_clear: Neteja
793 793 button_lock: Bloca
794 794 button_unlock: Desbloca
795 795 button_download: Baixa
796 796 button_list: Llista
797 797 button_view: Visualitza
798 798 button_move: Mou
799 799 button_move_and_follow: "Mou i segueix"
800 800 button_back: Enrere
801 801 button_cancel: Cancel·la
802 802 button_activate: Activa
803 803 button_sort: Ordena
804 804 button_log_time: "Registre de temps"
805 805 button_rollback: Torna a aquesta versió
806 806 button_watch: Vigila
807 807 button_unwatch: No vigilis
808 808 button_reply: Resposta
809 809 button_archive: Arxiva
810 810 button_unarchive: Desarxiva
811 811 button_reset: Reinicia
812 812 button_rename: Reanomena
813 813 button_change_password: Canvia la contrasenya
814 814 button_copy: Copia
815 815 button_copy_and_follow: "Copia i segueix"
816 816 button_annotate: Anota
817 817 button_update: Actualitza
818 818 button_configure: Configura
819 819 button_quote: Cita
820 820 button_duplicate: Duplica
821 821 button_show: Mostra
822 822
823 823 status_active: actiu
824 824 status_registered: informat
825 825 status_locked: bloquejat
826 826
827 827 version_status_open: oberta
828 828 version_status_locked: bloquejada
829 829 version_status_closed: tancada
830 830
831 831 field_active: Actiu
832 832
833 833 text_select_mail_notifications: "Seleccioneu les accions per les quals s'hauria d'enviar una notificació per correu electrònic."
834 834 text_regexp_info: ex. ^[A-Z0-9]+$
835 835 text_min_max_length_info: 0 significa sense restricció
836 836 text_project_destroy_confirmation: Segur que voleu suprimir aquest projecte i les dades relacionades?
837 837 text_subprojects_destroy_warning: "També seran suprimits els seus subprojectes: {{value}}."
838 838 text_workflow_edit: Seleccioneu un rol i un seguidor per a editar el flux de treball
839 839 text_are_you_sure: Segur?
840 840 text_journal_changed: "{{label}} ha canviat de {{old}} a {{new}}"
841 841 text_journal_set_to: "{{label}} s'ha establert a {{value}}"
842 842 text_journal_deleted: "{{label}} s'ha suprimit ({{old}})"
843 843 text_journal_added: "S'ha afegit {{label}} {{value}}"
844 844 text_tip_issue_begin_day: "tasca que s'inicia aquest dia"
845 845 text_tip_issue_end_day: tasca que finalitza aquest dia
846 846 text_tip_issue_begin_end_day: "tasca que s'inicia i finalitza aquest dia"
847 847 text_project_identifier_info: "Es permeten lletres en minúscules (a-z), números i guions.<br />Un cop desat, l'identificador no es pot modificar."
848 848 text_caracters_maximum: "{{count}} caràcters com a màxim."
849 849 text_caracters_minimum: "Com a mínim ha de tenir {{count}} caràcters."
850 850 text_length_between: "Longitud entre {{min}} i {{max}} caràcters."
851 851 text_tracker_no_workflow: "No s'ha definit cap flux de treball per a aquest seguidor"
852 852 text_unallowed_characters: Caràcters no permesos
853 853 text_comma_separated: Es permeten valors múltiples (separats per una coma).
854 854 text_line_separated: "Es permeten diversos valors (una línia per cada valor)."
855 855 text_issues_ref_in_commit_messages: Referència i soluciona els assumptes en els missatges publicats
856 856 text_issue_added: "L'assumpte {{id}} ha sigut informat per {{author}}."
857 857 text_issue_updated: "L'assumpte {{id}} ha sigut actualitzat per {{author}}."
858 858 text_wiki_destroy_confirmation: Segur que voleu suprimir aquest wiki i tots els seus continguts?
859 859 text_issue_category_destroy_question: "Alguns assumptes ({{count}}) estan assignats a aquesta categoria. Què voleu fer?"
860 860 text_issue_category_destroy_assignments: Suprimeix les assignacions de la categoria
861 861 text_issue_category_reassign_to: Torna a assignar els assumptes a aquesta categoria
862 862 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)."
863 863 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."
864 864 text_load_default_configuration: Carrega la configuració predeterminada
865 865 text_status_changed_by_changeset: "Aplicat en el conjunt de canvis {{value}}."
866 866 text_issues_destroy_confirmation: "Segur que voleu suprimir els assumptes seleccionats?"
867 867 text_select_project_modules: "Seleccioneu els mòduls a habilitar per a aquest projecte:"
868 868 text_default_administrator_account_changed: "S'ha canviat el compte d'administrador predeterminat"
869 869 text_file_repository_writable: Es pot escriure en el dipòsit de fitxers
870 870 text_plugin_assets_writable: Es pot escriure als connectors actius
871 871 text_rmagick_available: RMagick disponible (opcional)
872 872 text_destroy_time_entries_question: "S'han informat {{hours}} hores en els assumptes que aneu a suprimir. Què voleu fer?"
873 873 text_destroy_time_entries: Suprimeix les hores informades
874 874 text_assign_time_entries_to_project: Assigna les hores informades al projecte
875 875 text_reassign_time_entries: "Torna a assignar les hores informades a aquest assumpte:"
876 876 text_user_wrote: "{{value}} va escriure:"
877 877 text_enumeration_destroy_question: "{{count}} objectes estan assignats a aquest valor."
878 878 text_enumeration_category_reassign_to: "Torna a assignar-los a aquest valor:"
879 879 text_email_delivery_not_configured: "El lliurament per correu electrònic no està configurat i les notificacions estan inhabilitades.\nConfigureu el servidor SMTP a config/email.yml i reinicieu l'aplicació per habilitar-lo."
880 880 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."
881 881 text_diff_truncated: "... Aquestes diferències s'han trucat perquè excedeixen la mida màxima que es pot mostrar."
882 882 text_custom_field_possible_values_info: "Una línia per a cada valor"
883 883 text_wiki_page_destroy_question: "Aquesta pàgina {{descendants}} pàgines fill i descendents. Què voleu fer?"
884 884 text_wiki_page_nullify_children: "Deixa les pàgines fill com a pàgines arrel"
885 885 text_wiki_page_destroy_children: "Suprimeix les pàgines fill i tots els seus descendents"
886 886 text_wiki_page_reassign_children: "Reasigna les pàgines fill a aquesta pàgina pare"
887 887 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?"
888 888 text_zoom_in: Redueix
889 889 text_zoom_out: Amplia
890 890
891 891 default_role_manager: Gestor
892 892 default_role_developer: Desenvolupador
893 893 default_role_reporter: Informador
894 894 default_tracker_bug: Error
895 895 default_tracker_feature: Característica
896 896 default_tracker_support: Suport
897 897 default_issue_status_new: Nou
898 898 default_issue_status_in_progress: In Progress
899 899 default_issue_status_resolved: Resolt
900 900 default_issue_status_feedback: Comentaris
901 901 default_issue_status_closed: Tancat
902 902 default_issue_status_rejected: Rebutjat
903 903 default_doc_category_user: "Documentació d'usuari"
904 904 default_doc_category_tech: Documentació tècnica
905 905 default_priority_low: Baixa
906 906 default_priority_normal: Normal
907 907 default_priority_high: Alta
908 908 default_priority_urgent: Urgent
909 909 default_priority_immediate: Immediata
910 910 default_activity_design: Disseny
911 911 default_activity_development: Desenvolupament
912 912
913 913 enumeration_issue_priorities: Prioritat dels assumptes
914 914 enumeration_doc_categories: Categories del document
915 915 enumeration_activities: Activitats (seguidor de temps)
916 916 enumeration_system_activity: Activitat del sistema
917 917
918 918 button_edit_associated_wikipage: "Edit associated Wiki page: {{page_title}}"
919 919 text_are_you_sure_with_children: Delete issue and all child issues?
920 920 field_text: Text field
921 921 label_user_mail_option_only_owner: Only for things I am the owner of
922 922 setting_default_notification_option: Default notification option
923 923 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
924 924 label_user_mail_option_only_assigned: Only for things I am assigned to
925 925 label_user_mail_option_none: No events
926 926 field_member_of_group: Assignee's group
927 927 field_assigned_to_role: Assignee's role
928 notice_not_authorized_archived_project: The project you're trying to access has been archived.
@@ -1,924 +1,925
1 1 cs:
2 2 direction: ltr
3 3 date:
4 4 formats:
5 5 # Use the strftime parameters for formats.
6 6 # When no format has been given, it uses default.
7 7 # You can provide other formats here if you like!
8 8 default: "%Y-%m-%d"
9 9 short: "%b %d"
10 10 long: "%B %d, %Y"
11 11
12 12 day_names: [Neděle, Pondělí, Úterý, Středa, Čtvrtek, Pátek, Sobota]
13 13 abbr_day_names: [Ne, Po, Út, St, Čt, , So]
14 14
15 15 # Don't forget the nil at the beginning; there's no such thing as a 0th month
16 16 month_names: [~, Leden, Únor, Březen, Duben, Květen, Červen, Červenec, Srpen, Září, Říjen, Listopad, Prosinec]
17 17 abbr_month_names: [~, Led, Úno, Bře, Dub, Kvě, Čer, Čec, Srp, Zář, Říj, Lis, Pro]
18 18 # Used in date_select and datime_select.
19 19 order: [ :year, :month, :day ]
20 20
21 21 time:
22 22 formats:
23 23 default: "%a, %d %b %Y %H:%M:%S %z"
24 24 time: "%H:%M"
25 25 short: "%d %b %H:%M"
26 26 long: "%B %d, %Y %H:%M"
27 27 am: "dop."
28 28 pm: "odp."
29 29
30 30 datetime:
31 31 distance_in_words:
32 32 half_a_minute: "půl minuty"
33 33 less_than_x_seconds:
34 34 one: "méně než sekunda"
35 35 other: "méně než {{count}} sekund"
36 36 x_seconds:
37 37 one: "1 sekunda"
38 38 other: "{{count}} sekund"
39 39 less_than_x_minutes:
40 40 one: "méně než minuta"
41 41 other: "méně než {{count}} minut"
42 42 x_minutes:
43 43 one: "1 minuta"
44 44 other: "{{count}} minut"
45 45 about_x_hours:
46 46 one: "asi 1 hodina"
47 47 other: "asi {{count}} hodin"
48 48 x_days:
49 49 one: "1 den"
50 50 other: "{{count}} dnů"
51 51 about_x_months:
52 52 one: "asi 1 měsíc"
53 53 other: "asi {{count}} měsíců"
54 54 x_months:
55 55 one: "1 měsíc"
56 56 other: "{{count}} měsíců"
57 57 about_x_years:
58 58 one: "asi 1 rok"
59 59 other: "asi {{count}} let"
60 60 over_x_years:
61 61 one: "více než 1 rok"
62 62 other: "více než {{count}} roky"
63 63 almost_x_years:
64 64 one: "témeř 1 rok"
65 65 other: "téměř {{count}} roky"
66 66
67 67 number:
68 68 format:
69 69 separator: "."
70 70 delimiter: ""
71 71 precision: 3
72 72 human:
73 73 format:
74 74 precision: 1
75 75 delimiter: ""
76 76 storage_units:
77 77 format: "%n %u"
78 78 units:
79 79 kb: KB
80 80 tb: TB
81 81 gb: GB
82 82 byte:
83 83 one: Byte
84 84 other: Bytes
85 85 mb: MB
86 86
87 87 # Used in array.to_sentence.
88 88 support:
89 89 array:
90 90 sentence_connector: "a"
91 91 skip_last_comma: false
92 92
93 93 activerecord:
94 94 errors:
95 95 messages:
96 96 inclusion: "není zahrnuto v seznamu"
97 97 exclusion: "je rezervováno"
98 98 invalid: "je neplatné"
99 99 confirmation: "se neshoduje s potvrzením"
100 100 accepted: "musí být akceptováno"
101 101 empty: "nemůže být prázdný"
102 102 blank: "nemůže být prázdný"
103 103 too_long: "je příliš dlouhý"
104 104 too_short: "je příliš krátký"
105 105 wrong_length: "má chybnou délku"
106 106 taken: "je již použito"
107 107 not_a_number: "není číslo"
108 108 not_a_date: "není platné datum"
109 109 greater_than: "musí být větší než {{count}}"
110 110 greater_than_or_equal_to: "musí být větší nebo rovno {{count}}"
111 111 equal_to: "musí být přesně {{count}}"
112 112 less_than: "musí být méně než {{count}}"
113 113 less_than_or_equal_to: "musí být méně nebo rovno {{count}}"
114 114 odd: "musí být liché"
115 115 even: "musí být sudé"
116 116 greater_than_start_date: "musí být větší než počáteční datum"
117 117 not_same_project: "nepatří stejnému projektu"
118 118 circular_dependency: "Tento vztah by vytvořil cyklickou závislost"
119 119 cant_link_an_issue_with_a_descendant: "Úkol nemůže být spojen s jedním z jeho dílčích úkolů"
120 120
121 121 # Updated by Josef Liška <jl@chl.cz>
122 122 # CZ translation by Maxim Krušina | Massimo Filippi, s.r.o. | maxim@mxm.cz
123 123 # Based on original CZ translation by Jan Kadleček
124 124
125 125 actionview_instancetag_blank_option: Prosím vyberte
126 126
127 127 general_text_No: 'Ne'
128 128 general_text_Yes: 'Ano'
129 129 general_text_no: 'ne'
130 130 general_text_yes: 'ano'
131 131 general_lang_name: 'Čeština'
132 132 general_csv_separator: ','
133 133 general_csv_decimal_separator: '.'
134 134 general_csv_encoding: UTF-8
135 135 general_pdf_encoding: UTF-8
136 136 general_first_day_of_week: '1'
137 137
138 138 notice_account_updated: Účet byl úspěšně změněn.
139 139 notice_account_invalid_creditentials: Chybné jméno nebo heslo
140 140 notice_account_password_updated: Heslo bylo úspěšně změněno.
141 141 notice_account_wrong_password: Chybné heslo
142 142 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.
143 143 notice_account_unknown_email: Neznámý uživatel.
144 144 notice_can_t_change_password: Tento účet používá externí autentifikaci. Zde heslo změnit nemůžete.
145 145 notice_account_lost_email_sent: Byl vám zaslán email s intrukcemi jak si nastavíte nové heslo.
146 146 notice_account_activated: Váš účet byl aktivován. Nyní se můžete přihlásit.
147 147 notice_successful_create: Úspěšně vytvořeno.
148 148 notice_successful_update: Úspěšně aktualizováno.
149 149 notice_successful_delete: Úspěšně odstraněno.
150 150 notice_successful_connection: Úspěšné připojení.
151 151 notice_file_not_found: Stránka na kterou se snažíte zobrazit neexistuje nebo byla smazána.
152 152 notice_locking_conflict: Údaje byly změněny jiným uživatelem.
153 153 notice_scm_error: Záznam a/nebo revize neexistuje v repozitáři.
154 154 notice_not_authorized: Nemáte dostatečná práva pro zobrazení této stránky.
155 155 notice_email_sent: "Na adresu {{value}} byl odeslán email"
156 156 notice_email_error: "Při odesílání emailu nastala chyba ({{value}})"
157 157 notice_feeds_access_key_reseted: Váš klíč pro přístup k RSS byl resetován.
158 158 notice_failed_to_save_issues: "Chyba při uložení {{count}} úkolu(ů) z {{total}} vybraných: {{ids}}."
159 159 notice_no_issue_selected: "Nebyl zvolen žádný úkol. Prosím, zvolte úkoly, které chcete editovat"
160 160 notice_account_pending: "Váš účet byl vytvořen, nyní čeká na schválení administrátorem."
161 161 notice_default_data_loaded: Výchozí konfigurace úspěšně nahrána.
162 162
163 163 error_can_t_load_default_data: "Výchozí konfigurace nebyla nahrána: {{value}}"
164 164 error_scm_not_found: "Položka a/nebo revize neexistují v repozitáři."
165 165 error_scm_command_failed: "Při pokusu o přístup k repozitáři došlo k chybě: {{value}}"
166 166 error_issue_not_found_in_project: 'Úkol nebyl nalezen nebo nepatří k tomuto projektu'
167 167
168 168 mail_subject_lost_password: "Vaše heslo ({{value}})"
169 169 mail_body_lost_password: 'Pro změnu vašeho hesla klikněte na následující odkaz:'
170 170 mail_subject_register: "Aktivace účtu ({{value}})"
171 171 mail_body_register: 'Pro aktivaci vašeho účtu klikněte na následující odkaz:'
172 172 mail_body_account_information_external: "Pomocí vašeho účtu {{value}} se můžete přihlásit."
173 173 mail_body_account_information: Informace o vašem účtu
174 174 mail_subject_account_activation_request: "Aktivace {{value}} účtu"
175 175 mail_body_account_activation_request: "Byl zaregistrován nový uživatel {{value}}. Aktivace jeho účtu závisí na vašem potvrzení."
176 176
177 177 gui_validation_error: 1 chyba
178 178 gui_validation_error_plural: "{{count}} chyb(y)"
179 179
180 180 field_name: Název
181 181 field_description: Popis
182 182 field_summary: Přehled
183 183 field_is_required: Povinné pole
184 184 field_firstname: Jméno
185 185 field_lastname: Příjmení
186 186 field_mail: Email
187 187 field_filename: Soubor
188 188 field_filesize: Velikost
189 189 field_downloads: Staženo
190 190 field_author: Autor
191 191 field_created_on: Vytvořeno
192 192 field_updated_on: Aktualizováno
193 193 field_field_format: Formát
194 194 field_is_for_all: Pro všechny projekty
195 195 field_possible_values: Možné hodnoty
196 196 field_regexp: Regulární výraz
197 197 field_min_length: Minimální délka
198 198 field_max_length: Maximální délka
199 199 field_value: Hodnota
200 200 field_category: Kategorie
201 201 field_title: Název
202 202 field_project: Projekt
203 203 field_issue: Úkol
204 204 field_status: Stav
205 205 field_notes: Poznámka
206 206 field_is_closed: Úkol uzavřen
207 207 field_is_default: Výchozí stav
208 208 field_tracker: Fronta
209 209 field_subject: Předmět
210 210 field_due_date: Uzavřít do
211 211 field_assigned_to: Přiřazeno
212 212 field_priority: Priorita
213 213 field_fixed_version: Cílová verze
214 214 field_user: Uživatel
215 215 field_role: Role
216 216 field_homepage: Domovská stránka
217 217 field_is_public: Veřejný
218 218 field_parent: Nadřazený projekt
219 219 field_is_in_roadmap: Úkoly zobrazené v plánu
220 220 field_login: Přihlášení
221 221 field_mail_notification: Emailová oznámení
222 222 field_admin: Administrátor
223 223 field_last_login_on: Poslední přihlášení
224 224 field_language: Jazyk
225 225 field_effective_date: Datum
226 226 field_password: Heslo
227 227 field_new_password: Nové heslo
228 228 field_password_confirmation: Potvrzení
229 229 field_version: Verze
230 230 field_type: Typ
231 231 field_host: Host
232 232 field_port: Port
233 233 field_account: Účet
234 234 field_base_dn: Base DN
235 235 field_attr_login: Přihlášení (atribut)
236 236 field_attr_firstname: Jméno (atribut)
237 237 field_attr_lastname: Příjemní (atribut)
238 238 field_attr_mail: Email (atribut)
239 239 field_onthefly: Automatické vytváření uživatelů
240 240 field_start_date: Začátek
241 241 field_done_ratio: % Hotovo
242 242 field_auth_source: Autentifikační mód
243 243 field_hide_mail: Nezobrazovat můj email
244 244 field_comments: Komentář
245 245 field_url: URL
246 246 field_start_page: Výchozí stránka
247 247 field_subproject: Podprojekt
248 248 field_hours: Hodiny
249 249 field_activity: Aktivita
250 250 field_spent_on: Datum
251 251 field_identifier: Identifikátor
252 252 field_is_filter: Použít jako filtr
253 253 field_issue_to: Související úkol
254 254 field_delay: Zpoždění
255 255 field_assignable: Úkoly mohou být přiřazeny této roli
256 256 field_redirect_existing_links: Přesměrovat stvávající odkazy
257 257 field_estimated_hours: Odhadovaná doba
258 258 field_column_names: Sloupce
259 259 field_time_zone: Časové pásmo
260 260 field_searchable: Umožnit vyhledávání
261 261 field_default_value: Výchozí hodnota
262 262 field_comments_sorting: Zobrazit komentáře
263 263
264 264 setting_app_title: Název aplikace
265 265 setting_app_subtitle: Podtitulek aplikace
266 266 setting_welcome_text: Uvítací text
267 267 setting_default_language: Výchozí jazyk
268 268 setting_login_required: Autentifikace vyžadována
269 269 setting_self_registration: Povolena automatická registrace
270 270 setting_attachment_max_size: Maximální velikost přílohy
271 271 setting_issues_export_limit: Limit pro export úkolů
272 272 setting_mail_from: Odesílat emaily z adresy
273 273 setting_bcc_recipients: Příjemci skryté kopie (bcc)
274 274 setting_host_name: Jméno serveru
275 275 setting_text_formatting: Formátování textu
276 276 setting_wiki_compression: Komprese historie Wiki
277 277 setting_feeds_limit: Limit obsahu příspěvků
278 278 setting_default_projects_public: Nové projekty nastavovat jako veřejné
279 279 setting_autofetch_changesets: Automaticky stahovat commity
280 280 setting_sys_api_enabled: Povolit WS pro správu repozitory
281 281 setting_commit_ref_keywords: Klíčová slova pro odkazy
282 282 setting_commit_fix_keywords: Klíčová slova pro uzavření
283 283 setting_autologin: Automatické přihlašování
284 284 setting_date_format: Formát data
285 285 setting_time_format: Formát času
286 286 setting_cross_project_issue_relations: Povolit vazby úkolů napříč projekty
287 287 setting_issue_list_default_columns: Výchozí sloupce zobrazené v seznamu úkolů
288 288 setting_repositories_encodings: Kódování
289 289 setting_emails_footer: Patička emailů
290 290 setting_protocol: Protokol
291 291 setting_per_page_options: Povolené počty řádků na stránce
292 292 setting_user_format: Formát zobrazení uživatele
293 293 setting_activity_days_default: Dny zobrazené v činnosti projektu
294 294 setting_display_subprojects_issues: Automaticky zobrazit úkoly podprojektu v hlavním projektu
295 295
296 296 project_module_issue_tracking: Sledování úkolů
297 297 project_module_time_tracking: Sledování času
298 298 project_module_news: Novinky
299 299 project_module_documents: Dokumenty
300 300 project_module_files: Soubory
301 301 project_module_wiki: Wiki
302 302 project_module_repository: Repozitář
303 303 project_module_boards: Diskuse
304 304
305 305 label_user: Uživatel
306 306 label_user_plural: Uživatelé
307 307 label_user_new: Nový uživatel
308 308 label_project: Projekt
309 309 label_project_new: Nový projekt
310 310 label_project_plural: Projekty
311 311 label_x_projects:
312 312 zero: žádné projekty
313 313 one: 1 projekt
314 314 other: "{{count}} projekty(ů)"
315 315 label_project_all: Všechny projekty
316 316 label_project_latest: Poslední projekty
317 317 label_issue: Úkol
318 318 label_issue_new: Nový úkol
319 319 label_issue_plural: Úkoly
320 320 label_issue_view_all: Všechny úkoly
321 321 label_issues_by: "Úkoly podle {{value}}"
322 322 label_issue_added: Úkol přidán
323 323 label_issue_updated: Úkol aktualizován
324 324 label_document: Dokument
325 325 label_document_new: Nový dokument
326 326 label_document_plural: Dokumenty
327 327 label_document_added: Dokument přidán
328 328 label_role: Role
329 329 label_role_plural: Role
330 330 label_role_new: Nová role
331 331 label_role_and_permissions: Role a práva
332 332 label_member: Člen
333 333 label_member_new: Nový člen
334 334 label_member_plural: Členové
335 335 label_tracker: Fronta
336 336 label_tracker_plural: Fronty
337 337 label_tracker_new: Nová fronta
338 338 label_workflow: Průběh práce
339 339 label_issue_status: Stav úkolu
340 340 label_issue_status_plural: Stavy úkolů
341 341 label_issue_status_new: Nový stav
342 342 label_issue_category: Kategorie úkolu
343 343 label_issue_category_plural: Kategorie úkolů
344 344 label_issue_category_new: Nová kategorie
345 345 label_custom_field: Uživatelské pole
346 346 label_custom_field_plural: Uživatelská pole
347 347 label_custom_field_new: Nové uživatelské pole
348 348 label_enumerations: Seznamy
349 349 label_enumeration_new: Nová hodnota
350 350 label_information: Informace
351 351 label_information_plural: Informace
352 352 label_please_login: Prosím přihlašte se
353 353 label_register: Registrovat
354 354 label_password_lost: Zapomenuté heslo
355 355 label_home: Úvodní
356 356 label_my_page: Moje stránka
357 357 label_my_account: Můj účet
358 358 label_my_projects: Moje projekty
359 359 label_administration: Administrace
360 360 label_login: Přihlášení
361 361 label_logout: Odhlášení
362 362 label_help: Nápověda
363 363 label_reported_issues: Nahlášené úkoly
364 364 label_assigned_to_me_issues: Mé úkoly
365 365 label_last_login: Poslední přihlášení
366 366 label_registered_on: Registrován
367 367 label_activity: Aktivita
368 368 label_overall_activity: Celková aktivita
369 369 label_new: Nový
370 370 label_logged_as: Přihlášen jako
371 371 label_environment: Prostředí
372 372 label_authentication: Autentifikace
373 373 label_auth_source: Mód autentifikace
374 374 label_auth_source_new: Nový mód autentifikace
375 375 label_auth_source_plural: Módy autentifikace
376 376 label_subproject_plural: Podprojekty
377 377 label_min_max_length: Min - Max délka
378 378 label_list: Seznam
379 379 label_date: Datum
380 380 label_integer: Celé číslo
381 381 label_float: Desetinné číslo
382 382 label_boolean: Ano/Ne
383 383 label_string: Text
384 384 label_text: Dlouhý text
385 385 label_attribute: Atribut
386 386 label_attribute_plural: Atributy
387 387 label_download: "{{count}} stažení"
388 388 label_download_plural: "{{count}} stažení"
389 389 label_no_data: Žádné položky
390 390 label_change_status: Změnit stav
391 391 label_history: Historie
392 392 label_attachment: Soubor
393 393 label_attachment_new: Nový soubor
394 394 label_attachment_delete: Odstranit soubor
395 395 label_attachment_plural: Soubory
396 396 label_file_added: Soubor přidán
397 397 label_report: Přehled
398 398 label_report_plural: Přehledy
399 399 label_news: Novinky
400 400 label_news_new: Přidat novinku
401 401 label_news_plural: Novinky
402 402 label_news_latest: Poslední novinky
403 403 label_news_view_all: Zobrazit všechny novinky
404 404 label_news_added: Novinka přidána
405 405 label_settings: Nastavení
406 406 label_overview: Přehled
407 407 label_version: Verze
408 408 label_version_new: Nová verze
409 409 label_version_plural: Verze
410 410 label_confirmation: Potvrzení
411 411 label_export_to: 'Také k dispozici:'
412 412 label_read: Načítá se...
413 413 label_public_projects: Veřejné projekty
414 414 label_open_issues: otevřený
415 415 label_open_issues_plural: otevřené
416 416 label_closed_issues: uzavřený
417 417 label_closed_issues_plural: uzavřené
418 418 label_x_open_issues_abbr_on_total:
419 419 zero: 0 otevřených / {{total}}
420 420 one: 1 otevřený / {{total}}
421 421 other: "{{count}} otevřených / {{total}}"
422 422 label_x_open_issues_abbr:
423 423 zero: 0 otevřených
424 424 one: 1 otevřený
425 425 other: "{{count}} otevřených"
426 426 label_x_closed_issues_abbr:
427 427 zero: 0 uzavřených
428 428 one: 1 uzavřený
429 429 other: "{{count}} uzavřených"
430 430 label_total: Celkem
431 431 label_permissions: Práva
432 432 label_current_status: Aktuální stav
433 433 label_new_statuses_allowed: Nové povolené stavy
434 434 label_all: vše
435 435 label_none: nic
436 436 label_nobody: nikdo
437 437 label_next: Další
438 438 label_previous: Předchozí
439 439 label_used_by: Použito
440 440 label_details: Detaily
441 441 label_add_note: Přidat poznámku
442 442 label_per_page: Na stránku
443 443 label_calendar: Kalendář
444 444 label_months_from: měsíců od
445 445 label_gantt: Ganttův graf
446 446 label_internal: Interní
447 447 label_last_changes: "posledních {{count}} změn"
448 448 label_change_view_all: Zobrazit všechny změny
449 449 label_personalize_page: Přizpůsobit tuto stránku
450 450 label_comment: Komentář
451 451 label_comment_plural: Komentáře
452 452 label_x_comments:
453 453 zero: žádné komentáře
454 454 one: 1 komentář
455 455 other: "{{count}} komentářů"
456 456 label_comment_add: Přidat komentáře
457 457 label_comment_added: Komentář přidán
458 458 label_comment_delete: Odstranit komentář
459 459 label_query: Uživatelský dotaz
460 460 label_query_plural: Uživatelské dotazy
461 461 label_query_new: Nový dotaz
462 462 label_filter_add: Přidat filtr
463 463 label_filter_plural: Filtry
464 464 label_equals: je
465 465 label_not_equals: není
466 466 label_in_less_than: je měší než
467 467 label_in_more_than: je větší než
468 468 label_in: v
469 469 label_today: dnes
470 470 label_all_time: vše
471 471 label_yesterday: včera
472 472 label_this_week: tento týden
473 473 label_last_week: minulý týden
474 474 label_last_n_days: "posledních {{count}} dnů"
475 475 label_this_month: tento měsíc
476 476 label_last_month: minulý měsíc
477 477 label_this_year: tento rok
478 478 label_date_range: Časový rozsah
479 479 label_less_than_ago: před méně jak (dny)
480 480 label_more_than_ago: před více jak (dny)
481 481 label_ago: před (dny)
482 482 label_contains: obsahuje
483 483 label_not_contains: neobsahuje
484 484 label_day_plural: dny
485 485 label_repository: Repozitář
486 486 label_repository_plural: Repozitáře
487 487 label_browse: Procházet
488 488 label_modification: "{{count}} změna"
489 489 label_modification_plural: "{{count}} změn"
490 490 label_revision: Revize
491 491 label_revision_plural: Revizí
492 492 label_associated_revisions: Související verze
493 493 label_added: přidáno
494 494 label_modified: změněno
495 495 label_deleted: odstraněno
496 496 label_latest_revision: Poslední revize
497 497 label_latest_revision_plural: Poslední revize
498 498 label_view_revisions: Zobrazit revize
499 499 label_max_size: Maximální velikost
500 500 label_sort_highest: Přesunout na začátek
501 501 label_sort_higher: Přesunout nahoru
502 502 label_sort_lower: Přesunout dolů
503 503 label_sort_lowest: Přesunout na konec
504 504 label_roadmap: Plán
505 505 label_roadmap_due_in: "Zbývá {{value}}"
506 506 label_roadmap_overdue: "{{value}} pozdě"
507 507 label_roadmap_no_issues: Pro tuto verzi nejsou žádné úkoly
508 508 label_search: Hledat
509 509 label_result_plural: Výsledky
510 510 label_all_words: Všechna slova
511 511 label_wiki: Wiki
512 512 label_wiki_edit: Wiki úprava
513 513 label_wiki_edit_plural: Wiki úpravy
514 514 label_wiki_page: Wiki stránka
515 515 label_wiki_page_plural: Wiki stránky
516 516 label_index_by_title: Index dle názvu
517 517 label_index_by_date: Index dle data
518 518 label_current_version: Aktuální verze
519 519 label_preview: Náhled
520 520 label_feed_plural: Příspěvky
521 521 label_changes_details: Detail všech změn
522 522 label_issue_tracking: Sledování úkolů
523 523 label_spent_time: Strávený čas
524 524 label_f_hour: "{{value}} hodina"
525 525 label_f_hour_plural: "{{value}} hodin"
526 526 label_time_tracking: Sledování času
527 527 label_change_plural: Změny
528 528 label_statistics: Statistiky
529 529 label_commits_per_month: Commitů za měsíc
530 530 label_commits_per_author: Commitů za autora
531 531 label_view_diff: Zobrazit rozdíly
532 532 label_diff_inline: uvnitř
533 533 label_diff_side_by_side: vedle sebe
534 534 label_options: Nastavení
535 535 label_copy_workflow_from: Kopírovat průběh práce z
536 536 label_permissions_report: Přehled práv
537 537 label_watched_issues: Sledované úkoly
538 538 label_related_issues: Související úkoly
539 539 label_applied_status: Použitý stav
540 540 label_loading: Nahrávám...
541 541 label_relation_new: Nová souvislost
542 542 label_relation_delete: Odstranit souvislost
543 543 label_relates_to: související s
544 544 label_duplicates: duplicity
545 545 label_blocks: bloků
546 546 label_blocked_by: zablokován
547 547 label_precedes: předchází
548 548 label_follows: následuje
549 549 label_end_to_start: od konce do začátku
550 550 label_end_to_end: od konce do konce
551 551 label_start_to_start: od začátku do začátku
552 552 label_start_to_end: od začátku do konce
553 553 label_stay_logged_in: Zůstat přihlášený
554 554 label_disabled: zakázán
555 555 label_show_completed_versions: Ukázat dokončené verze
556 556 label_me:
557 557 label_board: Fórum
558 558 label_board_new: Nové fórum
559 559 label_board_plural: Fóra
560 560 label_topic_plural: Témata
561 561 label_message_plural: Zprávy
562 562 label_message_last: Poslední zpráva
563 563 label_message_new: Nová zpráva
564 564 label_message_posted: Zpráva přidána
565 565 label_reply_plural: Odpovědi
566 566 label_send_information: Zaslat informace o účtu uživateli
567 567 label_year: Rok
568 568 label_month: Měsíc
569 569 label_week: Týden
570 570 label_date_from: Od
571 571 label_date_to: Do
572 572 label_language_based: Podle výchozího jazyku
573 573 label_sort_by: "Seřadit podle {{value}}"
574 574 label_send_test_email: Poslat testovací email
575 575 label_feeds_access_key_created_on: "Přístupový klíč pro RSS byl vytvořen před {{value}}"
576 576 label_module_plural: Moduly
577 577 label_added_time_by: "Přidáno uživatelem {{author}} před {{age}}"
578 578 label_updated_time: "Aktualizováno před {{value}}"
579 579 label_jump_to_a_project: Vyberte projekt...
580 580 label_file_plural: Soubory
581 581 label_changeset_plural: Changesety
582 582 label_default_columns: Výchozí sloupce
583 583 label_no_change_option: (beze změny)
584 584 label_bulk_edit_selected_issues: Hromadná úprava vybraných úkolů
585 585 label_theme: Téma
586 586 label_default: Výchozí
587 587 label_search_titles_only: Vyhledávat pouze v názvech
588 588 label_user_mail_option_all: "Pro všechny události všech mých projektů"
589 589 label_user_mail_option_selected: "Pro všechny události vybraných projektů..."
590 590 label_user_mail_no_self_notified: "Nezasílat informace o mnou vytvořených změnách"
591 591 label_registration_activation_by_email: aktivace účtu emailem
592 592 label_registration_manual_activation: manuální aktivace účtu
593 593 label_registration_automatic_activation: automatická aktivace účtu
594 594 label_display_per_page: "{{value}} na stránku"
595 595 label_age: Věk
596 596 label_change_properties: Změnit vlastnosti
597 597 label_general: Obecné
598 598 label_more: Více
599 599 label_scm: SCM
600 600 label_plugins: Doplňky
601 601 label_ldap_authentication: Autentifikace LDAP
602 602 label_downloads_abbr: Staž.
603 603 label_optional_description: Volitelný popis
604 604 label_add_another_file: Přidat další soubor
605 605 label_preferences: Nastavení
606 606 label_chronological_order: V chronologickém pořadí
607 607 label_reverse_chronological_order: V obrácaném chronologickém pořadí
608 608
609 609 button_login: Přihlásit
610 610 button_submit: Potvrdit
611 611 button_save: Uložit
612 612 button_check_all: Zašrtnout vše
613 613 button_uncheck_all: Odšrtnout vše
614 614 button_delete: Odstranit
615 615 button_create: Vytvořit
616 616 button_test: Test
617 617 button_edit: Upravit
618 618 button_add: Přidat
619 619 button_change: Změnit
620 620 button_apply: Použít
621 621 button_clear: Smazat
622 622 button_lock: Zamknout
623 623 button_unlock: Odemknout
624 624 button_download: Stáhnout
625 625 button_list: Vypsat
626 626 button_view: Zobrazit
627 627 button_move: Přesunout
628 628 button_back: Zpět
629 629 button_cancel: Storno
630 630 button_activate: Aktivovat
631 631 button_sort: Seřadit
632 632 button_log_time: Přidat čas
633 633 button_rollback: Zpět k této verzi
634 634 button_watch: Sledovat
635 635 button_unwatch: Nesledovat
636 636 button_reply: Odpovědět
637 637 button_archive: Archivovat
638 638 button_unarchive: Odarchivovat
639 639 button_reset: Reset
640 640 button_rename: Přejmenovat
641 641 button_change_password: Změnit heslo
642 642 button_copy: Kopírovat
643 643 button_annotate: Komentovat
644 644 button_update: Aktualizovat
645 645 button_configure: Konfigurovat
646 646
647 647 status_active: aktivní
648 648 status_registered: registrovaný
649 649 status_locked: uzamčený
650 650
651 651 text_select_mail_notifications: Vyberte akci při které bude zasláno upozornění emailem.
652 652 text_regexp_info: např. ^[A-Z0-9]+$
653 653 text_min_max_length_info: 0 znamená bez limitu
654 654 text_project_destroy_confirmation: Jste si jisti, že chcete odstranit tento projekt a všechna související data ?
655 655 text_workflow_edit: Vyberte roli a frontu k editaci průběhu práce
656 656 text_are_you_sure: Jste si jisti?
657 657 text_tip_issue_begin_day: úkol začíná v tento den
658 658 text_tip_issue_end_day: úkol končí v tento den
659 659 text_tip_issue_begin_end_day: úkol začíná a končí v tento den
660 660 text_project_identifier_info: 'Jsou povolena malá písmena (a-z), čísla a pomlčky.<br />Po uložení již není možné identifikátor změnit.'
661 661 text_caracters_maximum: "{{count}} znaků maximálně."
662 662 text_caracters_minimum: "Musí být alespoň {{count}} znaků dlouhé."
663 663 text_length_between: "Délka mezi {{min}} a {{max}} znaky."
664 664 text_tracker_no_workflow: Pro tuto frontu není definován žádný průběh práce
665 665 text_unallowed_characters: Nepovolené znaky
666 666 text_comma_separated: Povoleno více hodnot (oddělěné čárkou).
667 667 text_issues_ref_in_commit_messages: Odkazování a opravování úkolů ve zprávách commitů
668 668 text_issue_added: "Úkol {{id}} byl vytvořen uživatelem {{author}}."
669 669 text_issue_updated: "Úkol {{id}} byl aktualizován uživatelem {{author}}."
670 670 text_wiki_destroy_confirmation: Opravdu si přejete odstranit tuto Wiki a celý její obsah?
671 671 text_issue_category_destroy_question: "Některé úkoly ({{count}}) jsou přiřazeny k této kategorii. Co s nimi chtete udělat?"
672 672 text_issue_category_destroy_assignments: Zrušit přiřazení ke kategorii
673 673 text_issue_category_reassign_to: Přiřadit úkoly do této kategorie
674 674 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))."
675 675 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"
676 676 text_load_default_configuration: Nahrát výchozí konfiguraci
677 677 text_status_changed_by_changeset: "Použito v changesetu {{value}}."
678 678 text_issues_destroy_confirmation: 'Opravdu si přejete odstranit všechny zvolené úkoly?'
679 679 text_select_project_modules: 'Aktivní moduly v tomto projektu:'
680 680 text_default_administrator_account_changed: Výchozí nastavení administrátorského účtu změněno
681 681 text_file_repository_writable: Povolen zápis do adresáře ukládání souborů
682 682 text_rmagick_available: RMagick k dispozici (volitelné)
683 683 text_destroy_time_entries_question: "U úkolů, které chcete odstranit je evidováno {{hours}} práce. Co chete udělat?"
684 684 text_destroy_time_entries: Odstranit evidované hodiny.
685 685 text_assign_time_entries_to_project: Přiřadit evidované hodiny projektu
686 686 text_reassign_time_entries: 'Přeřadit evidované hodiny k tomuto úkolu:'
687 687
688 688 default_role_manager: Manažer
689 689 default_role_developer: Vývojář
690 690 default_role_reporter: Reportér
691 691 default_tracker_bug: Chyba
692 692 default_tracker_feature: Požadavek
693 693 default_tracker_support: Podpora
694 694 default_issue_status_new: Nový
695 695 default_issue_status_in_progress: Ve vývoji
696 696 default_issue_status_resolved: Vyřešený
697 697 default_issue_status_feedback: Čeká se
698 698 default_issue_status_closed: Uzavřený
699 699 default_issue_status_rejected: Odmítnutý
700 700 default_doc_category_user: Uživatelská dokumentace
701 701 default_doc_category_tech: Technická dokumentace
702 702 default_priority_low: Nízká
703 703 default_priority_normal: Normální
704 704 default_priority_high: Vysoká
705 705 default_priority_urgent: Urgentní
706 706 default_priority_immediate: Okamžitá
707 707 default_activity_design: Návhr
708 708 default_activity_development: Vývoj
709 709
710 710 enumeration_issue_priorities: Priority úkolů
711 711 enumeration_doc_categories: Kategorie dokumentů
712 712 enumeration_activities: Aktivity (sledování času)
713 713 error_scm_annotate: "Položka neexistuje nebo nemůže být komentována."
714 714 label_planning: Plánování
715 715 text_subprojects_destroy_warning: "Jeho podprojek(y): {{value}} budou také smazány."
716 716 label_and_its_subprojects: "{{value}} a jeho podprojekty"
717 717 mail_body_reminder: "{{count}} úkol(ů), které máte přiřazeny termín během několik dní ({{days}}):"
718 718 mail_subject_reminder: "{{count}} úkol(ů) termín během několik dní ({{days}})"
719 719 text_user_wrote: "{{value}} napsal:"
720 720 label_duplicated_by: duplikováno od
721 721 setting_enabled_scm: Povolené SCM
722 722 text_enumeration_category_reassign_to: 'Přeřadit je do této:'
723 723 text_enumeration_destroy_question: "Několik ({{count}}) objektů je přiřazeno k této hodnotě."
724 724 label_incoming_emails: Příchozí e-maily
725 725 label_generate_key: Generovat klíč
726 726 setting_mail_handler_api_enabled: Povolit WS pro příchozí e-maily
727 727 setting_mail_handler_api_key: API klíč
728 728 text_email_delivery_not_configured: "Doručování e-mailů není nastaveno a odesílání notifikací je zakázáno.\nNastavte Váš SMTP server v souboru config/email.yml a restartujte aplikaci."
729 729 field_parent_title: Rodičovská stránka
730 730 label_issue_watchers: Sledování
731 731 setting_commit_logs_encoding: Kódování zpráv při commitu
732 732 button_quote: Citovat
733 733 setting_sequential_project_identifiers: Generovat sekvenční identifikátory projektů
734 734 notice_unable_delete_version: Nemohu odstanit verzi
735 735 label_renamed: přejmenováno
736 736 label_copied: zkopírováno
737 737 setting_plain_text_mail: pouze prostý text (ne HTML)
738 738 permission_view_files: Prohlížení souborů
739 739 permission_edit_issues: Upravování úkolů
740 740 permission_edit_own_time_entries: Upravování vlastních zázamů o stráveném čase
741 741 permission_manage_public_queries: Správa veřejných dotazů
742 742 permission_add_issues: Přidávání úkolů
743 743 permission_log_time: Zaznamenávání stráveného času
744 744 permission_view_changesets: Zobrazování sady změn
745 745 permission_view_time_entries: Zobrazení stráveného času
746 746 permission_manage_versions: Spravování verzí
747 747 permission_manage_wiki: Spravování Wiki
748 748 permission_manage_categories: Spravování kategorií úkolů
749 749 permission_protect_wiki_pages: Zabezpečení Wiki stránek
750 750 permission_comment_news: Komentování novinek
751 751 permission_delete_messages: Mazání zpráv
752 752 permission_select_project_modules: Výběr modulů projektu
753 753 permission_manage_documents: Správa dokumentů
754 754 permission_edit_wiki_pages: Upravování stránek Wiki
755 755 permission_add_issue_watchers: Přidání sledujících uživatelů
756 756 permission_view_gantt: Zobrazené Ganttova diagramu
757 757 permission_move_issues: Přesouvání úkolů
758 758 permission_manage_issue_relations: Spravování vztahů mezi úkoly
759 759 permission_delete_wiki_pages: Mazání stránek na Wiki
760 760 permission_manage_boards: Správa diskusních fór
761 761 permission_delete_wiki_pages_attachments: Mazání příloh
762 762 permission_view_wiki_edits: Prohlížení historie Wiki
763 763 permission_add_messages: Posílání zpráv
764 764 permission_view_messages: Prohlížení zpráv
765 765 permission_manage_files: Spravování souborů
766 766 permission_edit_issue_notes: Upravování poznámek
767 767 permission_manage_news: Spravování novinek
768 768 permission_view_calendar: Prohlížení kalendáře
769 769 permission_manage_members: Spravování členství
770 770 permission_edit_messages: Upravování zpráv
771 771 permission_delete_issues: Mazání úkolů
772 772 permission_view_issue_watchers: Zobrazení seznamu sledujícíh uživatelů
773 773 permission_manage_repository: Spravování repozitáře
774 774 permission_commit_access: Commit přístup
775 775 permission_browse_repository: Procházení repozitáře
776 776 permission_view_documents: Prohlížení dokumentů
777 777 permission_edit_project: Úprava projektů
778 778 permission_add_issue_notes: Přidávání poznámek
779 779 permission_save_queries: Ukládání dotazů
780 780 permission_view_wiki_pages: Prohlížení Wiki
781 781 permission_rename_wiki_pages: Přejmenovávání Wiki stránek
782 782 permission_edit_time_entries: Upravování záznamů o stráveném času
783 783 permission_edit_own_issue_notes: Upravování vlastních poznámek
784 784 setting_gravatar_enabled: Použít uživatelské ikony Gravatar
785 785 label_example: Příklad
786 786 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 mapovaní automaticky."
787 787 permission_edit_own_messages: Upravit vlastní zprávy
788 788 permission_delete_own_messages: Smazat vlastní zprávy
789 789 label_user_activity: "Aktivita uživatele: {{value}}"
790 790 label_updated_time_by: "Akutualizováno: {{author}} před: {{age}}"
791 791 text_diff_truncated: '... Rozdílový soubor je zkrácen, protože jeho délka přesahuje max. limit.'
792 792 setting_diff_max_lines_displayed: Maximální počet zobrazenách řádků rozdílů
793 793 text_plugin_assets_writable: Možnost zápisu do adresáře plugin assets
794 794 warning_attachments_not_saved: "{{count}} soubor(ů) nebylo možné uložit."
795 795 button_create_and_continue: Vytvořit a pokračovat
796 796 text_custom_field_possible_values_info: 'Každá hodnota na novém řádku'
797 797 label_display: Zobrazit
798 798 field_editable: Editovatelný
799 799 setting_repository_log_display_limit: Maximální počet revizí zobrazených v logu souboru
800 800 setting_file_max_size_displayed: Maximální velikost textových souborů zobrazených přímo na stránce
801 801 field_watcher: Sleduje
802 802 setting_openid: Umožnit přihlašování a registrace s OpenID
803 803 field_identity_url: OpenID URL
804 804 label_login_with_open_id_option: nebo se přihlašte s OpenID
805 805 field_content: Obsah
806 806 label_descending: Sestupně
807 807 label_sort: Řazení
808 808 label_ascending: Vzestupně
809 809 label_date_from_to: Od {{start}} do {{end}}
810 810 label_greater_or_equal: ">="
811 811 label_less_or_equal: <=
812 812 text_wiki_page_destroy_question: Tato stránka má {{descendants}} podstránek a potomků. Co chcete udělat?
813 813 text_wiki_page_reassign_children: Přiřadit podstránky k tomuto rodiči
814 814 text_wiki_page_nullify_children: Ponechat podstránky jako kořenové stránky
815 815 text_wiki_page_destroy_children: Smazat podstránky a všechny jejich potomky
816 816 setting_password_min_length: Minimální délka hesla
817 817 field_group_by: Seskupovat výsledky podle
818 818 mail_subject_wiki_content_updated: "'{{page}}' Wiki stránka byla aktualizována"
819 819 label_wiki_content_added: Wiki stránka přidána
820 820 mail_subject_wiki_content_added: "'{{page}}' Wiki stránka byla přidána"
821 821 mail_body_wiki_content_added: "'{{page}}' Wiki stránka byla přidána od {{author}}."
822 822 label_wiki_content_updated: Wiki stránka aktualizována
823 823 mail_body_wiki_content_updated: "'{{page}}' Wiki stránka byla aktualizována od {{author}}."
824 824 permission_add_project: Vytvořit projekt
825 825 setting_new_project_user_role_id: Role přiřazená uživateli bez práv administrátora, který projekt vytvořil
826 826 label_view_all_revisions: Zobrazit všechny revize
827 827 label_tag: Tag
828 828 label_branch: Branch
829 829 error_no_tracker_in_project: Žádná fronta nebyla přiřazena tomuto projektu. Prosím zkontroluje nastavení projektu.
830 830 error_no_default_issue_status: Není nastaven výchozí stav úkolu. Prosím zkontrolujte nastavení ("Administrace -> Stavy úkolů").
831 831 text_journal_changed: "{{label}} změněn z {{old}} na {{new}}"
832 832 text_journal_set_to: "{{label}} nastaven na {{value}}"
833 833 text_journal_deleted: "{{label}} smazán ({{old}})"
834 834 label_group_plural: Skupiny
835 835 label_group: Skupina
836 836 label_group_new: Nová skupina
837 837 label_time_entry_plural: Strávený čas
838 838 text_journal_added: "{{label}} {{value}} přidán"
839 839 field_active: Aktivní
840 840 enumeration_system_activity: Systémová aktivita
841 841 permission_delete_issue_watchers: Smazat přihlížející
842 842 version_status_closed: zavřený
843 843 version_status_locked: uzamčený
844 844 version_status_open: otevřený
845 845 error_can_not_reopen_issue_on_closed_version: Úkol přiřazený k uzavřené verzi nemůže být znovu otevřen
846 846 label_user_anonymous: Anonymní
847 847 button_move_and_follow: Přesunout a následovat
848 848 setting_default_projects_modules: Výchozí zapnutné moduly pro nový projekt
849 849 setting_gravatar_default: Výchozí Gravatar
850 850 field_sharing: Sdílení
851 851 label_version_sharing_hierarchy: S hierarchií projektu
852 852 label_version_sharing_system: Se všemi projekty
853 853 label_version_sharing_descendants: S podprojekty
854 854 label_version_sharing_tree: Se stromem projektu
855 855 label_version_sharing_none: Nesdíleno
856 856 error_can_not_archive_project: Tento projekt nemůže být archivován
857 857 button_duplicate: Duplikát
858 858 button_copy_and_follow: Kopírovat a následovat
859 859 label_copy_source: Zdroj
860 860 setting_issue_done_ratio: Spočítat koeficient dokončení úkolu s
861 861 setting_issue_done_ratio_issue_status: Použít stav úkolu
862 862 error_issue_done_ratios_not_updated: Koeficient dokončení úkolu nebyl aktualizován.
863 863 error_workflow_copy_target: Prosím vyberte cílovou frontu(y) a roly(e)
864 864 setting_issue_done_ratio_issue_field: Použít pole úkolu
865 865 label_copy_same_as_target: Stejný jako cíl
866 866 label_copy_target: Cíl
867 867 notice_issue_done_ratios_updated: Koeficienty dokončení úkolu byly aktualizovány.
868 868 error_workflow_copy_source: Prosím vyberte zdrojovou frontu nebo roly
869 869 label_update_issue_done_ratios: Aktualizovat koeficienty dokončení úkolů
870 870 setting_start_of_week: Začínat kalendáře
871 871 permission_view_issues: Zobrazit úkoly
872 872 label_display_used_statuses_only: Zobrazit pouze stavy které jsou použité touto frontou
873 873 label_revision_id: Revize {{value}}
874 874 label_api_access_key: API přístupový klíč
875 875 label_api_access_key_created_on: API přístupový klíč vytvořen {{value}}
876 876 label_feeds_access_key: RSS přístupový klíč
877 877 notice_api_access_key_reseted: Váš API přístupový klíč byl resetován.
878 878 setting_rest_api_enabled: Zapnout službu REST
879 879 label_missing_api_access_key: Chybějící přístupový klíč API
880 880 label_missing_feeds_access_key: Chybějící přístupový klíč RSS
881 881 button_show: Zobrazit
882 882 text_line_separated: Více hodnot povoleno (jeden řádek pro každou hodnotu).
883 883 setting_mail_handler_body_delimiters: Zkrátit e-maily po jednom z těchto řádků
884 884 permission_add_subprojects: Vytvořit podprojekty
885 885 label_subproject_new: Nový podprojekt
886 886 text_own_membership_delete_confirmation: |-
887 887 Chystáte se odebrat si některá nebo všechny svá oprávnění a potom již nemusíte být schopni upravit tento projekt.
888 888 Opravdu chcete pokračovat?
889 889 label_close_versions: Zavřít dokončené verze
890 890 label_board_sticky: Nálepka
891 891 label_board_locked: Uzamčeno
892 892 permission_export_wiki_pages: Exportovat Wiki stránky
893 893 setting_cache_formatted_text: Ukládat formátovaný text do vyrovnávací paměti
894 894 permission_manage_project_activities: Spravovat aktivity projektu
895 895 error_unable_delete_issue_status: Nelze smazat stavy úkolů
896 896 label_profile: Profil
897 897 permission_manage_subtasks: Spravovat podúkoly
898 898 field_parent_issue: Rodičovský úkol
899 899 label_subtask_plural: Podúkol
900 900 label_project_copy_notifications: Odeslat email oznámení v průběhu kopie projektu
901 901 error_can_not_delete_custom_field: Nelze smazat volitelné pole
902 902 error_unable_to_connect: Nelze se připojit ({{value}})
903 903 error_can_not_remove_role: Tato role je právě používaná a nelze ji smazat.
904 904 error_can_not_delete_tracker: Tato fronta obsahuje úkoly a nemůže být smazán.
905 905 field_principal: Hlavní
906 906 label_my_page_block: Bloky na mé stránce
907 907 notice_failed_to_save_members: "Nepodařilo se uložit člena(y): {{errors}}."
908 908 text_zoom_out: Oddálit
909 909 text_zoom_in: Přiblížit
910 910 notice_unable_delete_time_entry: Nelze smazat čas ze záznamu.
911 911 label_overall_spent_time: Celkově strávený čas
912 912 field_time_entries: Zaznamenaný čas
913 913 project_module_gantt: Gantt
914 914 project_module_calendar: Kalendář
915 915 button_edit_associated_wikipage: "Upravit přiřazenou Wiki stránku: {{page_title}}"
916 916 text_are_you_sure_with_children: Smazat úkol včetně všech podúkolů?
917 917 field_text: Textové pole
918 918 label_user_mail_option_only_owner: Only for things I am the owner of
919 919 setting_default_notification_option: Default notification option
920 920 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
921 921 label_user_mail_option_only_assigned: Only for things I am assigned to
922 922 label_user_mail_option_none: No events
923 923 field_member_of_group: Assignee's group
924 924 field_assigned_to_role: Assignee's role
925 notice_not_authorized_archived_project: The project you're trying to access has been archived.
@@ -1,940 +1,941
1 1 # Danish translation file for standard Ruby on Rails internationalization
2 2 # by Lars Hoeg (http://www.lenio.dk/)
3 3 # updated and upgraded to 0.9 by Morten Krogh Andersen (http://www.krogh.net)
4 4
5 5 da:
6 6 direction: ltr
7 7 date:
8 8 formats:
9 9 default: "%d.%m.%Y"
10 10 short: "%e. %b %Y"
11 11 long: "%e. %B %Y"
12 12
13 13 day_names: [søndag, mandag, tirsdag, onsdag, torsdag, fredag, lørdag]
14 14 abbr_day_names: [, ma, ti, 'on', to, fr, ]
15 15 month_names: [~, januar, februar, marts, april, maj, juni, juli, august, september, oktober, november, december]
16 16 abbr_month_names: [~, jan, feb, mar, apr, maj, jun, jul, aug, sep, okt, nov, dec]
17 17 order: [ :day, :month, :year ]
18 18
19 19 time:
20 20 formats:
21 21 default: "%e. %B %Y, %H:%M"
22 22 time: "%H:%M"
23 23 short: "%e. %b %Y, %H:%M"
24 24 long: "%A, %e. %B %Y, %H:%M"
25 25 am: ""
26 26 pm: ""
27 27
28 28 support:
29 29 array:
30 30 sentence_connector: "og"
31 31 skip_last_comma: true
32 32
33 33 datetime:
34 34 distance_in_words:
35 35 half_a_minute: "et halvt minut"
36 36 less_than_x_seconds:
37 37 one: "mindre end et sekund"
38 38 other: "mindre end {{count}} sekunder"
39 39 x_seconds:
40 40 one: "et sekund"
41 41 other: "{{count}} sekunder"
42 42 less_than_x_minutes:
43 43 one: "mindre end et minut"
44 44 other: "mindre end {{count}} minutter"
45 45 x_minutes:
46 46 one: "et minut"
47 47 other: "{{count}} minutter"
48 48 about_x_hours:
49 49 one: "cirka en time"
50 50 other: "cirka {{count}} timer"
51 51 x_days:
52 52 one: "en dag"
53 53 other: "{{count}} dage"
54 54 about_x_months:
55 55 one: "cirka en måned"
56 56 other: "cirka {{count}} måneder"
57 57 x_months:
58 58 one: "en måned"
59 59 other: "{{count}} måneder"
60 60 about_x_years:
61 61 one: "cirka et år"
62 62 other: "cirka {{count}} år"
63 63 over_x_years:
64 64 one: "mere end et år"
65 65 other: "mere end {{count}} år"
66 66 almost_x_years:
67 67 one: "næsten 1 år"
68 68 other: "næsten {{count}} år"
69 69
70 70 number:
71 71 format:
72 72 separator: ","
73 73 delimiter: "."
74 74 precision: 3
75 75 currency:
76 76 format:
77 77 format: "%u %n"
78 78 unit: "DKK"
79 79 separator: ","
80 80 delimiter: "."
81 81 precision: 2
82 82 precision:
83 83 format:
84 84 # separator:
85 85 delimiter: ""
86 86 # precision:
87 87 human:
88 88 format:
89 89 # separator:
90 90 delimiter: ""
91 91 precision: 1
92 92 storage_units:
93 93 format: "%n %u"
94 94 units:
95 95 byte:
96 96 one: "Byte"
97 97 other: "Bytes"
98 98 kb: "KB"
99 99 mb: "MB"
100 100 gb: "GB"
101 101 tb: "TB"
102 102 percentage:
103 103 format:
104 104 # separator:
105 105 delimiter: ""
106 106 # precision:
107 107
108 108 activerecord:
109 109 errors:
110 110 messages:
111 111 inclusion: "er ikke i listen"
112 112 exclusion: "er reserveret"
113 113 invalid: "er ikke gyldig"
114 114 confirmation: "stemmer ikke overens"
115 115 accepted: "skal accepteres"
116 116 empty: "må ikke udelades"
117 117 blank: "skal udfyldes"
118 118 too_long: "er for lang (højst {{count}} tegn)"
119 119 too_short: "er for kort (mindst {{count}} tegn)"
120 120 wrong_length: "har forkert længde (skulle være {{count}} tegn)"
121 121 taken: "er allerede anvendt"
122 122 not_a_number: "er ikke et tal"
123 123 greater_than: "skal være større end {{count}}"
124 124 greater_than_or_equal_to: "skal være større end eller lig med {{count}}"
125 125 equal_to: "skal være lig med {{count}}"
126 126 less_than: "skal være mindre end {{count}}"
127 127 less_than_or_equal_to: "skal være mindre end eller lig med {{count}}"
128 128 odd: "skal være ulige"
129 129 even: "skal være lige"
130 130 greater_than_start_date: "skal være senere end startdatoen"
131 131 not_same_project: "hører ikke til samme projekt"
132 132 circular_dependency: "Denne relation vil skabe et afhængighedsforhold"
133 133 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
134 134
135 135 template:
136 136 header:
137 137 one: "En fejl forhindrede {{model}} i at blive gemt"
138 138 other: "{{count}} fejl forhindrede denne {{model}} i at blive gemt"
139 139 body: "Der var problemer med følgende felter:"
140 140
141 141 actionview_instancetag_blank_option: Vælg venligst
142 142
143 143 general_text_No: 'Nej'
144 144 general_text_Yes: 'Ja'
145 145 general_text_no: 'nej'
146 146 general_text_yes: 'ja'
147 147 general_lang_name: 'Danish (Dansk)'
148 148 general_csv_separator: ','
149 149 general_csv_encoding: ISO-8859-1
150 150 general_pdf_encoding: ISO-8859-1
151 151 general_first_day_of_week: '1'
152 152
153 153 notice_account_updated: Kontoen er opdateret.
154 154 notice_account_invalid_creditentials: Ugyldig bruger og/eller kodeord
155 155 notice_account_password_updated: Kodeordet er opdateret.
156 156 notice_account_wrong_password: Forkert kodeord
157 157 notice_account_register_done: Kontoen er oprettet. For at aktivere kontoen skal du klikke på linket i den tilsendte email.
158 158 notice_account_unknown_email: Ukendt bruger.
159 159 notice_can_t_change_password: Denne konto benytter en ekstern sikkerhedsgodkendelse. Det er ikke muligt at skifte kodeord.
160 160 notice_account_lost_email_sent: En email med instruktioner til at vælge et nyt kodeord er afsendt til dig.
161 161 notice_account_activated: Din konto er aktiveret. Du kan nu logge ind.
162 162 notice_successful_create: Succesfuld oprettelse.
163 163 notice_successful_update: Succesfuld opdatering.
164 164 notice_successful_delete: Succesfuld sletning.
165 165 notice_successful_connection: Succesfuld forbindelse.
166 166 notice_file_not_found: Siden du forsøger at tilgå eksisterer ikke eller er blevet fjernet.
167 167 notice_locking_conflict: Data er opdateret af en anden bruger.
168 168 notice_not_authorized: Du har ikke adgang til denne side.
169 169 notice_email_sent: "En email er sendt til {{value}}"
170 170 notice_email_error: "En fejl opstod under afsendelse af email ({{value}})"
171 171 notice_feeds_access_key_reseted: Din adgangsnøgle til RSS er nulstillet.
172 172 notice_failed_to_save_issues: "Det mislykkedes at gemme {{count}} sage(r) {{total}} valgt: {{ids}}."
173 173 notice_no_issue_selected: "Ingen sag er valgt! Vælg venligst hvilke emner du vil rette."
174 174 notice_account_pending: "Din konto er oprettet, og afventer administrators godkendelse."
175 175 notice_default_data_loaded: Standardopsætningen er indlæst.
176 176
177 177 error_can_t_load_default_data: "Standardopsætning kunne ikke indlæses: {{value}}"
178 178 error_scm_not_found: "Adgang nægtet og/eller revision blev ikke fundet i det valgte repository."
179 179 error_scm_command_failed: "En fejl opstod under forbindelsen til det valgte repository: {{value}}"
180 180
181 181 mail_subject_lost_password: "Dit {{value}} kodeord"
182 182 mail_body_lost_password: 'For at ændre dit kodeord, klik dette link:'
183 183 mail_subject_register: "{{value}} kontoaktivering"
184 184 mail_body_register: 'Klik dette link for at aktivere din konto:'
185 185 mail_body_account_information_external: "Du kan bruge din {{value}} konto til at logge ind."
186 186 mail_body_account_information: Din kontoinformation
187 187 mail_subject_account_activation_request: "{{value}} kontoaktivering"
188 188 mail_body_account_activation_request: "En ny bruger ({{value}}) er registreret. Godkend venligst kontoen:"
189 189
190 190 gui_validation_error: 1 fejl
191 191 gui_validation_error_plural: "{{count}} fejl"
192 192
193 193 field_name: Navn
194 194 field_description: Beskrivelse
195 195 field_summary: Sammenfatning
196 196 field_is_required: Skal udfyldes
197 197 field_firstname: Fornavn
198 198 field_lastname: Efternavn
199 199 field_mail: Email
200 200 field_filename: Fil
201 201 field_filesize: Størrelse
202 202 field_downloads: Downloads
203 203 field_author: Forfatter
204 204 field_created_on: Oprettet
205 205 field_updated_on: Opdateret
206 206 field_field_format: Format
207 207 field_is_for_all: For alle projekter
208 208 field_possible_values: Mulige værdier
209 209 field_regexp: Regulære udtryk
210 210 field_min_length: Mindste længde
211 211 field_max_length: Største længde
212 212 field_value: Værdi
213 213 field_category: Kategori
214 214 field_title: Titel
215 215 field_project: Projekt
216 216 field_issue: Sag
217 217 field_status: Status
218 218 field_notes: Noter
219 219 field_is_closed: Sagen er lukket
220 220 field_is_default: Standardværdi
221 221 field_tracker: Type
222 222 field_subject: Emne
223 223 field_due_date: Deadline
224 224 field_assigned_to: Tildelt til
225 225 field_priority: Prioritet
226 226 field_fixed_version: Target version
227 227 field_user: Bruger
228 228 field_role: Rolle
229 229 field_homepage: Hjemmeside
230 230 field_is_public: Offentlig
231 231 field_parent: Underprojekt af
232 232 field_is_in_roadmap: Sager vist i roadmap
233 233 field_login: Login
234 234 field_mail_notification: Email-påmindelser
235 235 field_admin: Administrator
236 236 field_last_login_on: Sidste forbindelse
237 237 field_language: Sprog
238 238 field_effective_date: Dato
239 239 field_password: Kodeord
240 240 field_new_password: Nyt kodeord
241 241 field_password_confirmation: Bekræft
242 242 field_version: Version
243 243 field_type: Type
244 244 field_host: Vært
245 245 field_port: Port
246 246 field_account: Kode
247 247 field_base_dn: Base DN
248 248 field_attr_login: Login attribut
249 249 field_attr_firstname: Fornavn attribut
250 250 field_attr_lastname: Efternavn attribut
251 251 field_attr_mail: Email attribut
252 252 field_onthefly: løbende brugeroprettelse
253 253 field_start_date: Start
254 254 field_done_ratio: % Færdig
255 255 field_auth_source: Sikkerhedsmetode
256 256 field_hide_mail: Skjul min email
257 257 field_comments: Kommentar
258 258 field_url: URL
259 259 field_start_page: Startside
260 260 field_subproject: Underprojekt
261 261 field_hours: Timer
262 262 field_activity: Aktivitet
263 263 field_spent_on: Dato
264 264 field_identifier: Identifikator
265 265 field_is_filter: Brugt som et filter
266 266 field_issue_to: Beslægtede sag
267 267 field_delay: Udsættelse
268 268 field_assignable: Sager kan tildeles denne rolle
269 269 field_redirect_existing_links: Videresend eksisterende links
270 270 field_estimated_hours: Anslået tid
271 271 field_column_names: Kolonner
272 272 field_time_zone: Tidszone
273 273 field_searchable: Søgbar
274 274 field_default_value: Standardværdi
275 275
276 276 setting_app_title: Applikationstitel
277 277 setting_app_subtitle: Applikationsundertekst
278 278 setting_welcome_text: Velkomsttekst
279 279 setting_default_language: Standardsporg
280 280 setting_login_required: Sikkerhed påkrævet
281 281 setting_self_registration: Brugeroprettelse
282 282 setting_attachment_max_size: Vedhæftede filers max størrelse
283 283 setting_issues_export_limit: Sagseksporteringsbegrænsning
284 284 setting_mail_from: Afsender-email
285 285 setting_bcc_recipients: Skjult modtager (bcc)
286 286 setting_host_name: Værtsnavn
287 287 setting_text_formatting: Tekstformatering
288 288 setting_wiki_compression: Komprimering af wiki-historik
289 289 setting_feeds_limit: Feed indholdsbegrænsning
290 290 setting_autofetch_changesets: Hent automatisk commits
291 291 setting_sys_api_enabled: Aktiver webservice for automatisk administration af repository
292 292 setting_commit_ref_keywords: Referencenøgleord
293 293 setting_commit_fix_keywords: Afslutningsnøgleord
294 294 setting_autologin: Automatisk login
295 295 setting_date_format: Datoformat
296 296 setting_time_format: Tidsformat
297 297 setting_cross_project_issue_relations: Tillad sagsrelationer på tværs af projekter
298 298 setting_issue_list_default_columns: Standardkolonner på sagslisten
299 299 setting_repositories_encodings: Repository-tegnsæt
300 300 setting_emails_footer: Email-fodnote
301 301 setting_protocol: Protokol
302 302 setting_user_format: Brugervisningsformat
303 303
304 304 project_module_issue_tracking: Sagssøgning
305 305 project_module_time_tracking: Tidsstyring
306 306 project_module_news: Nyheder
307 307 project_module_documents: Dokumenter
308 308 project_module_files: Filer
309 309 project_module_wiki: Wiki
310 310 project_module_repository: Repository
311 311 project_module_boards: Fora
312 312
313 313 label_user: Bruger
314 314 label_user_plural: Brugere
315 315 label_user_new: Ny bruger
316 316 label_project: Projekt
317 317 label_project_new: Nyt projekt
318 318 label_project_plural: Projekter
319 319 label_x_projects:
320 320 zero: Ingen projekter
321 321 one: 1 projekt
322 322 other: "{{count}} projekter"
323 323 label_project_all: Alle projekter
324 324 label_project_latest: Seneste projekter
325 325 label_issue: Sag
326 326 label_issue_new: Opret sag
327 327 label_issue_plural: Sager
328 328 label_issue_view_all: Vis alle sager
329 329 label_issues_by: "Sager fra {{value}}"
330 330 label_issue_added: Sagen er oprettet
331 331 label_issue_updated: Sagen er opdateret
332 332 label_document: Dokument
333 333 label_document_new: Nyt dokument
334 334 label_document_plural: Dokumenter
335 335 label_document_added: Dokument tilføjet
336 336 label_role: Rolle
337 337 label_role_plural: Roller
338 338 label_role_new: Ny rolle
339 339 label_role_and_permissions: Roller og rettigheder
340 340 label_member: Medlem
341 341 label_member_new: Nyt medlem
342 342 label_member_plural: Medlemmer
343 343 label_tracker: Type
344 344 label_tracker_plural: Typer
345 345 label_tracker_new: Ny type
346 346 label_workflow: Arbejdsgang
347 347 label_issue_status: Sagsstatus
348 348 label_issue_status_plural: Sagsstatuser
349 349 label_issue_status_new: Ny status
350 350 label_issue_category: Sagskategori
351 351 label_issue_category_plural: Sagskategorier
352 352 label_issue_category_new: Ny kategori
353 353 label_custom_field: Brugerdefineret felt
354 354 label_custom_field_plural: Brugerdefinerede felter
355 355 label_custom_field_new: Nyt brugerdefineret felt
356 356 label_enumerations: Værdier
357 357 label_enumeration_new: Ny værdi
358 358 label_information: Information
359 359 label_information_plural: Information
360 360 label_please_login: Login
361 361 label_register: Registrér
362 362 label_password_lost: Glemt kodeord
363 363 label_home: Forside
364 364 label_my_page: Min side
365 365 label_my_account: Min konto
366 366 label_my_projects: Mine projekter
367 367 label_administration: Administration
368 368 label_login: Log ind
369 369 label_logout: Log ud
370 370 label_help: Hjælp
371 371 label_reported_issues: Rapporterede sager
372 372 label_assigned_to_me_issues: Sager tildelt mig
373 373 label_last_login: Sidste login tidspunkt
374 374 label_registered_on: Registeret den
375 375 label_activity: Aktivitet
376 376 label_new: Ny
377 377 label_logged_as: Registreret som
378 378 label_environment: Miljø
379 379 label_authentication: Sikkerhed
380 380 label_auth_source: Sikkerhedsmetode
381 381 label_auth_source_new: Ny sikkerhedsmetode
382 382 label_auth_source_plural: Sikkerhedsmetoder
383 383 label_subproject_plural: Underprojekter
384 384 label_min_max_length: Min - Max længde
385 385 label_list: Liste
386 386 label_date: Dato
387 387 label_integer: Heltal
388 388 label_float: Kommatal
389 389 label_boolean: Sand/falsk
390 390 label_string: Tekst
391 391 label_text: Lang tekst
392 392 label_attribute: Attribut
393 393 label_attribute_plural: Attributter
394 394 label_download: "{{count}} Download"
395 395 label_download_plural: "{{count}} Downloads"
396 396 label_no_data: Ingen data at vise
397 397 label_change_status: Ændringsstatus
398 398 label_history: Historik
399 399 label_attachment: Fil
400 400 label_attachment_new: Ny fil
401 401 label_attachment_delete: Slet fil
402 402 label_attachment_plural: Filer
403 403 label_file_added: Fil tilføjet
404 404 label_report: Rapport
405 405 label_report_plural: Rapporter
406 406 label_news: Nyheder
407 407 label_news_new: Tilføj nyheder
408 408 label_news_plural: Nyheder
409 409 label_news_latest: Seneste nyheder
410 410 label_news_view_all: Vis alle nyheder
411 411 label_news_added: Nyhed tilføjet
412 412 label_settings: Indstillinger
413 413 label_overview: Oversigt
414 414 label_version: Udgave
415 415 label_version_new: Ny udgave
416 416 label_version_plural: Udgaver
417 417 label_confirmation: Bekræftelser
418 418 label_export_to: Eksporter til
419 419 label_read: Læs...
420 420 label_public_projects: Offentlige projekter
421 421 label_open_issues: åben
422 422 label_open_issues_plural: åbne
423 423 label_closed_issues: lukket
424 424 label_closed_issues_plural: lukkede
425 425 label_x_open_issues_abbr_on_total:
426 426 zero: 0 åbne / {{total}}
427 427 one: 1 åben / {{total}}
428 428 other: "{{count}} åbne / {{total}}"
429 429 label_x_open_issues_abbr:
430 430 zero: 0 åbne
431 431 one: 1 åben
432 432 other: "{{count}} åbne"
433 433 label_x_closed_issues_abbr:
434 434 zero: 0 lukkede
435 435 one: 1 lukket
436 436 other: "{{count}} lukkede"
437 437 label_total: Total
438 438 label_permissions: Rettigheder
439 439 label_current_status: Nuværende status
440 440 label_new_statuses_allowed: Ny status tilladt
441 441 label_all: alle
442 442 label_none: intet
443 443 label_nobody: ingen
444 444 label_next: Næste
445 445 label_previous: Forrig
446 446 label_used_by: Brugt af
447 447 label_details: Detaljer
448 448 label_add_note: Tilføj note
449 449 label_per_page: Pr. side
450 450 label_calendar: Kalender
451 451 label_months_from: måneder frem
452 452 label_gantt: Gantt
453 453 label_internal: Intern
454 454 label_last_changes: "sidste {{count}} ændringer"
455 455 label_change_view_all: Vis alle ændringer
456 456 label_personalize_page: Tilret denne side
457 457 label_comment: Kommentar
458 458 label_comment_plural: Kommentarer
459 459 label_x_comments:
460 460 zero: ingen kommentarer
461 461 one: 1 kommentar
462 462 other: "{{count}} kommentarer"
463 463 label_comment_add: Tilføj en kommentar
464 464 label_comment_added: Kommentaren er tilføjet
465 465 label_comment_delete: Slet kommentar
466 466 label_query: Brugerdefineret forespørgsel
467 467 label_query_plural: Brugerdefinerede forespørgsler
468 468 label_query_new: Ny forespørgsel
469 469 label_filter_add: Tilføj filter
470 470 label_filter_plural: Filtre
471 471 label_equals: er
472 472 label_not_equals: er ikke
473 473 label_in_less_than: er mindre end
474 474 label_in_more_than: er større end
475 475 label_in: indeholdt i
476 476 label_today: i dag
477 477 label_all_time: altid
478 478 label_yesterday: i går
479 479 label_this_week: denne uge
480 480 label_last_week: sidste uge
481 481 label_last_n_days: "sidste {{count}} dage"
482 482 label_this_month: denne måned
483 483 label_last_month: sidste måned
484 484 label_this_year: dette år
485 485 label_date_range: Dato interval
486 486 label_less_than_ago: mindre end dage siden
487 487 label_more_than_ago: mere end dage siden
488 488 label_ago: days siden
489 489 label_contains: indeholder
490 490 label_not_contains: ikke indeholder
491 491 label_day_plural: dage
492 492 label_repository: Repository
493 493 label_repository_plural: Repositories
494 494 label_browse: Gennemse
495 495 label_modification: "{{count}} ændring"
496 496 label_modification_plural: "{{count}} ændringer"
497 497 label_revision: Revision
498 498 label_revision_plural: Revisioner
499 499 label_associated_revisions: Tilnyttede revisioner
500 500 label_added: tilføjet
501 501 label_modified: ændret
502 502 label_deleted: slettet
503 503 label_latest_revision: Seneste revision
504 504 label_latest_revision_plural: Seneste revisioner
505 505 label_view_revisions: Se revisioner
506 506 label_max_size: Maksimal størrelse
507 507 label_sort_highest: Flyt til toppen
508 508 label_sort_higher: Flyt op
509 509 label_sort_lower: Flyt ned
510 510 label_sort_lowest: Flyt til bunden
511 511 label_roadmap: Roadmap
512 512 label_roadmap_due_in: Deadline
513 513 label_roadmap_overdue: "{{value}} forsinket"
514 514 label_roadmap_no_issues: Ingen sager i denne version
515 515 label_search: Søg
516 516 label_result_plural: Resultater
517 517 label_all_words: Alle ord
518 518 label_wiki: Wiki
519 519 label_wiki_edit: Wiki ændring
520 520 label_wiki_edit_plural: Wiki ændringer
521 521 label_wiki_page: Wiki side
522 522 label_wiki_page_plural: Wiki sider
523 523 label_index_by_title: Indhold efter titel
524 524 label_index_by_date: Indhold efter dato
525 525 label_current_version: Nuværende version
526 526 label_preview: Forhåndsvisning
527 527 label_feed_plural: Feeds
528 528 label_changes_details: Detaljer for alle ændringer
529 529 label_issue_tracking: Sags søgning
530 530 label_spent_time: Anvendt tid
531 531 label_f_hour: "{{value}} time"
532 532 label_f_hour_plural: "{{value}} timer"
533 533 label_time_tracking: Tidsstyring
534 534 label_change_plural: Ændringer
535 535 label_statistics: Statistik
536 536 label_commits_per_month: Commits pr. måned
537 537 label_commits_per_author: Commits pr. bruger
538 538 label_view_diff: Vis forskelle
539 539 label_diff_inline: inline
540 540 label_diff_side_by_side: side om side
541 541 label_options: Optioner
542 542 label_copy_workflow_from: Kopier arbejdsgang fra
543 543 label_permissions_report: Godkendelsesrapport
544 544 label_watched_issues: Overvågede sager
545 545 label_related_issues: Relaterede sager
546 546 label_applied_status: Anvendte statuser
547 547 label_loading: Indlæser...
548 548 label_relation_new: Ny relation
549 549 label_relation_delete: Slet relation
550 550 label_relates_to: relaterer til
551 551 label_duplicates: kopierer
552 552 label_blocks: blokerer
553 553 label_blocked_by: blokeret af
554 554 label_precedes: kommer før
555 555 label_follows: følger
556 556 label_end_to_start: slut til start
557 557 label_end_to_end: slut til slut
558 558 label_start_to_start: start til start
559 559 label_start_to_end: start til slut
560 560 label_stay_logged_in: Forbliv indlogget
561 561 label_disabled: deaktiveret
562 562 label_show_completed_versions: Vis færdige versioner
563 563 label_me: mig
564 564 label_board: Forum
565 565 label_board_new: Nyt forum
566 566 label_board_plural: Fora
567 567 label_topic_plural: Emner
568 568 label_message_plural: Beskeder
569 569 label_message_last: Sidste besked
570 570 label_message_new: Ny besked
571 571 label_message_posted: Besked tilføjet
572 572 label_reply_plural: Besvarer
573 573 label_send_information: Send konto information til bruger
574 574 label_year: År
575 575 label_month: Måned
576 576 label_week: Uge
577 577 label_date_from: Fra
578 578 label_date_to: Til
579 579 label_language_based: Baseret på brugerens sprog
580 580 label_sort_by: "Sortér efter {{value}}"
581 581 label_send_test_email: Send en test email
582 582 label_feeds_access_key_created_on: "RSS adgangsnøgle dannet for {{value}} siden"
583 583 label_module_plural: Moduler
584 584 label_added_time_by: "Tilføjet af {{author}} for {{age}} siden"
585 585 label_updated_time: "Opdateret for {{value}} siden"
586 586 label_jump_to_a_project: Skift til projekt...
587 587 label_file_plural: Filer
588 588 label_changeset_plural: Ændringer
589 589 label_default_columns: Standard kolonner
590 590 label_no_change_option: (Ingen ændringer)
591 591 label_bulk_edit_selected_issues: Masse-ret de valgte sager
592 592 label_theme: Tema
593 593 label_default: standard
594 594 label_search_titles_only: Søg kun i titler
595 595 label_user_mail_option_all: "For alle hændelser mine projekter"
596 596 label_user_mail_option_selected: "For alle hændelser de valgte projekter..."
597 597 label_user_mail_no_self_notified: "Jeg ønsker ikke besked om ændring foretaget af mig selv"
598 598 label_registration_activation_by_email: kontoaktivering på email
599 599 label_registration_manual_activation: manuel kontoaktivering
600 600 label_registration_automatic_activation: automatisk kontoaktivering
601 601 label_display_per_page: "Per side: {{value}}"
602 602 label_age: Alder
603 603 label_change_properties: Ændre indstillinger
604 604 label_general: Generelt
605 605 label_more: Mere
606 606 label_scm: SCM
607 607 label_plugins: Plugins
608 608 label_ldap_authentication: LDAP-godkendelse
609 609 label_downloads_abbr: D/L
610 610
611 611 button_login: Login
612 612 button_submit: Send
613 613 button_save: Gem
614 614 button_check_all: Vælg alt
615 615 button_uncheck_all: Fravælg alt
616 616 button_delete: Slet
617 617 button_create: Opret
618 618 button_test: Test
619 619 button_edit: Ret
620 620 button_add: Tilføj
621 621 button_change: Ændre
622 622 button_apply: Anvend
623 623 button_clear: Nulstil
624 624 button_lock: Lås
625 625 button_unlock: Lås op
626 626 button_download: Download
627 627 button_list: List
628 628 button_view: Vis
629 629 button_move: Flyt
630 630 button_back: Tilbage
631 631 button_cancel: Annullér
632 632 button_activate: Aktivér
633 633 button_sort: Sortér
634 634 button_log_time: Log tid
635 635 button_rollback: Tilbagefør til denne version
636 636 button_watch: Overvåg
637 637 button_unwatch: Stop overvågning
638 638 button_reply: Besvar
639 639 button_archive: Arkivér
640 640 button_unarchive: Fjern fra arkiv
641 641 button_reset: Nulstil
642 642 button_rename: Omdøb
643 643 button_change_password: Skift kodeord
644 644 button_copy: Kopiér
645 645 button_annotate: Annotér
646 646 button_update: Opdatér
647 647 button_configure: Konfigurér
648 648
649 649 status_active: aktiv
650 650 status_registered: registreret
651 651 status_locked: låst
652 652
653 653 text_select_mail_notifications: Vælg handlinger der skal sendes email besked for.
654 654 text_regexp_info: f.eks. ^[A-ZÆØÅ0-9]+$
655 655 text_min_max_length_info: 0 betyder ingen begrænsninger
656 656 text_project_destroy_confirmation: Er du sikker på at du vil slette dette projekt og alle relaterede data?
657 657 text_workflow_edit: Vælg en rolle samt en type, for at redigere arbejdsgangen
658 658 text_are_you_sure: Er du sikker?
659 659 text_tip_issue_begin_day: opgaven begynder denne dag
660 660 text_tip_issue_end_day: opaven slutter denne dag
661 661 text_tip_issue_begin_end_day: opgaven begynder og slutter denne dag
662 662 text_project_identifier_info: 'Små bogstaver (a-z), numre og bindestreg er tilladt.<br />Denne er en unik identifikation for projektet, og kan defor ikke rettes senere.'
663 663 text_caracters_maximum: "max {{count}} karakterer."
664 664 text_caracters_minimum: "Skal være mindst {{count}} karakterer lang."
665 665 text_length_between: "Længde skal være mellem {{min}} og {{max}} karakterer."
666 666 text_tracker_no_workflow: Ingen arbejdsgang defineret for denne type
667 667 text_unallowed_characters: Ikke-tilladte karakterer
668 668 text_comma_separated: Adskillige værdier tilladt (adskilt med komma).
669 669 text_issues_ref_in_commit_messages: Referer og løser sager i commit-beskeder
670 670 text_issue_added: "Sag {{id}} er rapporteret af {{author}}."
671 671 text_issue_updated: "Sag {{id}} er blevet opdateret af {{author}}."
672 672 text_wiki_destroy_confirmation: Er du sikker på at du vil slette denne wiki og dens indhold?
673 673 text_issue_category_destroy_question: "Nogle sager ({{count}}) er tildelt denne kategori. Hvad ønsker du at gøre?"
674 674 text_issue_category_destroy_assignments: Slet tildelinger af kategori
675 675 text_issue_category_reassign_to: Tildel sager til denne kategori
676 676 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)."
677 677 text_no_configuration_data: "Roller, typer, sagsstatuser og arbejdsgange er endnu ikke konfigureret.\nDet er anbefalet at indlæse standardopsætningen. Du vil kunne ændre denne når den er indlæst."
678 678 text_load_default_configuration: Indlæs standardopsætningen
679 679 text_status_changed_by_changeset: "Anvendt i ændring {{value}}."
680 680 text_issues_destroy_confirmation: 'Er du sikker du ønsker at slette den/de valgte sag(er)?'
681 681 text_select_project_modules: 'Vælg moduler er skal være aktiveret for dette projekt:'
682 682 text_default_administrator_account_changed: Standard administratorkonto ændret
683 683 text_file_repository_writable: Filarkiv er skrivbar
684 684 text_rmagick_available: RMagick tilgængelig (valgfri)
685 685
686 686 default_role_manager: Leder
687 687 default_role_developer: Udvikler
688 688 default_role_reporter: Rapportør
689 689 default_tracker_bug: Bug
690 690 default_tracker_feature: Feature
691 691 default_tracker_support: Support
692 692 default_issue_status_new: Ny
693 693 default_issue_status_in_progress: Igangværende
694 694 default_issue_status_resolved: Løst
695 695 default_issue_status_feedback: Feedback
696 696 default_issue_status_closed: Lukket
697 697 default_issue_status_rejected: Afvist
698 698 default_doc_category_user: Brugerdokumentation
699 699 default_doc_category_tech: Teknisk dokumentation
700 700 default_priority_low: Lav
701 701 default_priority_normal: Normal
702 702 default_priority_high: Høj
703 703 default_priority_urgent: Akut
704 704 default_priority_immediate: Omgående
705 705 default_activity_design: Design
706 706 default_activity_development: Udvikling
707 707
708 708 enumeration_issue_priorities: Sagsprioriteter
709 709 enumeration_doc_categories: Dokumentkategorier
710 710 enumeration_activities: Aktiviteter (tidsstyring)
711 711
712 712 label_add_another_file: Tilføj endnu en fil
713 713 label_chronological_order: I kronologisk rækkefølge
714 714 setting_activity_days_default: Antal dage der vises under projektaktivitet
715 715 text_destroy_time_entries_question: "{{hours}} timer er registreret denne sag som du er ved at slette. Hvad vil du gøre?"
716 716 error_issue_not_found_in_project: 'Sagen blev ikke fundet eller tilhører ikke dette projekt'
717 717 text_assign_time_entries_to_project: Tildel raporterede timer til projektet
718 718 setting_display_subprojects_issues: Vis sager for underprojekter på hovedprojektet som standard
719 719 label_optional_description: Optionel beskrivelse
720 720 text_destroy_time_entries: Slet registrerede timer
721 721 field_comments_sorting: Vis kommentar
722 722 text_reassign_time_entries: 'Tildel registrerede timer til denne sag igen'
723 723 label_reverse_chronological_order: I omvendt kronologisk rækkefølge
724 724 label_preferences: Preferences
725 725 label_overall_activity: Overordnet aktivitet
726 726 setting_default_projects_public: Nye projekter er offentlige som standard
727 727 error_scm_annotate: "Filen findes ikke, eller kunne ikke annoteres."
728 728 label_planning: Planlægning
729 729 text_subprojects_destroy_warning: "Dets underprojekter(er): {{value}} vil også blive slettet."
730 730 permission_edit_issues: Redigér sager
731 731 setting_diff_max_lines_displayed: Højeste antal forskelle der vises
732 732 permission_edit_own_issue_notes: Redigér egne noter
733 733 setting_enabled_scm: Aktiveret SCM
734 734 button_quote: Citér
735 735 permission_view_files: Se filer
736 736 permission_add_issues: Tilføj sager
737 737 permission_edit_own_messages: Redigér egne beskeder
738 738 permission_delete_own_messages: Slet egne beskeder
739 739 permission_manage_public_queries: Administrér offentlig forespørgsler
740 740 permission_log_time: Registrér anvendt tid
741 741 label_renamed: omdøbt
742 742 label_incoming_emails: Indkommende emails
743 743 permission_view_changesets: Se ændringer
744 744 permission_manage_versions: Administrér versioner
745 745 permission_view_time_entries: Se anvendt tid
746 746 label_generate_key: Generér en nøglefil
747 747 permission_manage_categories: Administrér sagskategorier
748 748 permission_manage_wiki: Administrér wiki
749 749 setting_sequential_project_identifiers: Generér sekventielle projekt-identifikatorer
750 750 setting_plain_text_mail: Emails som almindelig tekst (ingen HTML)
751 751 field_parent_title: Siden over
752 752 text_email_delivery_not_configured: "Email-afsendelse er ikke indstillet og notifikationer er defor slået fra.\nKonfigurér din SMTP server i config/email.yml og genstart applikationen for at aktivere email-afsendelse."
753 753 permission_protect_wiki_pages: Beskyt wiki sider
754 754 permission_manage_documents: Administrér dokumenter
755 755 permission_add_issue_watchers: Tilføj overvågere
756 756 warning_attachments_not_saved: "der var {{count}} fil(er), som ikke kunne gemmes."
757 757 permission_comment_news: Kommentér nyheder
758 758 text_enumeration_category_reassign_to: 'FLyt dem til denne værdi:'
759 759 permission_select_project_modules: Vælg projektmoduler
760 760 permission_view_gantt: Se Gantt diagram
761 761 permission_delete_messages: Slet beskeder
762 762 permission_move_issues: Flyt sager
763 763 permission_edit_wiki_pages: Redigér wiki sider
764 764 label_user_activity: "{{value}}'s aktivitet"
765 765 permission_manage_issue_relations: Administrér sags-relationer
766 766 label_issue_watchers: Overvågere
767 767 permission_delete_wiki_pages: Slet wiki sider
768 768 notice_unable_delete_version: Kan ikke slette versionen.
769 769 permission_view_wiki_edits: Se wiki historik
770 770 field_editable: Redigérbar
771 771 label_duplicated_by: dubleret af
772 772 permission_manage_boards: Administrér fora
773 773 permission_delete_wiki_pages_attachments: Slet filer vedhæftet wiki sider
774 774 permission_view_messages: Se beskeder
775 775 text_enumeration_destroy_question: "{{count}} objekter er tildelt denne værdi."
776 776 permission_manage_files: Administrér filer
777 777 permission_add_messages: Opret beskeder
778 778 permission_edit_issue_notes: Redigér noter
779 779 permission_manage_news: Administrér nyheder
780 780 text_plugin_assets_writable: Der er skriverettigheder til plugin assets folderen
781 781 label_display: Vis
782 782 label_and_its_subprojects: "{{value}} og dets underprojekter"
783 783 permission_view_calendar: Se kalender
784 784 button_create_and_continue: Opret og fortsæt
785 785 setting_gravatar_enabled: Anvend Gravatar bruger ikoner
786 786 label_updated_time_by: "Opdateret af {{author}} for {{age}} siden"
787 787 text_diff_truncated: '... Listen over forskelle er bleve afkortet da den overstiger den maksimale størrelse der kan vises.'
788 788 text_user_wrote: "{{value}} skrev:"
789 789 setting_mail_handler_api_enabled: Aktiver webservice for indkomne emails
790 790 permission_delete_issues: Slet sager
791 791 permission_view_documents: Se dokumenter
792 792 permission_browse_repository: Gennemse repository
793 793 permission_manage_repository: Administrér repository
794 794 permission_manage_members: Administrér medlemmer
795 795 mail_subject_reminder: "{{count}} sag(er) har deadline i de kommende dage ({{days}})"
796 796 permission_add_issue_notes: Tilføj noter
797 797 permission_edit_messages: Redigér beskeder
798 798 permission_view_issue_watchers: Se liste over overvågere
799 799 permission_commit_access: Commit adgang
800 800 setting_mail_handler_api_key: API nøgle
801 801 label_example: Eksempel
802 802 permission_rename_wiki_pages: Omdøb wiki sider
803 803 text_custom_field_possible_values_info: 'En linje for hver værdi'
804 804 permission_view_wiki_pages: Se wiki
805 805 permission_edit_project: Redigér projekt
806 806 permission_save_queries: Gem forespørgsler
807 807 label_copied: kopieret
808 808 setting_commit_logs_encoding: Kodning af Commit beskeder
809 809 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."
810 810 permission_edit_time_entries: Redigér tidsregistreringer
811 811 general_csv_decimal_separator: ','
812 812 permission_edit_own_time_entries: Redigér egne tidsregistreringer
813 813 setting_repository_log_display_limit: Højeste antal revisioner vist i fil-log
814 814 setting_file_max_size_displayed: Maksimale størrelse på tekstfiler vist inline
815 815 field_watcher: Overvåger
816 816 setting_openid: Tillad OpenID login og registrering
817 817 field_identity_url: OpenID URL
818 818 label_login_with_open_id_option: eller login med OpenID
819 819 setting_per_page_options: Enheder per side muligheder
820 820 mail_body_reminder: "{{count}} sage(er) som er tildelt dig har deadline indenfor de næste {{days}} dage:"
821 821 field_content: Indhold
822 822 label_descending: Aftagende
823 823 label_sort: Sortér
824 824 label_ascending: Tiltagende
825 825 label_date_from_to: Fra {{start}} til {{end}}
826 826 label_greater_or_equal: ">="
827 827 label_less_or_equal: <=
828 828 text_wiki_page_destroy_question: Denne side har {{descendants}} underside(r) og afledte. Hvad vil du gøre?
829 829 text_wiki_page_reassign_children: Flyt undersider til denne side
830 830 text_wiki_page_nullify_children: Behold undersider som rod-sider
831 831 text_wiki_page_destroy_children: Slet undersider ogalle deres afledte sider.
832 832 setting_password_min_length: Mindste længde på kodeord
833 833 field_group_by: Gruppér resultater efter
834 834 mail_subject_wiki_content_updated: "'{{page}}' wikisiden er blevet opdateret"
835 835 label_wiki_content_added: Wiki side tilføjet
836 836 mail_subject_wiki_content_added: "'{{page}}' wikisiden er blevet tilføjet"
837 837 mail_body_wiki_content_added: The '{{page}}' wikiside er blevet tilføjet af {{author}}.
838 838 label_wiki_content_updated: Wikiside opdateret
839 839 mail_body_wiki_content_updated: Wikisiden '{{page}}' er blevet opdateret af {{author}}.
840 840 permission_add_project: Opret projekt
841 841 setting_new_project_user_role_id: Denne rolle gives til en bruger, som ikke er administrator, og som opretter et projekt
842 842 label_view_all_revisions: Se alle revisioner
843 843 label_tag: Tag
844 844 label_branch: Branch
845 845 error_no_tracker_in_project: Der er ingen sagshåndtering for dette projekt. Kontrollér venligst projektindstillingerne.
846 846 error_no_default_issue_status: Der er ikek defineret en standardstatus. Kontrollér venligst indstillingernen (Gå til "Administration -> Sagsstatuser").
847 847 text_journal_changed: "{{label}} ændret fra {{old}} til {{new}}"
848 848 text_journal_set_to: "{{label}} sat til {{value}}"
849 849 text_journal_deleted: "{{label}} slettet ({{old}})"
850 850 label_group_plural: Grupper
851 851 label_group: Grupper
852 852 label_group_new: Ny gruppe
853 853 label_time_entry_plural: Anvendt tid
854 854 text_journal_added: "{{label}} {{value}} tilføjet"
855 855 field_active: Aktiv
856 856 enumeration_system_activity: System Aktivitet
857 857 permission_delete_issue_watchers: Slet overvågere
858 858 version_status_closed: lukket
859 859 version_status_locked: låst
860 860 version_status_open: åben
861 861 error_can_not_reopen_issue_on_closed_version: En sag tildelt en lukket version, kan ikke genåbnes
862 862 label_user_anonymous: Anonym
863 863 button_move_and_follow: Flyt og overvåg
864 864 setting_default_projects_modules: Standard moduler, aktiveret for nye projekter
865 865 setting_gravatar_default: Standard Gravatar billede
866 866 field_sharing: Delning
867 867 label_version_sharing_hierarchy: Med projekt hierarki
868 868 label_version_sharing_system: Med alle projekter
869 869 label_version_sharing_descendants: Med under projekter
870 870 label_version_sharing_tree: Med projekt træ
871 871 label_version_sharing_none: Ikke delt
872 872 error_can_not_archive_project: Dette projekt kan ikke arkiveres
873 873 button_duplicate: Kopier
874 874 button_copy_and_follow: Kopier og overvåg
875 875 label_copy_source: Kilde
876 876 setting_issue_done_ratio: Beregn sagsløsning ratio
877 877 setting_issue_done_ratio_issue_status: Benyt sags status
878 878 error_issue_done_ratios_not_updated: Sagsløsnings ratio, ikke opdateret.
879 879 error_workflow_copy_target: Vælg venligst mål tracker og rolle(r)
880 880 setting_issue_done_ratio_issue_field: Benyt sags felt
881 881 label_copy_same_as_target: Samme som mål
882 882 label_copy_target: Mål
883 883 notice_issue_done_ratios_updated: Sagsløsnings ratio opdateret.
884 884 error_workflow_copy_source: Vælg venligst en kilde tracker eller rolle
885 885 label_update_issue_done_ratios: Opdater sagsløsnings ratio
886 886 setting_start_of_week: Start kalendre på
887 887 permission_view_issues: Vis sager
888 888 label_display_used_statuses_only: Vis kun statuser der er benyttet af denne tracker
889 889 label_revision_id: Revision {{value}}
890 890 label_api_access_key: API nøgle
891 891 label_api_access_key_created_on: API nøgle genereret {{value}} siden
892 892 label_feeds_access_key: RSS nøgle
893 893 notice_api_access_key_reseted: Din API nøgle er nulstillet.
894 894 setting_rest_api_enabled: Aktiver REST web service
895 895 label_missing_api_access_key: Mangler en API nøgle
896 896 label_missing_feeds_access_key: Mangler en RSS nøgle
897 897 button_show: Vis
898 898 text_line_separated: Flere væredier tilladt (en linje for hver værdi).
899 899 setting_mail_handler_body_delimiters: Trunker emails efter en af disse linjer
900 900 permission_add_subprojects: Lav underprojekter
901 901 label_subproject_new: Nyt underprojekt
902 902 text_own_membership_delete_confirmation: |-
903 903 Du er ved at fjerne en eller flere af dine rettigheder, og kan muligvis ikke redigere projektet bagefter.
904 904 Er du sikker på du ønsker at fortsætte?
905 905 label_close_versions: Luk færdige versioner
906 906 label_board_sticky: Sticky
907 907 label_board_locked: Låst
908 908 permission_export_wiki_pages: Eksporter wiki sider
909 909 setting_cache_formatted_text: Cache formatteret tekst
910 910 permission_manage_project_activities: Administrer projekt aktiviteter
911 911 error_unable_delete_issue_status: Det var ikke muligt at slette sags status
912 912 label_profile: Profil
913 913 permission_manage_subtasks: Administrer under opgaver
914 914 field_parent_issue: Hoved opgave
915 915 label_subtask_plural: Under opgaver
916 916 label_project_copy_notifications: Send email notifikationer, mens projektet kopieres
917 917 error_can_not_delete_custom_field: Unable to delete custom field
918 918 error_unable_to_connect: Unable to connect ({{value}})
919 919 error_can_not_remove_role: This role is in use and can not be deleted.
920 920 error_can_not_delete_tracker: This tracker contains issues and can't be deleted.
921 921 field_principal: Principal
922 922 label_my_page_block: My page block
923 923 notice_failed_to_save_members: "Failed to save member(s): {{errors}}."
924 924 text_zoom_out: Zoom out
925 925 text_zoom_in: Zoom in
926 926 notice_unable_delete_time_entry: Unable to delete time log entry.
927 927 label_overall_spent_time: Overall spent time
928 928 field_time_entries: Log time
929 929 project_module_gantt: Gantt
930 930 project_module_calendar: Calendar
931 931 button_edit_associated_wikipage: "Edit associated Wiki page: {{page_title}}"
932 932 text_are_you_sure_with_children: Delete issue and all child issues?
933 933 field_text: Text field
934 934 label_user_mail_option_only_owner: Only for things I am the owner of
935 935 setting_default_notification_option: Default notification option
936 936 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
937 937 label_user_mail_option_only_assigned: Only for things I am assigned to
938 938 label_user_mail_option_none: No events
939 939 field_member_of_group: Assignee's group
940 940 field_assigned_to_role: Assignee's role
941 notice_not_authorized_archived_project: The project you're trying to access has been archived.
@@ -1,943 +1,944
1 1 # German translations for Ruby on Rails
2 2 # by Clemens Kofler (clemens@railway.at)
3 3
4 4 de:
5 5 direction: ltr
6 6 date:
7 7 formats:
8 8 # Use the strftime parameters for formats.
9 9 # When no format has been given, it uses default.
10 10 # You can provide other formats here if you like!
11 11 default: "%d.%m.%Y"
12 12 short: "%e. %b"
13 13 long: "%e. %B %Y"
14 14
15 15 day_names: [Sonntag, Montag, Dienstag, Mittwoch, Donnerstag, Freitag, Samstag]
16 16 abbr_day_names: [So, Mo, Di, Mi, Do, Fr, Sa]
17 17
18 18 # Don't forget the nil at the beginning; there's no such thing as a 0th month
19 19 month_names: [~, Januar, Februar, März, April, Mai, Juni, Juli, August, September, Oktober, November, Dezember]
20 20 abbr_month_names: [~, Jan, Feb, Mär, Apr, Mai, Jun, Jul, Aug, Sep, Okt, Nov, Dez]
21 21 # Used in date_select and datime_select.
22 22 order: [:day, :month, :year]
23 23
24 24 time:
25 25 formats:
26 26 default: "%d.%m.%Y %H:%M"
27 27 time: "%H:%M"
28 28 short: "%e. %b %H:%M"
29 29 long: "%A, %e. %B %Y, %H:%M Uhr"
30 30 am: "vormittags"
31 31 pm: "nachmittags"
32 32
33 33 datetime:
34 34 distance_in_words:
35 35 half_a_minute: 'eine halbe Minute'
36 36 less_than_x_seconds:
37 37 one: 'weniger als 1 Sekunde'
38 38 other: 'weniger als {{count}} Sekunden'
39 39 x_seconds:
40 40 one: '1 Sekunde'
41 41 other: '{{count}} Sekunden'
42 42 less_than_x_minutes:
43 43 one: 'weniger als 1 Minute'
44 44 other: 'weniger als {{count}} Minuten'
45 45 x_minutes:
46 46 one: '1 Minute'
47 47 other: '{{count}} Minuten'
48 48 about_x_hours:
49 49 one: 'etwa 1 Stunde'
50 50 other: 'etwa {{count}} Stunden'
51 51 x_days:
52 52 one: '1 Tag'
53 53 other: '{{count}} Tagen'
54 54 about_x_months:
55 55 one: 'etwa 1 Monat'
56 56 other: 'etwa {{count}} Monaten'
57 57 x_months:
58 58 one: '1 Monat'
59 59 other: '{{count}} Monaten'
60 60 about_x_years:
61 61 one: 'etwa 1 Jahr'
62 62 other: 'etwa {{count}} Jahren'
63 63 over_x_years:
64 64 one: 'mehr als 1 Jahr'
65 65 other: 'mehr als {{count}} Jahren'
66 66 almost_x_years:
67 67 one: "fast 1 Jahr"
68 68 other: "fast {{count}} Jahren"
69 69
70 70 number:
71 71 # Default format for numbers
72 72 format:
73 73 separator: ','
74 74 delimiter: '.'
75 75 precision: 2
76 76 currency:
77 77 format:
78 78 unit: '€'
79 79 format: '%n %u'
80 80 separator:
81 81 delimiter:
82 82 precision:
83 83 percentage:
84 84 format:
85 85 delimiter: ""
86 86 precision:
87 87 format:
88 88 delimiter: ""
89 89 human:
90 90 format:
91 91 delimiter: ""
92 92 precision: 1
93 93 storage_units:
94 94 format: "%n %u"
95 95 units:
96 96 byte:
97 97 one: "Byte"
98 98 other: "Bytes"
99 99 kb: "KB"
100 100 mb: "MB"
101 101 gb: "GB"
102 102 tb: "TB"
103 103
104 104
105 105 # Used in array.to_sentence.
106 106 support:
107 107 array:
108 108 sentence_connector: "und"
109 109 skip_last_comma: true
110 110
111 111 activerecord:
112 112 errors:
113 113 template:
114 114 header: "Dieses {{model}}-Objekt konnte nicht gespeichert werden: {{count}} Fehler."
115 115 body: "Bitte überprüfen Sie die folgenden Felder:"
116 116
117 117 messages:
118 118 inclusion: "ist kein gültiger Wert"
119 119 exclusion: "ist nicht verfügbar"
120 120 invalid: "ist nicht gültig"
121 121 confirmation: "stimmt nicht mit der Bestätigung überein"
122 122 accepted: "muss akzeptiert werden"
123 123 empty: "muss ausgefüllt werden"
124 124 blank: "muss ausgefüllt werden"
125 125 too_long: "ist zu lang (nicht mehr als {{count}} Zeichen)"
126 126 too_short: "ist zu kurz (nicht weniger als {{count}} Zeichen)"
127 127 wrong_length: "hat die falsche Länge (muss genau {{count}} Zeichen haben)"
128 128 taken: "ist bereits vergeben"
129 129 not_a_number: "ist keine Zahl"
130 130 not_a_date: "is kein gültiges Datum"
131 131 greater_than: "muss größer als {{count}} sein"
132 132 greater_than_or_equal_to: "muss größer oder gleich {{count}} sein"
133 133 equal_to: "muss genau {{count}} sein"
134 134 less_than: "muss kleiner als {{count}} sein"
135 135 less_than_or_equal_to: "muss kleiner oder gleich {{count}} sein"
136 136 odd: "muss ungerade sein"
137 137 even: "muss gerade sein"
138 138 greater_than_start_date: "muss größer als Anfangsdatum sein"
139 139 not_same_project: "gehört nicht zum selben Projekt"
140 140 circular_dependency: "Diese Beziehung würde eine zyklische Abhängigkeit erzeugen"
141 141 cant_link_an_issue_with_a_descendant: "Ein Ticket kann nicht mit einer ihrer Unteraufgaben verlinkt werden"
142 142
143 143 actionview_instancetag_blank_option: Bitte auswählen
144 144
145 145 general_text_No: 'Nein'
146 146 general_text_Yes: 'Ja'
147 147 general_text_no: 'nein'
148 148 general_text_yes: 'ja'
149 149 general_lang_name: 'Deutsch'
150 150 general_csv_separator: ';'
151 151 general_csv_decimal_separator: ','
152 152 general_csv_encoding: ISO-8859-1
153 153 general_pdf_encoding: ISO-8859-1
154 154 general_first_day_of_week: '1'
155 155
156 156 notice_account_updated: Konto wurde erfolgreich aktualisiert.
157 157 notice_account_invalid_creditentials: Benutzer oder Kennwort ist ungültig.
158 158 notice_account_password_updated: Kennwort wurde erfolgreich aktualisiert.
159 159 notice_account_wrong_password: Falsches Kennwort.
160 160 notice_account_register_done: Konto wurde erfolgreich angelegt.
161 161 notice_account_unknown_email: Unbekannter Benutzer.
162 162 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentifizierungs-Quelle. Unmöglich, das Kennwort zu ändern.
163 163 notice_account_lost_email_sent: Eine E-Mail mit Anweisungen, ein neues Kennwort zu wählen, wurde Ihnen geschickt.
164 164 notice_account_activated: Ihr Konto ist aktiviert. Sie können sich jetzt anmelden.
165 165 notice_successful_create: Erfolgreich angelegt
166 166 notice_successful_update: Erfolgreich aktualisiert.
167 167 notice_successful_delete: Erfolgreich gelöscht.
168 168 notice_successful_connection: Verbindung erfolgreich.
169 169 notice_file_not_found: Anhang existiert nicht oder ist gelöscht worden.
170 170 notice_locking_conflict: Datum wurde von einem anderen Benutzer geändert.
171 171 notice_not_authorized: Sie sind nicht berechtigt, auf diese Seite zuzugreifen.
172 172 notice_email_sent: "Eine E-Mail wurde an {{value}} gesendet."
173 173 notice_email_error: "Beim Senden einer E-Mail ist ein Fehler aufgetreten ({{value}})."
174 174 notice_feeds_access_key_reseted: Ihr Atom-Zugriffsschlüssel wurde zurückgesetzt.
175 175 notice_api_access_key_reseted: Ihr API-Zugriffsschlüssel wurde zurückgesetzt.
176 176 notice_failed_to_save_issues: "{{count}} von {{total}} ausgewählten Tickets konnte(n) nicht gespeichert werden: {{ids}}."
177 177 notice_failed_to_save_members: "Benutzer konnte nicht gespeichert werden: {{errors}}."
178 178 notice_no_issue_selected: "Kein Ticket ausgewählt! Bitte wählen Sie die Tickets, die Sie bearbeiten möchten."
179 179 notice_account_pending: "Ihr Konto wurde erstellt und wartet jetzt auf die Genehmigung des Administrators."
180 180 notice_default_data_loaded: Die Standard-Konfiguration wurde erfolgreich geladen.
181 181 notice_unable_delete_version: Die Version konnte nicht gelöscht werden.
182 182 notice_unable_delete_time_entry: Der Zeiterfassungseintrag konnte nicht gelöscht werden.
183 183 notice_issue_done_ratios_updated: Der Ticket-Fortschritt wurde aktualisiert.
184 184
185 185 error_can_t_load_default_data: "Die Standard-Konfiguration konnte nicht geladen werden: {{value}}"
186 186 error_scm_not_found: Eintrag und/oder Revision existiert nicht im Projektarchiv.
187 187 error_scm_command_failed: "Beim Zugriff auf das Projektarchiv ist ein Fehler aufgetreten: {{value}}"
188 188 error_scm_annotate: "Der Eintrag existiert nicht oder kann nicht annotiert werden."
189 189 error_issue_not_found_in_project: 'Das Ticket wurde nicht gefunden oder gehört nicht zu diesem Projekt.'
190 190 error_no_tracker_in_project: Diesem Projekt ist kein Tracker zugeordnet. Bitte überprüfen Sie die Projekteinstellungen.
191 191 error_no_default_issue_status: Es ist kein Status als Standard definiert. Bitte überprüfen Sie Ihre Konfiguration (unter "Administration -> Ticket-Status").
192 192 error_can_not_delete_custom_field: Kann das benutzerdefinierte Feld nicht löschen.
193 193 error_can_not_delete_tracker: Dieser Tracker enthält Tickets und kann nicht gelöscht werden.
194 194 error_can_not_remove_role: Diese Rolle wird verwendet und kann nicht gelöscht werden.
195 195 error_can_not_reopen_issue_on_closed_version: Das Ticket ist einer abgeschlossenen Version zugeordnet und kann daher nicht wieder geöffnet werden.
196 196 error_can_not_archive_project: Dieses Projekt kann nicht archiviert werden.
197 197 error_issue_done_ratios_not_updated: Der Ticket-Fortschritt wurde nicht aktualisiert.
198 198 error_workflow_copy_source: Bitte wählen Sie einen Quell-Tracker und eine Quell-Rolle.
199 199 error_workflow_copy_target: Bitte wählen Sie die Ziel-Tracker und -Rollen.
200 200 error_unable_delete_issue_status: "Der Ticket-Status konnte nicht gelöscht werden."
201 201 error_unable_to_connect: Fehler beim Verbinden ({{value}})
202 202 warning_attachments_not_saved: "{{count}} Datei(en) konnten nicht gespeichert werden."
203 203
204 204 mail_subject_lost_password: "Ihr {{value}} Kennwort"
205 205 mail_body_lost_password: 'Benutzen Sie den folgenden Link, um Ihr Kennwort zu ändern:'
206 206 mail_subject_register: "{{value}} Kontoaktivierung"
207 207 mail_body_register: 'Um Ihr Konto zu aktivieren, benutzen Sie folgenden Link:'
208 208 mail_body_account_information_external: "Sie können sich mit Ihrem Konto {{value}} an anmelden."
209 209 mail_body_account_information: Ihre Konto-Informationen
210 210 mail_subject_account_activation_request: "Antrag auf {{value}} Kontoaktivierung"
211 211 mail_body_account_activation_request: "Ein neuer Benutzer ({{value}}) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:"
212 212 mail_subject_reminder: "{{count}} Tickets müssen in den nächsten {{days}} Tagen abgegeben werden"
213 213 mail_body_reminder: "{{count}} Tickets, die Ihnen zugewiesen sind, müssen in den nächsten {{days}} Tagen abgegeben werden:"
214 214 mail_subject_wiki_content_added: "Wiki-Seite '{{page}}' hinzugefügt"
215 215 mail_body_wiki_content_added: "Die Wiki-Seite '{{page}}' wurde von {{author}} hinzugefügt."
216 216 mail_subject_wiki_content_updated: "Wiki-Seite '{{page}}' erfolgreich aktualisiert"
217 217 mail_body_wiki_content_updated: "Die Wiki-Seite '{{page}}' wurde von {{author}} aktualisiert."
218 218
219 219 gui_validation_error: 1 Fehler
220 220 gui_validation_error_plural: "{{count}} Fehler"
221 221
222 222 field_name: Name
223 223 field_description: Beschreibung
224 224 field_summary: Zusammenfassung
225 225 field_is_required: Erforderlich
226 226 field_firstname: Vorname
227 227 field_lastname: Nachname
228 228 field_mail: E-Mail
229 229 field_filename: Datei
230 230 field_filesize: Größe
231 231 field_downloads: Downloads
232 232 field_author: Autor
233 233 field_created_on: Angelegt
234 234 field_updated_on: Aktualisiert
235 235 field_field_format: Format
236 236 field_is_for_all: Für alle Projekte
237 237 field_possible_values: Mögliche Werte
238 238 field_regexp: Regulärer Ausdruck
239 239 field_min_length: Minimale Länge
240 240 field_max_length: Maximale Länge
241 241 field_value: Wert
242 242 field_category: Kategorie
243 243 field_title: Titel
244 244 field_project: Projekt
245 245 field_issue: Ticket
246 246 field_status: Status
247 247 field_notes: Kommentare
248 248 field_is_closed: Ticket geschlossen
249 249 field_is_default: Standardeinstellung
250 250 field_tracker: Tracker
251 251 field_subject: Thema
252 252 field_due_date: Abgabedatum
253 253 field_assigned_to: Zugewiesen an
254 254 field_priority: Priorität
255 255 field_fixed_version: Zielversion
256 256 field_user: Benutzer
257 257 field_principal: Auftraggeber
258 258 field_role: Rolle
259 259 field_homepage: Projekt-Homepage
260 260 field_is_public: Öffentlich
261 261 field_parent: Unterprojekt von
262 262 field_is_in_roadmap: In der Roadmap anzeigen
263 263 field_login: Mitgliedsname
264 264 field_mail_notification: Mailbenachrichtigung
265 265 field_admin: Administrator
266 266 field_last_login_on: Letzte Anmeldung
267 267 field_language: Sprache
268 268 field_effective_date: Datum
269 269 field_password: Kennwort
270 270 field_new_password: Neues Kennwort
271 271 field_password_confirmation: Bestätigung
272 272 field_version: Version
273 273 field_type: Typ
274 274 field_host: Host
275 275 field_port: Port
276 276 field_account: Konto
277 277 field_base_dn: Base DN
278 278 field_attr_login: Mitgliedsname-Attribut
279 279 field_attr_firstname: Vorname-Attribut
280 280 field_attr_lastname: Name-Attribut
281 281 field_attr_mail: E-Mail-Attribut
282 282 field_onthefly: On-the-fly-Benutzererstellung
283 283 field_start_date: Beginn
284 284 field_done_ratio: % erledigt
285 285 field_auth_source: Authentifizierungs-Modus
286 286 field_hide_mail: E-Mail-Adresse nicht anzeigen
287 287 field_comments: Kommentar
288 288 field_url: URL
289 289 field_start_page: Hauptseite
290 290 field_subproject: Unterprojekt von
291 291 field_hours: Stunden
292 292 field_activity: Aktivität
293 293 field_spent_on: Datum
294 294 field_identifier: Kennung
295 295 field_is_filter: Als Filter benutzen
296 296 field_issue_to: Zugehöriges Ticket
297 297 field_delay: Pufferzeit
298 298 field_assignable: Tickets können dieser Rolle zugewiesen werden
299 299 field_redirect_existing_links: Existierende Links umleiten
300 300 field_estimated_hours: Geschätzter Aufwand
301 301 field_column_names: Spalten
302 302 field_time_entries: Logzeit
303 303 field_time_zone: Zeitzone
304 304 field_searchable: Durchsuchbar
305 305 field_default_value: Standardwert
306 306 field_comments_sorting: Kommentare anzeigen
307 307 field_parent_title: Übergeordnete Seite
308 308 field_editable: Bearbeitbar
309 309 field_watcher: Beobachter
310 310 field_identity_url: OpenID-URL
311 311 field_content: Inhalt
312 312 field_group_by: Gruppiere Ergebnisse nach
313 313 field_sharing: Gemeinsame Verwendung
314 314 field_parent_issue: Übergeordnete Aufgabe
315 315
316 316 setting_app_title: Applikations-Titel
317 317 setting_app_subtitle: Applikations-Untertitel
318 318 setting_welcome_text: Willkommenstext
319 319 setting_default_language: Default-Sprache
320 320 setting_login_required: Authentifizierung erforderlich
321 321 setting_self_registration: Anmeldung ermöglicht
322 322 setting_attachment_max_size: Max. Dateigröße
323 323 setting_issues_export_limit: Max. Anzahl Tickets bei CSV/PDF-Export
324 324 setting_mail_from: E-Mail-Absender
325 325 setting_bcc_recipients: E-Mails als Blindkopie (BCC) senden
326 326 setting_plain_text_mail: Nur reinen Text (kein HTML) senden
327 327 setting_host_name: Hostname
328 328 setting_text_formatting: Textformatierung
329 329 setting_wiki_compression: Wiki-Historie komprimieren
330 330 setting_feeds_limit: Max. Anzahl Einträge pro Atom-Feed
331 331 setting_default_projects_public: Neue Projekte sind standardmäßig öffentlich
332 332 setting_autofetch_changesets: Changesets automatisch abrufen
333 333 setting_sys_api_enabled: Webservice zur Verwaltung der Projektarchive benutzen
334 334 setting_commit_ref_keywords: Schlüsselwörter (Beziehungen)
335 335 setting_commit_fix_keywords: Schlüsselwörter (Status)
336 336 setting_autologin: Automatische Anmeldung
337 337 setting_date_format: Datumsformat
338 338 setting_time_format: Zeitformat
339 339 setting_cross_project_issue_relations: Ticket-Beziehungen zwischen Projekten erlauben
340 340 setting_issue_list_default_columns: Default-Spalten in der Ticket-Auflistung
341 341 setting_repositories_encodings: Kodierungen der Projektarchive
342 342 setting_commit_logs_encoding: Kodierung der Commit-Log-Meldungen
343 343 setting_emails_footer: E-Mail-Fußzeile
344 344 setting_protocol: Protokoll
345 345 setting_per_page_options: Objekte pro Seite
346 346 setting_user_format: Benutzer-Anzeigeformat
347 347 setting_activity_days_default: Anzahl Tage pro Seite der Projekt-Aktivität
348 348 setting_display_subprojects_issues: Tickets von Unterprojekten im Hauptprojekt anzeigen
349 349 setting_enabled_scm: Aktivierte Versionskontrollsysteme
350 350 setting_mail_handler_body_delimiters: "Schneide E-Mails nach einer dieser Zeilen ab"
351 351 setting_mail_handler_api_enabled: Abruf eingehender E-Mails aktivieren
352 352 setting_mail_handler_api_key: API-Schlüssel
353 353 setting_sequential_project_identifiers: Fortlaufende Projektkennungen generieren
354 354 setting_gravatar_enabled: Gravatar-Benutzerbilder benutzen
355 355 setting_gravatar_default: Standard-Gravatar-Bild
356 356 setting_diff_max_lines_displayed: Maximale Anzahl anzuzeigender Diff-Zeilen
357 357 setting_file_max_size_displayed: Maximale Größe inline angezeigter Textdateien
358 358 setting_repository_log_display_limit: Maximale Anzahl anzuzeigender Revisionen in der Historie einer Datei
359 359 setting_openid: Erlaube OpenID-Anmeldung und -Registrierung
360 360 setting_password_min_length: Mindestlänge des Kennworts
361 361 setting_new_project_user_role_id: Rolle, die einem Nicht-Administrator zugeordnet wird, der ein Projekt erstellt
362 362 setting_default_projects_modules: Standardmäßig aktivierte Module für neue Projekte
363 363 setting_issue_done_ratio: Berechne den Ticket-Fortschritt mittels
364 364 setting_issue_done_ratio_issue_field: Ticket-Feld %-erledigt
365 365 setting_issue_done_ratio_issue_status: Ticket-Status
366 366 setting_start_of_week: Wochenanfang
367 367 setting_rest_api_enabled: REST-Schnittstelle aktivieren
368 368 setting_cache_formatted_text: Formatierten Text im Cache speichern
369 369
370 370 permission_add_project: Projekt erstellen
371 371 permission_add_subprojects: Unterprojekte erstellen
372 372 permission_edit_project: Projekt bearbeiten
373 373 permission_select_project_modules: Projektmodule auswählen
374 374 permission_manage_members: Mitglieder verwalten
375 375 permission_manage_project_activities: Aktivitäten (Zeiterfassung) verwalten
376 376 permission_manage_versions: Versionen verwalten
377 377 permission_manage_categories: Ticket-Kategorien verwalten
378 378 permission_view_issues: Tickets anzeigen
379 379 permission_add_issues: Tickets hinzufügen
380 380 permission_edit_issues: Tickets bearbeiten
381 381 permission_manage_issue_relations: Ticket-Beziehungen verwalten
382 382 permission_add_issue_notes: Kommentare hinzufügen
383 383 permission_edit_issue_notes: Kommentare bearbeiten
384 384 permission_edit_own_issue_notes: Eigene Kommentare bearbeiten
385 385 permission_move_issues: Tickets verschieben
386 386 permission_delete_issues: Tickets löschen
387 387 permission_manage_public_queries: Öffentliche Filter verwalten
388 388 permission_save_queries: Filter speichern
389 389 permission_view_gantt: Gantt-Diagramm ansehen
390 390 permission_view_calendar: Kalender ansehen
391 391 permission_view_issue_watchers: Liste der Beobachter ansehen
392 392 permission_add_issue_watchers: Beobachter hinzufügen
393 393 permission_delete_issue_watchers: Beobachter löschen
394 394 permission_log_time: Aufwände buchen
395 395 permission_view_time_entries: Gebuchte Aufwände ansehen
396 396 permission_edit_time_entries: Gebuchte Aufwände bearbeiten
397 397 permission_edit_own_time_entries: Selbst gebuchte Aufwände bearbeiten
398 398 permission_manage_news: News verwalten
399 399 permission_comment_news: News kommentieren
400 400 permission_manage_documents: Dokumente verwalten
401 401 permission_view_documents: Dokumente ansehen
402 402 permission_manage_files: Dateien verwalten
403 403 permission_view_files: Dateien ansehen
404 404 permission_manage_wiki: Wiki verwalten
405 405 permission_rename_wiki_pages: Wiki-Seiten umbenennen
406 406 permission_delete_wiki_pages: Wiki-Seiten löschen
407 407 permission_view_wiki_pages: Wiki ansehen
408 408 permission_view_wiki_edits: Wiki-Versionsgeschichte ansehen
409 409 permission_edit_wiki_pages: Wiki-Seiten bearbeiten
410 410 permission_delete_wiki_pages_attachments: Anhänge löschen
411 411 permission_protect_wiki_pages: Wiki-Seiten schützen
412 412 permission_manage_repository: Projektarchiv verwalten
413 413 permission_browse_repository: Projektarchiv ansehen
414 414 permission_view_changesets: Changesets ansehen
415 415 permission_commit_access: Commit-Zugriff (über WebDAV)
416 416 permission_manage_boards: Foren verwalten
417 417 permission_view_messages: Forenbeiträge ansehen
418 418 permission_add_messages: Forenbeiträge hinzufügen
419 419 permission_edit_messages: Forenbeiträge bearbeiten
420 420 permission_edit_own_messages: Eigene Forenbeiträge bearbeiten
421 421 permission_delete_messages: Forenbeiträge löschen
422 422 permission_delete_own_messages: Eigene Forenbeiträge löschen
423 423 permission_export_wiki_pages: Wiki-Seiten exportieren
424 424 permission_manage_subtasks: Unteraufgaben verwalten
425 425
426 426 project_module_issue_tracking: Ticket-Verfolgung
427 427 project_module_time_tracking: Zeiterfassung
428 428 project_module_news: News
429 429 project_module_documents: Dokumente
430 430 project_module_files: Dateien
431 431 project_module_wiki: Wiki
432 432 project_module_repository: Projektarchiv
433 433 project_module_boards: Foren
434 434 project_module_calendar: Kalender
435 435 project_module_gantt: Gantt
436 436
437 437 label_user: Benutzer
438 438 label_user_plural: Benutzer
439 439 label_user_new: Neuer Benutzer
440 440 label_user_anonymous: Anonym
441 441 label_project: Projekt
442 442 label_project_new: Neues Projekt
443 443 label_project_plural: Projekte
444 444 label_x_projects:
445 445 zero: keine Projekte
446 446 one: 1 Projekt
447 447 other: "{{count}} Projekte"
448 448 label_project_all: Alle Projekte
449 449 label_project_latest: Neueste Projekte
450 450 label_issue: Ticket
451 451 label_issue_new: Neues Ticket
452 452 label_issue_plural: Tickets
453 453 label_issue_view_all: Alle Tickets anzeigen
454 454 label_issues_by: "Tickets von {{value}}"
455 455 label_issue_added: Ticket hinzugefügt
456 456 label_issue_updated: Ticket aktualisiert
457 457 label_document: Dokument
458 458 label_document_new: Neues Dokument
459 459 label_document_plural: Dokumente
460 460 label_document_added: Dokument hinzugefügt
461 461 label_role: Rolle
462 462 label_role_plural: Rollen
463 463 label_role_new: Neue Rolle
464 464 label_role_and_permissions: Rollen und Rechte
465 465 label_member: Mitglied
466 466 label_member_new: Neues Mitglied
467 467 label_member_plural: Mitglieder
468 468 label_tracker: Tracker
469 469 label_tracker_plural: Tracker
470 470 label_tracker_new: Neuer Tracker
471 471 label_workflow: Workflow
472 472 label_issue_status: Ticket-Status
473 473 label_issue_status_plural: Ticket-Status
474 474 label_issue_status_new: Neuer Status
475 475 label_issue_category: Ticket-Kategorie
476 476 label_issue_category_plural: Ticket-Kategorien
477 477 label_issue_category_new: Neue Kategorie
478 478 label_custom_field: Benutzerdefiniertes Feld
479 479 label_custom_field_plural: Benutzerdefinierte Felder
480 480 label_custom_field_new: Neues Feld
481 481 label_enumerations: Aufzählungen
482 482 label_enumeration_new: Neuer Wert
483 483 label_information: Information
484 484 label_information_plural: Informationen
485 485 label_please_login: Anmelden
486 486 label_register: Registrieren
487 487 label_login_with_open_id_option: oder mit OpenID anmelden
488 488 label_password_lost: Kennwort vergessen
489 489 label_home: Hauptseite
490 490 label_my_page: Meine Seite
491 491 label_my_account: Mein Konto
492 492 label_my_projects: Meine Projekte
493 493 label_my_page_block: Bereich "Meine Seite"
494 494 label_administration: Administration
495 495 label_login: Anmelden
496 496 label_logout: Abmelden
497 497 label_help: Hilfe
498 498 label_reported_issues: Gemeldete Tickets
499 499 label_assigned_to_me_issues: Mir zugewiesen
500 500 label_last_login: Letzte Anmeldung
501 501 label_registered_on: Angemeldet am
502 502 label_activity: Aktivität
503 503 label_overall_activity: Aktivität aller Projekte anzeigen
504 504 label_user_activity: "Aktivität von {{value}}"
505 505 label_new: Neu
506 506 label_logged_as: Angemeldet als
507 507 label_environment: Umgebung
508 508 label_authentication: Authentifizierung
509 509 label_auth_source: Authentifizierungs-Modus
510 510 label_auth_source_new: Neuer Authentifizierungs-Modus
511 511 label_auth_source_plural: Authentifizierungs-Arten
512 512 label_subproject_plural: Unterprojekte
513 513 label_subproject_new: Neues Unterprojekt
514 514 label_and_its_subprojects: "{{value}} und dessen Unterprojekte"
515 515 label_min_max_length: Länge (Min. - Max.)
516 516 label_list: Liste
517 517 label_date: Datum
518 518 label_integer: Zahl
519 519 label_float: Fließkommazahl
520 520 label_boolean: Boolean
521 521 label_string: Text
522 522 label_text: Langer Text
523 523 label_attribute: Attribut
524 524 label_attribute_plural: Attribute
525 525 label_download: "{{count}} Download"
526 526 label_download_plural: "{{count}} Downloads"
527 527 label_no_data: Nichts anzuzeigen
528 528 label_change_status: Statuswechsel
529 529 label_history: Historie
530 530 label_attachment: Datei
531 531 label_attachment_new: Neue Datei
532 532 label_attachment_delete: Anhang löschen
533 533 label_attachment_plural: Dateien
534 534 label_file_added: Datei hinzugefügt
535 535 label_report: Bericht
536 536 label_report_plural: Berichte
537 537 label_news: News
538 538 label_news_new: News hinzufügen
539 539 label_news_plural: News
540 540 label_news_latest: Letzte News
541 541 label_news_view_all: Alle News anzeigen
542 542 label_news_added: News hinzugefügt
543 543 label_settings: Konfiguration
544 544 label_overview: Übersicht
545 545 label_version: Version
546 546 label_version_new: Neue Version
547 547 label_version_plural: Versionen
548 548 label_close_versions: Vollständige Versionen schließen
549 549 label_confirmation: Bestätigung
550 550 label_export_to: "Auch abrufbar als:"
551 551 label_read: Lesen...
552 552 label_public_projects: Öffentliche Projekte
553 553 label_open_issues: offen
554 554 label_open_issues_plural: offen
555 555 label_closed_issues: geschlossen
556 556 label_closed_issues_plural: geschlossen
557 557 label_x_open_issues_abbr_on_total:
558 558 zero: 0 offen / {{total}}
559 559 one: 1 offen / {{total}}
560 560 other: "{{count}} offen / {{total}}"
561 561 label_x_open_issues_abbr:
562 562 zero: 0 offen
563 563 one: 1 offen
564 564 other: "{{count}} offen"
565 565 label_x_closed_issues_abbr:
566 566 zero: 0 geschlossen
567 567 one: 1 geschlossen
568 568 other: "{{count}} geschlossen"
569 569 label_total: Gesamtzahl
570 570 label_permissions: Berechtigungen
571 571 label_current_status: Gegenwärtiger Status
572 572 label_new_statuses_allowed: Neue Berechtigungen
573 573 label_all: alle
574 574 label_none: kein
575 575 label_nobody: Niemand
576 576 label_next: Weiter
577 577 label_previous: Zurück
578 578 label_used_by: Benutzt von
579 579 label_details: Details
580 580 label_add_note: Kommentar hinzufügen
581 581 label_per_page: Pro Seite
582 582 label_calendar: Kalender
583 583 label_months_from: Monate ab
584 584 label_gantt: Gantt-Diagramm
585 585 label_internal: Intern
586 586 label_last_changes: "{{count}} letzte Änderungen"
587 587 label_change_view_all: Alle Änderungen anzeigen
588 588 label_personalize_page: Diese Seite anpassen
589 589 label_comment: Kommentar
590 590 label_comment_plural: Kommentare
591 591 label_x_comments:
592 592 zero: keine Kommentare
593 593 one: 1 Kommentar
594 594 other: "{{count}} Kommentare"
595 595 label_comment_add: Kommentar hinzufügen
596 596 label_comment_added: Kommentar hinzugefügt
597 597 label_comment_delete: Kommentar löschen
598 598 label_query: Benutzerdefinierte Abfrage
599 599 label_query_plural: Benutzerdefinierte Berichte
600 600 label_query_new: Neuer Bericht
601 601 label_filter_add: Filter hinzufügen
602 602 label_filter_plural: Filter
603 603 label_equals: ist
604 604 label_not_equals: ist nicht
605 605 label_in_less_than: in weniger als
606 606 label_in_more_than: in mehr als
607 607 label_greater_or_equal: ">="
608 608 label_less_or_equal: "<="
609 609 label_in: an
610 610 label_today: heute
611 611 label_all_time: gesamter Zeitraum
612 612 label_yesterday: gestern
613 613 label_this_week: aktuelle Woche
614 614 label_last_week: vorige Woche
615 615 label_last_n_days: "die letzten {{count}} Tage"
616 616 label_this_month: aktueller Monat
617 617 label_last_month: voriger Monat
618 618 label_this_year: aktuelles Jahr
619 619 label_date_range: Zeitraum
620 620 label_less_than_ago: vor weniger als
621 621 label_more_than_ago: vor mehr als
622 622 label_ago: vor
623 623 label_contains: enthält
624 624 label_not_contains: enthält nicht
625 625 label_day_plural: Tage
626 626 label_repository: Projektarchiv
627 627 label_repository_plural: Projektarchive
628 628 label_browse: Codebrowser
629 629 label_modification: "{{count}} Änderung"
630 630 label_modification_plural: "{{count}} Änderungen"
631 631 label_branch: Zweig
632 632 label_tag: Markierung
633 633 label_revision: Revision
634 634 label_revision_plural: Revisionen
635 635 label_revision_id: Revision {{value}}
636 636 label_associated_revisions: Zugehörige Revisionen
637 637 label_added: hinzugefügt
638 638 label_modified: geändert
639 639 label_copied: kopiert
640 640 label_renamed: umbenannt
641 641 label_deleted: gelöscht
642 642 label_latest_revision: Aktuellste Revision
643 643 label_latest_revision_plural: Aktuellste Revisionen
644 644 label_view_revisions: Revisionen anzeigen
645 645 label_view_all_revisions: Alle Revisionen anzeigen
646 646 label_max_size: Maximale Größe
647 647 label_sort_highest: An den Anfang
648 648 label_sort_higher: Eins höher
649 649 label_sort_lower: Eins tiefer
650 650 label_sort_lowest: Ans Ende
651 651 label_roadmap: Roadmap
652 652 label_roadmap_due_in: "Fällig in {{value}}"
653 653 label_roadmap_overdue: "{{value}} verspätet"
654 654 label_roadmap_no_issues: Keine Tickets für diese Version
655 655 label_search: Suche
656 656 label_result_plural: Resultate
657 657 label_all_words: Alle Wörter
658 658 label_wiki: Wiki
659 659 label_wiki_edit: Wiki-Bearbeitung
660 660 label_wiki_edit_plural: Wiki-Bearbeitungen
661 661 label_wiki_page: Wiki-Seite
662 662 label_wiki_page_plural: Wiki-Seiten
663 663 label_index_by_title: Seiten nach Titel sortiert
664 664 label_index_by_date: Seiten nach Datum sortiert
665 665 label_current_version: Gegenwärtige Version
666 666 label_preview: Vorschau
667 667 label_feed_plural: Feeds
668 668 label_changes_details: Details aller Änderungen
669 669 label_issue_tracking: Tickets
670 670 label_spent_time: Aufgewendete Zeit
671 671 label_overall_spent_time: Aufgewendete Zeit aller Projekte anzeigen
672 672 label_f_hour: "{{value}} Stunde"
673 673 label_f_hour_plural: "{{value}} Stunden"
674 674 label_time_tracking: Zeiterfassung
675 675 label_change_plural: Änderungen
676 676 label_statistics: Statistiken
677 677 label_commits_per_month: Übertragungen pro Monat
678 678 label_commits_per_author: Übertragungen pro Autor
679 679 label_view_diff: Unterschiede anzeigen
680 680 label_diff_inline: einspaltig
681 681 label_diff_side_by_side: nebeneinander
682 682 label_options: Optionen
683 683 label_copy_workflow_from: Workflow kopieren von
684 684 label_permissions_report: Berechtigungsübersicht
685 685 label_watched_issues: Beobachtete Tickets
686 686 label_related_issues: Zugehörige Tickets
687 687 label_applied_status: Zugewiesener Status
688 688 label_loading: Lade...
689 689 label_relation_new: Neue Beziehung
690 690 label_relation_delete: Beziehung löschen
691 691 label_relates_to: Beziehung mit
692 692 label_duplicates: Duplikat von
693 693 label_duplicated_by: Dupliziert durch
694 694 label_blocks: Blockiert
695 695 label_blocked_by: Blockiert durch
696 696 label_precedes: Vorgänger von
697 697 label_follows: folgt
698 698 label_end_to_start: Ende - Anfang
699 699 label_end_to_end: Ende - Ende
700 700 label_start_to_start: Anfang - Anfang
701 701 label_start_to_end: Anfang - Ende
702 702 label_stay_logged_in: Angemeldet bleiben
703 703 label_disabled: gesperrt
704 704 label_show_completed_versions: Abgeschlossene Versionen anzeigen
705 705 label_me: ich
706 706 label_board: Forum
707 707 label_board_new: Neues Forum
708 708 label_board_plural: Foren
709 709 label_board_locked: Gesperrt
710 710 label_board_sticky: Wichtig (immer oben)
711 711 label_topic_plural: Themen
712 712 label_message_plural: Forenbeiträge
713 713 label_message_last: Letzter Forenbeitrag
714 714 label_message_new: Neues Thema
715 715 label_message_posted: Forenbeitrag hinzugefügt
716 716 label_reply_plural: Antworten
717 717 label_send_information: Sende Kontoinformationen zum Benutzer
718 718 label_year: Jahr
719 719 label_month: Monat
720 720 label_week: Woche
721 721 label_date_from: Von
722 722 label_date_to: Bis
723 723 label_language_based: Sprachabhängig
724 724 label_sort_by: "Sortiert nach {{value}}"
725 725 label_send_test_email: Test-E-Mail senden
726 726 label_feeds_access_key: RSS-Zugriffsschlüssel
727 727 label_missing_feeds_access_key: Der RSS-Zugriffsschlüssel fehlt.
728 728 label_feeds_access_key_created_on: "Atom-Zugriffsschlüssel vor {{value}} erstellt"
729 729 label_module_plural: Module
730 730 label_added_time_by: "Von {{author}} vor {{age}} hinzugefügt"
731 731 label_updated_time_by: "Von {{author}} vor {{age}} aktualisiert"
732 732 label_updated_time: "Vor {{value}} aktualisiert"
733 733 label_jump_to_a_project: Zu einem Projekt springen...
734 734 label_file_plural: Dateien
735 735 label_changeset_plural: Changesets
736 736 label_default_columns: Standard-Spalten
737 737 label_no_change_option: (Keine Änderung)
738 738 label_bulk_edit_selected_issues: Alle ausgewählten Tickets bearbeiten
739 739 label_theme: Stil
740 740 label_default: Standard
741 741 label_search_titles_only: Nur Titel durchsuchen
742 742 label_user_mail_option_all: "Für alle Ereignisse in all meinen Projekten"
743 743 label_user_mail_option_selected: "Für alle Ereignisse in den ausgewählten Projekten..."
744 744 label_user_mail_no_self_notified: "Ich möchte nicht über Änderungen benachrichtigt werden, die ich selbst durchführe."
745 745 label_registration_activation_by_email: Kontoaktivierung durch E-Mail
746 746 label_registration_manual_activation: Manuelle Kontoaktivierung
747 747 label_registration_automatic_activation: Automatische Kontoaktivierung
748 748 label_display_per_page: "Pro Seite: {{value}}"
749 749 label_age: Geändert vor
750 750 label_change_properties: Eigenschaften ändern
751 751 label_general: Allgemein
752 752 label_more: Mehr
753 753 label_scm: Versionskontrollsystem
754 754 label_plugins: Plugins
755 755 label_ldap_authentication: LDAP-Authentifizierung
756 756 label_downloads_abbr: D/L
757 757 label_optional_description: Beschreibung (optional)
758 758 label_add_another_file: Eine weitere Datei hinzufügen
759 759 label_preferences: Präferenzen
760 760 label_chronological_order: in zeitlicher Reihenfolge
761 761 label_reverse_chronological_order: in umgekehrter zeitlicher Reihenfolge
762 762 label_planning: Terminplanung
763 763 label_incoming_emails: Eingehende E-Mails
764 764 label_generate_key: Generieren
765 765 label_issue_watchers: Beobachter
766 766 label_example: Beispiel
767 767 label_display: Anzeige
768 768 label_sort: Sortierung
769 769 label_ascending: Aufsteigend
770 770 label_descending: Absteigend
771 771 label_date_from_to: von {{start}} bis {{end}}
772 772 label_wiki_content_added: Die Wiki-Seite wurde erfolgreich hinzugefügt.
773 773 label_wiki_content_updated: Die Wiki-Seite wurde erfolgreich aktualisiert.
774 774 label_group: Gruppe
775 775 label_group_plural: Gruppen
776 776 label_group_new: Neue Gruppe
777 777 label_time_entry_plural: Benötigte Zeit
778 778 label_version_sharing_none: Nicht gemeinsam verwenden
779 779 label_version_sharing_descendants: Mit Unterprojekten
780 780 label_version_sharing_hierarchy: Mit Projekthierarchie
781 781 label_version_sharing_tree: Mit Projektbaum
782 782 label_version_sharing_system: Mit allen Projekten
783 783 label_update_issue_done_ratios: Ticket-Fortschritt aktualisieren
784 784 label_copy_source: Quelle
785 785 label_copy_target: Ziel
786 786 label_copy_same_as_target: So wie das Ziel
787 787 label_display_used_statuses_only: Zeige nur Status an, die von diesem Tracker verwendet werden
788 788 label_api_access_key: API-Zugriffsschlüssel
789 789 label_missing_api_access_key: Der API-Zugriffsschlüssel fehlt.
790 790 label_api_access_key_created_on: Der API-Zugriffsschlüssel wurde vor {{value}} erstellt
791 791 label_profile: Profil
792 792 label_subtask_plural: Unteraufgaben
793 793 label_project_copy_notifications: Sende Mailbenachrichtigungen beim Kopieren des Projekts.
794 794
795 795 button_login: Anmelden
796 796 button_submit: OK
797 797 button_save: Speichern
798 798 button_check_all: Alles auswählen
799 799 button_uncheck_all: Alles abwählen
800 800 button_delete: Löschen
801 801 button_create: Anlegen
802 802 button_create_and_continue: Anlegen und weiter
803 803 button_test: Testen
804 804 button_edit: Bearbeiten
805 805 button_edit_associated_wikipage: "Zugehörige Wikiseite bearbeiten: {{page_title}}"
806 806 button_add: Hinzufügen
807 807 button_change: Wechseln
808 808 button_apply: Anwenden
809 809 button_clear: Zurücksetzen
810 810 button_lock: Sperren
811 811 button_unlock: Entsperren
812 812 button_download: Download
813 813 button_list: Liste
814 814 button_view: Anzeigen
815 815 button_move: Verschieben
816 816 button_move_and_follow: Verschieben und Ticket anzeigen
817 817 button_back: Zurück
818 818 button_cancel: Abbrechen
819 819 button_activate: Aktivieren
820 820 button_sort: Sortieren
821 821 button_log_time: Aufwand buchen
822 822 button_rollback: Auf diese Version zurücksetzen
823 823 button_watch: Beobachten
824 824 button_unwatch: Nicht beobachten
825 825 button_reply: Antworten
826 826 button_archive: Archivieren
827 827 button_unarchive: Entarchivieren
828 828 button_reset: Zurücksetzen
829 829 button_rename: Umbenennen
830 830 button_change_password: Kennwort ändern
831 831 button_copy: Kopieren
832 832 button_copy_and_follow: Kopieren und Ticket anzeigen
833 833 button_annotate: Annotieren
834 834 button_update: Aktualisieren
835 835 button_configure: Konfigurieren
836 836 button_quote: Zitieren
837 837 button_duplicate: Duplizieren
838 838 button_show: Anzeigen
839 839
840 840 status_active: aktiv
841 841 status_registered: angemeldet
842 842 status_locked: gesperrt
843 843
844 844 version_status_open: offen
845 845 version_status_locked: gesperrt
846 846 version_status_closed: abgeschlossen
847 847
848 848 field_active: Aktiv
849 849
850 850 text_select_mail_notifications: Bitte wählen Sie die Aktionen aus, für die eine Mailbenachrichtigung gesendet werden soll.
851 851 text_regexp_info: z. B. ^[A-Z0-9]+$
852 852 text_min_max_length_info: 0 heißt keine Beschränkung
853 853 text_project_destroy_confirmation: Sind Sie sicher, dass sie das Projekt löschen wollen?
854 854 text_subprojects_destroy_warning: "Dessen Unterprojekte ({{value}}) werden ebenfalls gelöscht."
855 855 text_workflow_edit: Workflow zum Bearbeiten auswählen
856 856 text_are_you_sure: Sind Sie sicher?
857 857 text_journal_changed: "{{label}} wurde von {{old}} zu {{new}} geändert"
858 858 text_journal_set_to: "{{label}} wurde auf {{value}} gesetzt"
859 859 text_journal_deleted: "{{label}} {{old}} wurde gelöscht"
860 860 text_journal_added: "{{label}} {{value}} wurde hinzugefügt"
861 861 text_tip_issue_begin_day: Aufgabe, die an diesem Tag beginnt
862 862 text_tip_issue_end_day: Aufgabe, die an diesem Tag endet
863 863 text_tip_issue_begin_end_day: Aufgabe, die an diesem Tag beginnt und endet
864 864 text_project_identifier_info: 'Kleinbuchstaben (a-z), Ziffern und Bindestriche erlaubt.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
865 865 text_caracters_maximum: "Max. {{count}} Zeichen."
866 866 text_caracters_minimum: "Muss mindestens {{count}} Zeichen lang sein."
867 867 text_length_between: "Länge zwischen {{min}} und {{max}} Zeichen."
868 868 text_tracker_no_workflow: Kein Workflow für diesen Tracker definiert.
869 869 text_unallowed_characters: Nicht erlaubte Zeichen
870 870 text_comma_separated: Mehrere Werte erlaubt (durch Komma getrennt).
871 871 text_line_separated: Mehrere Werte sind erlaubt (eine Zeile pro Wert).
872 872 text_issues_ref_in_commit_messages: Ticket-Beziehungen und -Status in Commit-Log-Meldungen
873 873 text_issue_added: "Ticket {{id}} wurde erstellt von {{author}}."
874 874 text_issue_updated: "Ticket {{id}} wurde aktualisiert von {{author}}."
875 875 text_wiki_destroy_confirmation: Sind Sie sicher, dass Sie dieses Wiki mit sämtlichem Inhalt löschen möchten?
876 876 text_issue_category_destroy_question: "Einige Tickets ({{count}}) sind dieser Kategorie zugeodnet. Was möchten Sie tun?"
877 877 text_issue_category_destroy_assignments: Kategorie-Zuordnung entfernen
878 878 text_issue_category_reassign_to: Tickets dieser Kategorie zuordnen
879 879 text_user_mail_option: "Für nicht ausgewählte Projekte werden Sie nur Benachrichtigungen für Dinge erhalten, die Sie beobachten oder an denen Sie beteiligt sind (z. B. Tickets, deren Autor Sie sind oder die Ihnen zugewiesen sind)."
880 880 text_no_configuration_data: "Rollen, Tracker, Ticket-Status und Workflows wurden noch nicht konfiguriert.\nEs ist sehr zu empfehlen, die Standard-Konfiguration zu laden. Sobald sie geladen ist, können Sie sie abändern."
881 881 text_load_default_configuration: Standard-Konfiguration laden
882 882 text_status_changed_by_changeset: "Status geändert durch Changeset {{value}}."
883 883 text_issues_destroy_confirmation: 'Sind Sie sicher, dass Sie die ausgewählten Tickets löschen möchten?'
884 884 text_select_project_modules: 'Bitte wählen Sie die Module aus, die in diesem Projekt aktiviert sein sollen:'
885 885 text_default_administrator_account_changed: Administrator-Kennwort geändert
886 886 text_file_repository_writable: Verzeichnis für Dateien beschreibbar
887 887 text_plugin_assets_writable: Verzeichnis für Plugin-Assets beschreibbar
888 888 text_rmagick_available: RMagick verfügbar (optional)
889 889 text_destroy_time_entries_question: Es wurden bereits {{hours}} Stunden auf dieses Ticket gebucht. Was soll mit den Aufwänden geschehen?
890 890 text_destroy_time_entries: Gebuchte Aufwände löschen
891 891 text_assign_time_entries_to_project: Gebuchte Aufwände dem Projekt zuweisen
892 892 text_reassign_time_entries: 'Gebuchte Aufwände diesem Ticket zuweisen:'
893 893 text_user_wrote: "{{value}} schrieb:"
894 894 text_enumeration_destroy_question: "{{count}} Objekt(e) sind diesem Wert zugeordnet."
895 895 text_enumeration_category_reassign_to: 'Die Objekte stattdessen diesem Wert zuordnen:'
896 896 text_email_delivery_not_configured: "Der SMTP-Server ist nicht konfiguriert und Mailbenachrichtigungen sind ausgeschaltet.\nNehmen Sie die Einstellungen für Ihren SMTP-Server in config/email.yml vor und starten Sie die Applikation neu."
897 897 text_repository_usernames_mapping: "Bitte legen Sie die Zuordnung der Redmine-Benutzer zu den Benutzernamen der Commit-Log-Meldungen des Projektarchivs fest.\nBenutzer mit identischen Redmine- und Projektarchiv-Benutzernamen oder -E-Mail-Adressen werden automatisch zugeordnet."
898 898 text_diff_truncated: '... Dieser Diff wurde abgeschnitten, weil er die maximale Anzahl anzuzeigender Zeilen überschreitet.'
899 899 text_custom_field_possible_values_info: 'Eine Zeile pro Wert'
900 900 text_wiki_page_destroy_question: "Diese Seite hat {{descendants}} Unterseite(n). Was möchten Sie tun?"
901 901 text_wiki_page_nullify_children: Verschiebe die Unterseiten auf die oberste Ebene
902 902 text_wiki_page_destroy_children: Lösche alle Unterseiten
903 903 text_wiki_page_reassign_children: Ordne die Unterseiten dieser Seite zu
904 904 text_own_membership_delete_confirmation: "Sie sind dabei, einige oder alle Ihre Berechtigungen zu entfernen. Es ist möglich, dass Sie danach das Projekt nicht mehr ansehen oder bearbeiten dürfen.\nSind Sie sicher, dass Sie dies tun möchten?"
905 905 text_zoom_in: Zoom in
906 906 text_zoom_out: Zoom out
907 907
908 908 default_role_manager: Manager
909 909 default_role_developer: Entwickler
910 910 default_role_reporter: Reporter
911 911 default_tracker_bug: Fehler
912 912 default_tracker_feature: Feature
913 913 default_tracker_support: Unterstützung
914 914 default_issue_status_new: Neu
915 915 default_issue_status_in_progress: In Bearbeitung
916 916 default_issue_status_resolved: Gelöst
917 917 default_issue_status_feedback: Feedback
918 918 default_issue_status_closed: Erledigt
919 919 default_issue_status_rejected: Abgewiesen
920 920 default_doc_category_user: Benutzerdokumentation
921 921 default_doc_category_tech: Technische Dokumentation
922 922 default_priority_low: Niedrig
923 923 default_priority_normal: Normal
924 924 default_priority_high: Hoch
925 925 default_priority_urgent: Dringend
926 926 default_priority_immediate: Sofort
927 927 default_activity_design: Design
928 928 default_activity_development: Entwicklung
929 929
930 930 enumeration_issue_priorities: Ticket-Prioritäten
931 931 enumeration_doc_categories: Dokumentenkategorien
932 932 enumeration_activities: Aktivitäten (Zeiterfassung)
933 933 enumeration_system_activity: System-Aktivität
934 934
935 935 text_are_you_sure_with_children: Delete issue and all child issues?
936 936 field_text: Text field
937 937 label_user_mail_option_only_owner: Only for things I am the owner of
938 938 setting_default_notification_option: Default notification option
939 939 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
940 940 label_user_mail_option_only_assigned: Only for things I am assigned to
941 941 label_user_mail_option_none: No events
942 942 field_member_of_group: Assignee's group
943 943 field_assigned_to_role: Assignee's role
944 notice_not_authorized_archived_project: The project you're trying to access has been archived.
@@ -1,924 +1,925
1 1 # Greek translations for Ruby on Rails
2 2 # by Vaggelis Typaldos (vtypal@gmail.com), Spyros Raptis (spirosrap@gmail.com)
3 3
4 4 el:
5 5 direction: ltr
6 6 date:
7 7 formats:
8 8 # Use the strftime parameters for formats.
9 9 # When no format has been given, it uses default.
10 10 # You can provide other formats here if you like!
11 11 default: "%m/%d/%Y"
12 12 short: "%b %d"
13 13 long: "%B %d, %Y"
14 14
15 15 day_names: [Κυριακή, Δευτέρα, Τρίτη, Τετάρτη, Πέμπτη, Παρασκευή, Σάββατο]
16 16 abbr_day_names: [Κυρ, Δευ, Τρι, Τετ, Πεμ, Παρ, Σαβ]
17 17
18 18 # Don't forget the nil at the beginning; there's no such thing as a 0th month
19 19 month_names: [~, Ιανουάριος, Φεβρουάριος, Μάρτιος, Απρίλιος, Μάϊος, Ιούνιος, Ιούλιος, Αύγουστος, Σεπτέμβριος, Οκτώβριος, Νοέμβριος, Δεκέμβριος]
20 20 abbr_month_names: [~, Ιαν, Φεβ, Μαρ, Απρ, Μαϊ, Ιον, Ιολ, Αυγ, Σεπ, Οκτ, Νοε, Δεκ]
21 21 # Used in date_select and datime_select.
22 22 order: [ :year, :month, :day ]
23 23
24 24 time:
25 25 formats:
26 26 default: "%m/%d/%Y %I:%M %p"
27 27 time: "%I:%M %p"
28 28 short: "%d %b %H:%M"
29 29 long: "%B %d, %Y %H:%M"
30 30 am: "πμ"
31 31 pm: "μμ"
32 32
33 33 datetime:
34 34 distance_in_words:
35 35 half_a_minute: "μισό λεπτό"
36 36 less_than_x_seconds:
37 37 one: "λιγότερο από 1 δευτερόλεπτο"
38 38 other: "λιγότερο από {{count}} δευτερόλεπτα"
39 39 x_seconds:
40 40 one: "1 δευτερόλεπτο"
41 41 other: "{{count}} δευτερόλεπτα"
42 42 less_than_x_minutes:
43 43 one: "λιγότερο από ένα λεπτό"
44 44 other: "λιγότερο από {{count}} λεπτά"
45 45 x_minutes:
46 46 one: "1 λεπτό"
47 47 other: "{{count}} λεπτά"
48 48 about_x_hours:
49 49 one: "περίπου 1 ώρα"
50 50 other: "περίπου {{count}} ώρες"
51 51 x_days:
52 52 one: "1 ημέρα"
53 53 other: "{{count}} ημέρες"
54 54 about_x_months:
55 55 one: "περίπου 1 μήνα"
56 56 other: "περίπου {{count}} μήνες"
57 57 x_months:
58 58 one: "1 μήνα"
59 59 other: "{{count}} μήνες"
60 60 about_x_years:
61 61 one: "περίπου 1 χρόνο"
62 62 other: "περίπου {{count}} χρόνια"
63 63 over_x_years:
64 64 one: "πάνω από 1 χρόνο"
65 65 other: "πάνω από {{count}} χρόνια"
66 66 almost_x_years:
67 67 one: "almost 1 year"
68 68 other: "almost {{count}} years"
69 69
70 70 number:
71 71 format:
72 72 separator: "."
73 73 delimiter: ""
74 74 precision: 3
75 75 human:
76 76 format:
77 77 precision: 1
78 78 delimiter: ""
79 79 storage_units:
80 80 format: "%n %u"
81 81 units:
82 82 kb: KB
83 83 tb: TB
84 84 gb: GB
85 85 byte:
86 86 one: Byte
87 87 other: Bytes
88 88 mb: MB
89 89
90 90 # Used in array.to_sentence.
91 91 support:
92 92 array:
93 93 sentence_connector: "and"
94 94 skip_last_comma: false
95 95
96 96 activerecord:
97 97 errors:
98 98 messages:
99 99 inclusion: "δεν περιέχεται στη λίστα"
100 100 exclusion: "έχει κατοχυρωθεί"
101 101 invalid: "είναι άκυρο"
102 102 confirmation: "δεν αντιστοιχεί με την επιβεβαίωση"
103 103 accepted: "πρέπει να γίνει αποδοχή"
104 104 empty: "δε μπορεί να είναι άδειο"
105 105 blank: "δε μπορεί να είναι κενό"
106 106 too_long: "έχει πολλούς (μέγ.επιτρ. {{count}} χαρακτήρες)"
107 107 too_short: "έχει λίγους (ελάχ.επιτρ. {{count}} χαρακτήρες)"
108 108 wrong_length: "δεν είναι σωστός ο αριθμός χαρακτήρων (πρέπει να έχει {{count}} χαρακτήρες)"
109 109 taken: "έχει ήδη κατοχυρωθεί"
110 110 not_a_number: "δεν είναι αριθμός"
111 111 not_a_date: "δεν είναι σωστή ημερομηνία"
112 112 greater_than: "πρέπει να είναι μεγαλύτερο από {{count}}"
113 113 greater_than_or_equal_to: "πρέπει να είναι μεγαλύτερο από ή ίσο με {{count}}"
114 114 equal_to: "πρέπει να είναι ίσον με {{count}}"
115 115 less_than: "πρέπει να είναι μικρότερη από {{count}}"
116 116 less_than_or_equal_to: "πρέπει να είναι μικρότερο από ή ίσο με {{count}}"
117 117 odd: "πρέπει να είναι μονός"
118 118 even: "πρέπει να είναι ζυγός"
119 119 greater_than_start_date: "πρέπει να είναι αργότερα από την ημερομηνία έναρξης"
120 120 not_same_project: "δεν ανήκει στο ίδιο έργο"
121 121 circular_dependency: "Αυτή η σχέση θα δημιουργήσει κυκλικές εξαρτήσεις"
122 122 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
123 123
124 124 actionview_instancetag_blank_option: Παρακαλώ επιλέξτε
125 125
126 126 general_text_No: 'Όχι'
127 127 general_text_Yes: 'Ναι'
128 128 general_text_no: 'όχι'
129 129 general_text_yes: 'ναι'
130 130 general_lang_name: 'Ελληνικά'
131 131 general_csv_separator: ','
132 132 general_csv_decimal_separator: '.'
133 133 general_csv_encoding: UTF-8
134 134 general_pdf_encoding: UTF-8
135 135 general_first_day_of_week: '7'
136 136
137 137 notice_account_updated: Ο λογαριασμός ενημερώθηκε επιτυχώς.
138 138 notice_account_invalid_creditentials: Άκυρο όνομα χρήστη ή κωδικού πρόσβασης
139 139 notice_account_password_updated: Ο κωδικός πρόσβασης ενημερώθηκε επιτυχώς.
140 140 notice_account_wrong_password: Λάθος κωδικός πρόσβασης
141 141 notice_account_register_done: Ο λογαριασμός δημιουργήθηκε επιτυχώς. Για να ενεργοποιήσετε το λογαριασμό σας, πατήστε το σύνδεσμο που σας έχει αποσταλεί με email.
142 142 notice_account_unknown_email: Άγνωστος χρήστης.
143 143 notice_can_t_change_password: Αυτός ο λογαριασμός χρησιμοποιεί εξωτερική πηγή πιστοποίησης. Δεν είναι δυνατόν να αλλάξετε τον κωδικό πρόσβασης.
144 144 notice_account_lost_email_sent: Σας έχει αποσταλεί email με οδηγίες για την επιλογή νέου κωδικού πρόσβασης.
145 145 notice_account_activated: Ο λογαριασμός σας έχει ενεργοποιηθεί. Τώρα μπορείτε να συνδεθείτε.
146 146 notice_successful_create: Επιτυχής δημιουργία.
147 147 notice_successful_update: Επιτυχής ενημέρωση.
148 148 notice_successful_delete: Επιτυχής διαγραφή.
149 149 notice_successful_connection: Επιτυχής σύνδεση.
150 150 notice_file_not_found: Η σελίδα που ζητήσατε δεν υπάρχει ή έχει αφαιρεθεί.
151 151 notice_locking_conflict: Τα δεδομένα έχουν ενημερωθεί από άλλο χρήστη.
152 152 notice_not_authorized: Δεν έχετε δικαίωμα πρόσβασης σε αυτή τη σελίδα.
153 153 notice_email_sent: "Ένα μήνυμα ηλεκτρονικού ταχυδρομείου εστάλη στο {{value}}"
154 154 notice_email_error: "Σφάλμα κατά την αποστολή του μηνύματος στο ({{value}})"
155 155 notice_feeds_access_key_reseted: Έγινε επαναφορά στο κλειδί πρόσβασης RSS.
156 156 notice_failed_to_save_issues: "Αποτυχία αποθήκευσης {{count}} θεμα(των) από τα {{total}} επιλεγμένα: {{ids}}."
157 157 notice_no_issue_selected: "Κανένα θέμα δεν είναι επιλεγμένο! Παρακαλούμε, ελέγξτε τα θέματα που θέλετε να επεξεργαστείτε."
158 158 notice_account_pending: λογαριασμός σας έχει δημιουργηθεί και είναι σε στάδιο έγκρισης από τον διαχειριστή."
159 159 notice_default_data_loaded: Οι προεπιλεγμένες ρυθμίσεις φορτώθηκαν επιτυχώς.
160 160 notice_unable_delete_version: Αδύνατον να διαγραφεί η έκδοση.
161 161
162 162 error_can_t_load_default_data: "Οι προεπιλεγμένες ρυθμίσεις δεν μπόρεσαν να φορτωθούν:: {{value}}"
163 163 error_scm_not_found: εγγραφή ή η αναθεώρηση δεν βρέθηκε στο αποθετήριο."
164 164 error_scm_command_failed: "Παρουσιάστηκε σφάλμα κατά την προσπάθεια πρόσβασης στο αποθετήριο: {{value}}"
165 165 error_scm_annotate: καταχώριση δεν υπάρχει ή δεν μπορεί να σχολιαστεί."
166 166 error_issue_not_found_in_project: 'Το θέμα δεν βρέθηκε ή δεν ανήκει σε αυτό το έργο'
167 167 error_no_tracker_in_project: 'Δεν υπάρχει ανιχνευτής για αυτό το έργο. Παρακαλώ ελέγξτε τις ρυθμίσεις του έργου.'
168 168 error_no_default_issue_status: 'Δεν έχει οριστεί η προεπιλογή κατάστασης θεμάτων. Παρακαλώ ελέγξτε τις ρυθμίσεις σας (Μεταβείτε στην "Διαχείριση -> Κατάσταση θεμάτων").'
169 169
170 170 warning_attachments_not_saved: "{{count}} αρχείο(α) δε μπορούν να αποθηκευτούν."
171 171
172 172 mail_subject_lost_password: κωδικός σας {{value}}"
173 173 mail_body_lost_password: 'Για να αλλάξετε τον κωδικό πρόσβασης, πατήστε τον ακόλουθο σύνδεσμο:'
174 174 mail_subject_register: "Ενεργοποίηση του λογαριασμού χρήστη {{value}} "
175 175 mail_body_register: 'Για να ενεργοποιήσετε το λογαριασμό σας, επιλέξτε τον ακόλουθο σύνδεσμο:'
176 176 mail_body_account_information_external: "Μπορείτε να χρησιμοποιήσετε τον λογαριασμό {{value}} για να συνδεθείτε."
177 177 mail_body_account_information: Πληροφορίες του λογαριασμού σας
178 178 mail_subject_account_activation_request: "αίτημα ενεργοποίησης λογαριασμού {{value}}"
179 179 mail_body_account_activation_request: "'Ένας νέος χρήστης ({{value}}) έχει εγγραφεί. Ο λογαριασμός είναι σε στάδιο αναμονής της έγκρισης σας:"
180 180 mail_subject_reminder: "{{count}} θέμα(τα) με προθεσμία στις επόμενες {{days}} ημέρες"
181 181 mail_body_reminder: "{{count}}θέμα(τα) που έχουν ανατεθεί σε σας, με προθεσμία στις επόμενες {{days}} ημέρες:"
182 182 mail_subject_wiki_content_added: "'προστέθηκε η σελίδα wiki {{page}}' "
183 183 mail_body_wiki_content_added: σελίδα wiki '{{page}}' προστέθηκε από τον {{author}}."
184 184 mail_subject_wiki_content_updated: "'ενημερώθηκε η σελίδα wiki {{page}}' "
185 185 mail_body_wiki_content_updated: σελίδα wiki '{{page}}' ενημερώθηκε από τον {{author}}."
186 186
187 187 gui_validation_error: 1 σφάλμα
188 188 gui_validation_error_plural: "{{count}} σφάλματα"
189 189
190 190 field_name: Όνομα
191 191 field_description: Περιγραφή
192 192 field_summary: Συνοπτικά
193 193 field_is_required: Απαιτείται
194 194 field_firstname: Όνομα
195 195 field_lastname: Επώνυμο
196 196 field_mail: Email
197 197 field_filename: Αρχείο
198 198 field_filesize: Μέγεθος
199 199 field_downloads: Μεταφορτώσεις
200 200 field_author: Συγγραφέας
201 201 field_created_on: Δημιουργήθηκε
202 202 field_updated_on: Ενημερώθηκε
203 203 field_field_format: Μορφοποίηση
204 204 field_is_for_all: Για όλα τα έργα
205 205 field_possible_values: Πιθανές τιμές
206 206 field_regexp: Κανονική παράσταση
207 207 field_min_length: Ελάχιστο μήκος
208 208 field_max_length: Μέγιστο μήκος
209 209 field_value: Τιμή
210 210 field_category: Κατηγορία
211 211 field_title: Τίτλος
212 212 field_project: Έργο
213 213 field_issue: Θέμα
214 214 field_status: Κατάσταση
215 215 field_notes: Σημειώσεις
216 216 field_is_closed: Κλειστά θέματα
217 217 field_is_default: Προεπιλεγμένη τιμή
218 218 field_tracker: Ανιχνευτής
219 219 field_subject: Θέμα
220 220 field_due_date: Προθεσμία
221 221 field_assigned_to: Ανάθεση σε
222 222 field_priority: Προτεραιότητα
223 223 field_fixed_version: Στόχος έκδοσης
224 224 field_user: Χρήστης
225 225 field_role: Ρόλος
226 226 field_homepage: Αρχική σελίδα
227 227 field_is_public: Δημόσιο
228 228 field_parent: Επιμέρους έργο του
229 229 field_is_in_roadmap: Προβολή θεμάτων στο χάρτη πορείας
230 230 field_login: Όνομα χρήστη
231 231 field_mail_notification: Ειδοποιήσεις email
232 232 field_admin: Διαχειριστής
233 233 field_last_login_on: Τελευταία σύνδεση
234 234 field_language: Γλώσσα
235 235 field_effective_date: Ημερομηνία
236 236 field_password: Κωδικός πρόσβασης
237 237 field_new_password: Νέος κωδικός πρόσβασης
238 238 field_password_confirmation: Επιβεβαίωση
239 239 field_version: Έκδοση
240 240 field_type: Τύπος
241 241 field_host: Κόμβος
242 242 field_port: Θύρα
243 243 field_account: Λογαριασμός
244 244 field_base_dn: Βάση DN
245 245 field_attr_login: Ιδιότητα εισόδου
246 246 field_attr_firstname: Ιδιότητα ονόματος
247 247 field_attr_lastname: Ιδιότητα επωνύμου
248 248 field_attr_mail: Ιδιότητα email
249 249 field_onthefly: Άμεση δημιουργία χρήστη
250 250 field_start_date: Εκκίνηση
251 251 field_done_ratio: % επιτεύχθη
252 252 field_auth_source: Τρόπος πιστοποίησης
253 253 field_hide_mail: Απόκρυψη διεύθυνσης email
254 254 field_comments: Σχόλιο
255 255 field_url: URL
256 256 field_start_page: Πρώτη σελίδα
257 257 field_subproject: Επιμέρους έργο
258 258 field_hours: Ώρες
259 259 field_activity: Δραστηριότητα
260 260 field_spent_on: Ημερομηνία
261 261 field_identifier: Στοιχείο αναγνώρισης
262 262 field_is_filter: Χρήση ως φίλτρο
263 263 field_issue_to: Σχετικά θέματα
264 264 field_delay: Καθυστέρηση
265 265 field_assignable: Θέματα που μπορούν να ανατεθούν σε αυτό το ρόλο
266 266 field_redirect_existing_links: Ανακατεύθυνση των τρεχόντων συνδέσμων
267 267 field_estimated_hours: Εκτιμώμενος χρόνος
268 268 field_column_names: Στήλες
269 269 field_time_zone: Ωριαία ζώνη
270 270 field_searchable: Ερευνήσιμο
271 271 field_default_value: Προκαθορισμένη τιμή
272 272 field_comments_sorting: Προβολή σχολίων
273 273 field_parent_title: Γονική σελίδα
274 274 field_editable: Επεξεργάσιμο
275 275 field_watcher: Παρατηρητής
276 276 field_identity_url: OpenID URL
277 277 field_content: Περιεχόμενο
278 278 field_group_by: Ομαδικά αποτελέσματα από
279 279
280 280 setting_app_title: Τίτλος εφαρμογής
281 281 setting_app_subtitle: Υπότιτλος εφαρμογής
282 282 setting_welcome_text: Κείμενο υποδοχής
283 283 setting_default_language: Προεπιλεγμένη γλώσσα
284 284 setting_login_required: Απαιτείται πιστοποίηση
285 285 setting_self_registration: Αυτο-εγγραφή
286 286 setting_attachment_max_size: Μέγ. μέγεθος συνημμένου
287 287 setting_issues_export_limit: Θέματα περιορισμού εξαγωγής
288 288 setting_mail_from: Μετάδοση διεύθυνσης email
289 289 setting_bcc_recipients: Αποδέκτες κρυφής κοινοποίησης (bcc)
290 290 setting_plain_text_mail: Email απλού κειμένου (όχι HTML)
291 291 setting_host_name: Όνομα κόμβου και διαδρομή
292 292 setting_text_formatting: Μορφοποίηση κειμένου
293 293 setting_wiki_compression: Συμπίεση ιστορικού wiki
294 294 setting_feeds_limit: Feed περιορισμού περιεχομένου
295 295 setting_default_projects_public: Τα νέα έργα έχουν προεπιλεγεί ως δημόσια
296 296 setting_autofetch_changesets: Αυτόματη λήψη commits
297 297 setting_sys_api_enabled: Ενεργοποίηση WS για διαχείριση αποθετηρίου
298 298 setting_commit_ref_keywords: Αναφορά σε λέξεις-κλειδιά
299 299 setting_commit_fix_keywords: Καθορισμός σε λέξεις-κλειδιά
300 300 setting_autologin: Αυτόματη σύνδεση
301 301 setting_date_format: Μορφή ημερομηνίας
302 302 setting_time_format: Μορφή ώρας
303 303 setting_cross_project_issue_relations: Επιτρέψτε συσχετισμό θεμάτων σε διασταύρωση-έργων
304 304 setting_issue_list_default_columns: Προκαθορισμένες εμφανιζόμενες στήλες στη λίστα θεμάτων
305 305 setting_repositories_encodings: Κωδικοποίηση χαρακτήρων αποθετηρίου
306 306 setting_commit_logs_encoding: Κωδικοποίηση μηνυμάτων commit
307 307 setting_emails_footer: Υποσέλιδο στα email
308 308 setting_protocol: Πρωτόκολο
309 309 setting_per_page_options: Αντικείμενα ανά σελίδα επιλογών
310 310 setting_user_format: Μορφή εμφάνισης χρηστών
311 311 setting_activity_days_default: Ημέρες που εμφανίζεται στη δραστηριότητα έργου
312 312 setting_display_subprojects_issues: Εμφάνιση από προεπιλογή θεμάτων επιμέρους έργων στα κύρια έργα
313 313 setting_enabled_scm: Ενεργοποίηση SCM
314 314 setting_mail_handler_api_enabled: Ενεργοποίηση WS για εισερχόμενα email
315 315 setting_mail_handler_api_key: κλειδί API
316 316 setting_sequential_project_identifiers: Δημιουργία διαδοχικών αναγνωριστικών έργου
317 317 setting_gravatar_enabled: Χρήση Gravatar εικονιδίων χρηστών
318 318 setting_diff_max_lines_displayed: Μεγ.αριθμός εμφάνισης γραμμών diff
319 319 setting_file_max_size_displayed: Μεγ.μέγεθος των αρχείων απλού κειμένου που εμφανίζονται σε σειρά
320 320 setting_repository_log_display_limit: Μέγιστος αριθμός αναθεωρήσεων που εμφανίζονται στο ιστορικό αρχείου
321 321 setting_openid: Επιτρέψτε συνδέσεις OpenID και εγγραφή
322 322 setting_password_min_length: Ελάχιστο μήκος κωδικού πρόσβασης
323 323 setting_new_project_user_role_id: Απόδοση ρόλου σε χρήστη μη-διαχειριστή όταν δημιουργεί ένα έργο
324 324
325 325 permission_add_project: Δημιουργία έργου
326 326 permission_edit_project: Επεξεργασία έργου
327 327 permission_select_project_modules: Επιλογή μονάδων έργου
328 328 permission_manage_members: Διαχείριση μελών
329 329 permission_manage_versions: Διαχείριση εκδόσεων
330 330 permission_manage_categories: Διαχείριση κατηγοριών θεμάτων
331 331 permission_add_issues: Προσθήκη θεμάτων
332 332 permission_edit_issues: Επεξεργασία θεμάτων
333 333 permission_manage_issue_relations: Διαχείριση συσχετισμών θεμάτων
334 334 permission_add_issue_notes: Προσθήκη σημειώσεων
335 335 permission_edit_issue_notes: Επεξεργασία σημειώσεων
336 336 permission_edit_own_issue_notes: Επεξεργασία δικών μου σημειώσεων
337 337 permission_move_issues: Μεταφορά θεμάτων
338 338 permission_delete_issues: Διαγραφή θεμάτων
339 339 permission_manage_public_queries: Διαχείριση δημόσιων αναζητήσεων
340 340 permission_save_queries: Αποθήκευση αναζητήσεων
341 341 permission_view_gantt: Προβολή διαγράμματος gantt
342 342 permission_view_calendar: Προβολή ημερολογίου
343 343 permission_view_issue_watchers: Προβολή λίστας παρατηρητών
344 344 permission_add_issue_watchers: Προσθήκη παρατηρητών
345 345 permission_log_time: Ιστορικό χρόνου που δαπανήθηκε
346 346 permission_view_time_entries: Προβολή χρόνου που δαπανήθηκε
347 347 permission_edit_time_entries: Επεξεργασία ιστορικού χρόνου
348 348 permission_edit_own_time_entries: Επεξεργασία δικού μου ιστορικού χρόνου
349 349 permission_manage_news: Διαχείριση νέων
350 350 permission_comment_news: Σχολιασμός νέων
351 351 permission_manage_documents: Διαχείριση εγγράφων
352 352 permission_view_documents: Προβολή εγγράφων
353 353 permission_manage_files: Διαχείριση αρχείων
354 354 permission_view_files: Προβολή αρχείων
355 355 permission_manage_wiki: Διαχείριση wiki
356 356 permission_rename_wiki_pages: Μετονομασία σελίδων wiki
357 357 permission_delete_wiki_pages: Διαγραφή σελίδων wiki
358 358 permission_view_wiki_pages: Προβολή wiki
359 359 permission_view_wiki_edits: Προβολή ιστορικού wiki
360 360 permission_edit_wiki_pages: Επεξεργασία σελίδων wiki
361 361 permission_delete_wiki_pages_attachments: Διαγραφή συνημμένων
362 362 permission_protect_wiki_pages: Προστασία σελίδων wiki
363 363 permission_manage_repository: Διαχείριση αποθετηρίου
364 364 permission_browse_repository: Διαχείριση εγγράφων
365 365 permission_view_changesets: Προβολή changesets
366 366 permission_commit_access: Πρόσβαση commit
367 367 permission_manage_boards: Διαχείριση πινάκων συζητήσεων
368 368 permission_view_messages: Προβολή μηνυμάτων
369 369 permission_add_messages: Αποστολή μηνυμάτων
370 370 permission_edit_messages: Επεξεργασία μηνυμάτων
371 371 permission_edit_own_messages: Επεξεργασία δικών μου μηνυμάτων
372 372 permission_delete_messages: Διαγραφή μηνυμάτων
373 373 permission_delete_own_messages: Διαγραφή δικών μου μηνυμάτων
374 374
375 375 project_module_issue_tracking: Ανίχνευση θεμάτων
376 376 project_module_time_tracking: Ανίχνευση χρόνου
377 377 project_module_news: Νέα
378 378 project_module_documents: Έγγραφα
379 379 project_module_files: Αρχεία
380 380 project_module_wiki: Wiki
381 381 project_module_repository: Αποθετήριο
382 382 project_module_boards: Πίνακες συζητήσεων
383 383
384 384 label_user: Χρήστης
385 385 label_user_plural: Χρήστες
386 386 label_user_new: Νέος Χρήστης
387 387 label_project: Έργο
388 388 label_project_new: Νέο έργο
389 389 label_project_plural: Έργα
390 390 label_x_projects:
391 391 zero: κανένα έργο
392 392 one: 1 έργο
393 393 other: "{{count}} έργα"
394 394 label_project_all: Όλα τα έργα
395 395 label_project_latest: Τελευταία έργα
396 396 label_issue: Θέμα
397 397 label_issue_new: Νέο θέμα
398 398 label_issue_plural: Θέματα
399 399 label_issue_view_all: Προβολή όλων των θεμάτων
400 400 label_issues_by: "Θέματα του {{value}}"
401 401 label_issue_added: Το θέμα προστέθηκε
402 402 label_issue_updated: Το θέμα ενημερώθηκε
403 403 label_document: Έγγραφο
404 404 label_document_new: Νέο έγγραφο
405 405 label_document_plural: Έγγραφα
406 406 label_document_added: Έγγραφο προστέθηκε
407 407 label_role: Ρόλος
408 408 label_role_plural: Ρόλοι
409 409 label_role_new: Νέος ρόλος
410 410 label_role_and_permissions: Ρόλοι και άδειες
411 411 label_member: Μέλος
412 412 label_member_new: Νέο μέλος
413 413 label_member_plural: Μέλη
414 414 label_tracker: Ανιχνευτής
415 415 label_tracker_plural: Ανιχνευτές
416 416 label_tracker_new: Νέος Ανιχνευτής
417 417 label_workflow: Ροή εργασίας
418 418 label_issue_status: Κατάσταση θέματος
419 419 label_issue_status_plural: Κατάσταση θέματος
420 420 label_issue_status_new: Νέα κατάσταση
421 421 label_issue_category: Κατηγορία θέματος
422 422 label_issue_category_plural: Κατηγορίες θεμάτων
423 423 label_issue_category_new: Νέα κατηγορία
424 424 label_custom_field: Προσαρμοσμένο πεδίο
425 425 label_custom_field_plural: Προσαρμοσμένα πεδία
426 426 label_custom_field_new: Νέο προσαρμοσμένο πεδίο
427 427 label_enumerations: Απαριθμήσεις
428 428 label_enumeration_new: Νέα τιμή
429 429 label_information: Πληροφορία
430 430 label_information_plural: Πληροφορίες
431 431 label_please_login: Παρακαλώ συνδεθείτε
432 432 label_register: Εγγραφή
433 433 label_login_with_open_id_option: ή συνδεθείτε με OpenID
434 434 label_password_lost: Ανάκτηση κωδικού πρόσβασης
435 435 label_home: Αρχική σελίδα
436 436 label_my_page: Η σελίδα μου
437 437 label_my_account: Ο λογαριασμός μου
438 438 label_my_projects: Τα έργα μου
439 439 label_administration: Διαχείριση
440 440 label_login: Σύνδεση
441 441 label_logout: Αποσύνδεση
442 442 label_help: Βοήθεια
443 443 label_reported_issues: Εισηγμένα θέματα
444 444 label_assigned_to_me_issues: Θέματα που έχουν ανατεθεί σε μένα
445 445 label_last_login: Τελευταία σύνδεση
446 446 label_registered_on: Εγγράφηκε την
447 447 label_activity: Δραστηριότητα
448 448 label_overall_activity: Συνολική δραστηριότητα
449 449 label_user_activity: "δραστηριότητα του {{value}}"
450 450 label_new: Νέο
451 451 label_logged_as: Σύνδεδεμένος ως
452 452 label_environment: Περιβάλλον
453 453 label_authentication: Πιστοποίηση
454 454 label_auth_source: Τρόπος πιστοποίησης
455 455 label_auth_source_new: Νέος τρόπος πιστοποίησης
456 456 label_auth_source_plural: Τρόποι πιστοποίησης
457 457 label_subproject_plural: Επιμέρους έργα
458 458 label_and_its_subprojects: "{{value}} και τα επιμέρους έργα του"
459 459 label_min_max_length: Ελάχ. - Μέγ. μήκος
460 460 label_list: Λίστα
461 461 label_date: Ημερομηνία
462 462 label_integer: Ακέραιος
463 463 label_float: Αριθμός κινητής υποδιαστολής
464 464 label_boolean: Λογικός
465 465 label_string: Κείμενο
466 466 label_text: Μακροσκελές κείμενο
467 467 label_attribute: Ιδιότητα
468 468 label_attribute_plural: Ιδιότητες
469 469 label_download: "{{count}} Μεταφόρτωση"
470 470 label_download_plural: "{{count}} Μεταφορτώσεις"
471 471 label_no_data: Δεν υπάρχουν δεδομένα
472 472 label_change_status: Αλλαγή κατάστασης
473 473 label_history: Ιστορικό
474 474 label_attachment: Αρχείο
475 475 label_attachment_new: Νέο αρχείο
476 476 label_attachment_delete: Διαγραφή αρχείου
477 477 label_attachment_plural: Αρχεία
478 478 label_file_added: Το αρχείο προστέθηκε
479 479 label_report: Αναφορά
480 480 label_report_plural: Αναφορές
481 481 label_news: Νέα
482 482 label_news_new: Προσθήκη νέων
483 483 label_news_plural: Νέα
484 484 label_news_latest: Τελευταία νέα
485 485 label_news_view_all: Προβολή όλων των νέων
486 486 label_news_added: Τα νέα προστέθηκαν
487 487 label_settings: Ρυθμίσεις
488 488 label_overview: Επισκόπηση
489 489 label_version: Έκδοση
490 490 label_version_new: Νέα έκδοση
491 491 label_version_plural: Εκδόσεις
492 492 label_confirmation: Επιβεβαίωση
493 493 label_export_to: 'Επίσης διαθέσιμο σε:'
494 494 label_read: Διάβασε...
495 495 label_public_projects: Δημόσια έργα
496 496 label_open_issues: Ανοικτό
497 497 label_open_issues_plural: Ανοικτά
498 498 label_closed_issues: Κλειστό
499 499 label_closed_issues_plural: Κλειστά
500 500 label_x_open_issues_abbr_on_total:
501 501 zero: 0 ανοικτά / {{total}}
502 502 one: 1 ανοικτό / {{total}}
503 503 other: "{{count}} ανοικτά / {{total}}"
504 504 label_x_open_issues_abbr:
505 505 zero: 0 ανοικτά
506 506 one: 1 ανοικτό
507 507 other: "{{count}} ανοικτά"
508 508 label_x_closed_issues_abbr:
509 509 zero: 0 κλειστά
510 510 one: 1 κλειστό
511 511 other: "{{count}} κλειστά"
512 512 label_total: Σύνολο
513 513 label_permissions: Άδειες
514 514 label_current_status: Τρέχουσα κατάσταση
515 515 label_new_statuses_allowed: Νέες καταστάσεις επιτρέπονται
516 516 label_all: όλα
517 517 label_none: κανένα
518 518 label_nobody: κανείς
519 519 label_next: Επόμενο
520 520 label_previous: Προηγούμενο
521 521 label_used_by: Χρησιμοποιήθηκε από
522 522 label_details: Λεπτομέρειες
523 523 label_add_note: Προσθήκη σημείωσης
524 524 label_per_page: Ανά σελίδα
525 525 label_calendar: Ημερολόγιο
526 526 label_months_from: μηνών από
527 527 label_gantt: Gantt
528 528 label_internal: Εσωτερικό
529 529 label_last_changes: "Τελευταίες {{count}} αλλαγές"
530 530 label_change_view_all: Προβολή όλων των αλλαγών
531 531 label_personalize_page: Προσαρμογή σελίδας
532 532 label_comment: Σχόλιο
533 533 label_comment_plural: Σχόλια
534 534 label_x_comments:
535 535 zero: δεν υπάρχουν σχόλια
536 536 one: 1 σχόλιο
537 537 other: "{{count}} σχόλια"
538 538 label_comment_add: Προσθήκη σχολίου
539 539 label_comment_added: Τα σχόλια προστέθηκαν
540 540 label_comment_delete: Διαγραφή σχολίων
541 541 label_query: Προσαρμοσμένη αναζήτηση
542 542 label_query_plural: Προσαρμοσμένες αναζητήσεις
543 543 label_query_new: Νέα αναζήτηση
544 544 label_filter_add: Προσθήκη φίλτρου
545 545 label_filter_plural: Φίλτρα
546 546 label_equals: είναι
547 547 label_not_equals: δεν είναι
548 548 label_in_less_than: μικρότερο από
549 549 label_in_more_than: περισσότερο από
550 550 label_greater_or_equal: '>='
551 551 label_less_or_equal: '<='
552 552 label_in: σε
553 553 label_today: σήμερα
554 554 label_all_time: συνέχεια
555 555 label_yesterday: χθες
556 556 label_this_week: αυτή την εβδομάδα
557 557 label_last_week: την προηγούμενη εβδομάδα
558 558 label_last_n_days: "τελευταίες {{count}} μέρες"
559 559 label_this_month: αυτό το μήνα
560 560 label_last_month: τον προηγούμενο μήνα
561 561 label_this_year: αυτό το χρόνο
562 562 label_date_range: Χρονικό διάστημα
563 563 label_less_than_ago: σε λιγότερο από ημέρες πριν
564 564 label_more_than_ago: σε περισσότερο από ημέρες πριν
565 565 label_ago: ημέρες πριν
566 566 label_contains: περιέχει
567 567 label_not_contains: δεν περιέχει
568 568 label_day_plural: μέρες
569 569 label_repository: Αποθετήριο
570 570 label_repository_plural: Αποθετήρια
571 571 label_browse: Πλοήγηση
572 572 label_modification: "{{count}} τροποποίηση"
573 573 label_modification_plural: "{{count}} τροποποιήσεις"
574 574 label_branch: Branch
575 575 label_tag: Tag
576 576 label_revision: Αναθεώρηση
577 577 label_revision_plural: Αναθεωρήσεις
578 578 label_associated_revisions: Συνεταιρικές αναθεωρήσεις
579 579 label_added: προστέθηκε
580 580 label_modified: τροποποιήθηκε
581 581 label_copied: αντιγράφηκε
582 582 label_renamed: μετονομάστηκε
583 583 label_deleted: διαγράφηκε
584 584 label_latest_revision: Τελευταία αναθεώριση
585 585 label_latest_revision_plural: Τελευταίες αναθεωρήσεις
586 586 label_view_revisions: Προβολή αναθεωρήσεων
587 587 label_view_all_revisions: Προβολή όλων των αναθεωρήσεων
588 588 label_max_size: Μέγιστο μέγεθος
589 589 label_sort_highest: Μετακίνηση στην κορυφή
590 590 label_sort_higher: Μετακίνηση προς τα πάνω
591 591 label_sort_lower: Μετακίνηση προς τα κάτω
592 592 label_sort_lowest: Μετακίνηση στο κατώτατο μέρος
593 593 label_roadmap: Χάρτης πορείας
594 594 label_roadmap_due_in: "Προθεσμία σε {{value}}"
595 595 label_roadmap_overdue: "{{value}} καθυστερημένο"
596 596 label_roadmap_no_issues: Δεν υπάρχουν θέματα για αυτή την έκδοση
597 597 label_search: Αναζήτηση
598 598 label_result_plural: Αποτελέσματα
599 599 label_all_words: Όλες οι λέξεις
600 600 label_wiki: Wiki
601 601 label_wiki_edit: Επεξεργασία wiki
602 602 label_wiki_edit_plural: Επεξεργασία wiki
603 603 label_wiki_page: Σελίδα Wiki
604 604 label_wiki_page_plural: Σελίδες Wiki
605 605 label_index_by_title: Δείκτης ανά τίτλο
606 606 label_index_by_date: Δείκτης ανά ημερομηνία
607 607 label_current_version: Τρέχουσα έκδοση
608 608 label_preview: Προεπισκόπηση
609 609 label_feed_plural: Feeds
610 610 label_changes_details: Λεπτομέρειες όλων των αλλαγών
611 611 label_issue_tracking: Ανίχνευση θεμάτων
612 612 label_spent_time: Δαπανημένος χρόνος
613 613 label_f_hour: "{{value}} ώρα"
614 614 label_f_hour_plural: "{{value}} ώρες"
615 615 label_time_tracking: Ανίχνευση χρόνου
616 616 label_change_plural: Αλλαγές
617 617 label_statistics: Στατιστικά
618 618 label_commits_per_month: Commits ανά μήνα
619 619 label_commits_per_author: Commits ανά συγγραφέα
620 620 label_view_diff: Προβολή διαφορών
621 621 label_diff_inline: σε σειρά
622 622 label_diff_side_by_side: αντικρυστά
623 623 label_options: Επιλογές
624 624 label_copy_workflow_from: Αντιγραφή ροής εργασίας από
625 625 label_permissions_report: Συνοπτικός πίνακας αδειών
626 626 label_watched_issues: Θέματα υπό παρακολούθηση
627 627 label_related_issues: Σχετικά θέματα
628 628 label_applied_status: Εφαρμογή κατάστασης
629 629 label_loading: Φορτώνεται...
630 630 label_relation_new: Νέα συσχέτιση
631 631 label_relation_delete: Διαγραφή συσχέτισης
632 632 label_relates_to: σχετικό με
633 633 label_duplicates: αντίγραφα
634 634 label_duplicated_by: αντιγράφηκε από
635 635 label_blocks: φραγές
636 636 label_blocked_by: φραγή από τον
637 637 label_precedes: προηγείται
638 638 label_follows: ακολουθεί
639 639 label_end_to_start: από το τέλος στην αρχή
640 640 label_end_to_end: από το τέλος στο τέλος
641 641 label_start_to_start: από την αρχή στην αρχή
642 642 label_start_to_end: από την αρχή στο τέλος
643 643 label_stay_logged_in: Παραμονή σύνδεσης
644 644 label_disabled: απενεργοποιημένη
645 645 label_show_completed_versions: Προβολή ολοκληρωμένων εκδόσεων
646 646 label_me: εγώ
647 647 label_board: Φόρουμ
648 648 label_board_new: Νέο φόρουμ
649 649 label_board_plural: Φόρουμ
650 650 label_topic_plural: Θέματα
651 651 label_message_plural: Μηνύματα
652 652 label_message_last: Τελευταίο μήνυμα
653 653 label_message_new: Νέο μήνυμα
654 654 label_message_posted: Το μήνυμα προστέθηκε
655 655 label_reply_plural: Απαντήσεις
656 656 label_send_information: Αποστολή πληροφοριών λογαριασμού στο χρήστη
657 657 label_year: Έτος
658 658 label_month: Μήνας
659 659 label_week: Εβδομάδα
660 660 label_date_from: Από
661 661 label_date_to: Έως
662 662 label_language_based: Με βάση τη γλώσσα του χρήστη
663 663 label_sort_by: "Ταξινόμηση ανά {{value}}"
664 664 label_send_test_email: Αποστολή δοκιμαστικού email
665 665 label_feeds_access_key_created_on: "το κλειδί πρόσβασης RSS δημιουργήθηκε πριν από {{value}}"
666 666 label_module_plural: Μονάδες
667 667 label_added_time_by: "Προστέθηκε από τον {{author}} πριν από {{age}}"
668 668 label_updated_time_by: "Ενημερώθηκε από τον {{author}} πριν από {{age}}"
669 669 label_updated_time: "Ενημερώθηκε πριν από {{value}}"
670 670 label_jump_to_a_project: Μεταβείτε σε ένα έργο...
671 671 label_file_plural: Αρχεία
672 672 label_changeset_plural: Changesets
673 673 label_default_columns: Προεπιλεγμένες στήλες
674 674 label_no_change_option: (Δεν υπάρχουν αλλαγές)
675 675 label_bulk_edit_selected_issues: Μαζική επεξεργασία επιλεγμένων θεμάτων
676 676 label_theme: Θέμα
677 677 label_default: Προεπιλογή
678 678 label_search_titles_only: Αναζήτηση τίτλων μόνο
679 679 label_user_mail_option_all: "Για όλες τις εξελίξεις σε όλα τα έργα μου"
680 680 label_user_mail_option_selected: "Για όλες τις εξελίξεις μόνο στα επιλεγμένα έργα..."
681 681 label_user_mail_no_self_notified: "Δεν θέλω να ειδοποιούμαι για τις δικές μου αλλαγές"
682 682 label_registration_activation_by_email: ενεργοποίηση λογαριασμού με email
683 683 label_registration_manual_activation: χειροκίνητη ενεργοποίηση λογαριασμού
684 684 label_registration_automatic_activation: αυτόματη ενεργοποίηση λογαριασμού
685 685 label_display_per_page: "Ανά σελίδα: {{value}}"
686 686 label_age: Ηλικία
687 687 label_change_properties: Αλλαγή ιδιοτήτων
688 688 label_general: Γενικά
689 689 label_more: Περισσότερα
690 690 label_scm: SCM
691 691 label_plugins: Plugins
692 692 label_ldap_authentication: Πιστοποίηση LDAP
693 693 label_downloads_abbr: Μ/Φ
694 694 label_optional_description: Προαιρετική περιγραφή
695 695 label_add_another_file: Προσθήκη άλλου αρχείου
696 696 label_preferences: Προτιμήσεις
697 697 label_chronological_order: Κατά χρονολογική σειρά
698 698 label_reverse_chronological_order: Κατά αντίστροφη χρονολογική σειρά
699 699 label_planning: Σχεδιασμός
700 700 label_incoming_emails: Εισερχόμενα email
701 701 label_generate_key: Δημιουργία κλειδιού
702 702 label_issue_watchers: Παρατηρητές
703 703 label_example: Παράδειγμα
704 704 label_display: Προβολή
705 705 label_sort: Ταξινόμηση
706 706 label_ascending: Αύξουσα
707 707 label_descending: Φθίνουσα
708 708 label_date_from_to: Από {{start}} έως {{end}}
709 709 label_wiki_content_added: Η σελίδα Wiki προστέθηκε
710 710 label_wiki_content_updated: Η σελίδα Wiki ενημερώθηκε
711 711
712 712 button_login: Σύνδεση
713 713 button_submit: Αποστολή
714 714 button_save: Αποθήκευση
715 715 button_check_all: Επιλογή όλων
716 716 button_uncheck_all: Αποεπιλογή όλων
717 717 button_delete: Διαγραφή
718 718 button_create: Δημιουργία
719 719 button_create_and_continue: Δημιουργία και συνέχεια
720 720 button_test: Τεστ
721 721 button_edit: Επεξεργασία
722 722 button_add: Προσθήκη
723 723 button_change: Αλλαγή
724 724 button_apply: Εφαρμογή
725 725 button_clear: Καθαρισμός
726 726 button_lock: Κλείδωμα
727 727 button_unlock: Ξεκλείδωμα
728 728 button_download: Μεταφόρτωση
729 729 button_list: Λίστα
730 730 button_view: Προβολή
731 731 button_move: Μετακίνηση
732 732 button_back: Πίσω
733 733 button_cancel: Ακύρωση
734 734 button_activate: Ενεργοποίηση
735 735 button_sort: Ταξινόμηση
736 736 button_log_time: Ιστορικό χρόνου
737 737 button_rollback: Επαναφορά σε αυτή την έκδοση
738 738 button_watch: Παρακολούθηση
739 739 button_unwatch: Αναίρεση παρακολούθησης
740 740 button_reply: Απάντηση
741 741 button_archive: Αρχειοθέτηση
742 742 button_unarchive: Αναίρεση αρχειοθέτησης
743 743 button_reset: Επαναφορά
744 744 button_rename: Μετονομασία
745 745 button_change_password: Αλλαγή κωδικού πρόσβασης
746 746 button_copy: Αντιγραφή
747 747 button_annotate: Σχολιασμός
748 748 button_update: Ενημέρωση
749 749 button_configure: Ρύθμιση
750 750 button_quote: Παράθεση
751 751
752 752 status_active: ενεργό(ς)/ή
753 753 status_registered: εγεγγραμμένο(ς)/η
754 754 status_locked: κλειδωμένο(ς)/η
755 755
756 756 text_select_mail_notifications: Επιλογή ενεργειών για τις οποίες θα πρέπει να αποσταλεί ειδοποίηση με email.
757 757 text_regexp_info: eg. ^[A-Z0-9]+$
758 758 text_min_max_length_info: 0 σημαίνει ότι δεν υπάρχουν περιορισμοί
759 759 text_project_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το έργο και τα σχετικά δεδομένα του;
760 760 text_subprojects_destroy_warning: "Επίσης το(α) επιμέρους έργο(α): {{value}} θα διαγραφούν."
761 761 text_workflow_edit: Επιλέξτε ένα ρόλο και έναν ανιχνευτή για να επεξεργαστείτε τη ροή εργασίας
762 762 text_are_you_sure: Είστε σίγουρος ;
763 763 text_tip_issue_begin_day: καθήκοντα που ξεκινάνε σήμερα
764 764 text_tip_issue_end_day: καθήκοντα που τελειώνουν σήμερα
765 765 text_tip_issue_begin_end_day: καθήκοντα που ξεκινάνε και τελειώνουν σήμερα
766 766 text_project_identifier_info: 'Επιτρέπονται μόνο μικρά πεζά γράμματα (a-z), αριθμοί και παύλες. <br /> Μετά την αποθήκευση, το αναγνωριστικό δεν μπορεί να αλλάξει.'
767 767 text_caracters_maximum: "μέγιστος αριθμός {{count}} χαρακτήρες."
768 768 text_caracters_minimum: "Πρέπει να περιέχει τουλάχιστον {{count}} χαρακτήρες."
769 769 text_length_between: "Μήκος μεταξύ {{min}} και {{max}} χαρακτήρες."
770 770 text_tracker_no_workflow: Δεν έχει οριστεί ροή εργασίας για αυτό τον ανιχνευτή
771 771 text_unallowed_characters: Μη επιτρεπόμενοι χαρακτήρες
772 772 text_comma_separated: Επιτρέπονται πολλαπλές τιμές (χωρισμένες με κόμμα).
773 773 text_issues_ref_in_commit_messages: Αναφορά και καθορισμός θεμάτων σε μηνύματα commit
774 774 text_issue_added: "Το θέμα {{id}} παρουσιάστηκε από τον {{author}}."
775 775 text_issue_updated: "Το θέμα {{id}} ενημερώθηκε από τον {{author}}."
776 776 text_wiki_destroy_confirmation: Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το wiki και όλο το περιεχόμενο του ;
777 777 text_issue_category_destroy_question: "Κάποια θέματα ({{count}}) έχουν εκχωρηθεί σε αυτή την κατηγορία. Τι θέλετε να κάνετε ;"
778 778 text_issue_category_destroy_assignments: Αφαίρεση εκχωρήσεων κατηγορίας
779 779 text_issue_category_reassign_to: Επανεκχώρηση θεμάτων σε αυτή την κατηγορία
780 780 text_user_mail_option: "Για μη επιλεγμένα έργα, θα λάβετε ειδοποιήσεις μόνο για πράγματα που παρακολουθείτε ή στα οποία συμμετέχω ενεργά (π.χ. θέματα των οποίων είστε συγγραφέας ή σας έχουν ανατεθεί)."
781 781 text_no_configuration_data: "Οι ρόλοι, οι ανιχνευτές, η κατάσταση των θεμάτων και η ροή εργασίας δεν έχουν ρυθμιστεί ακόμα.\nΣυνιστάται ιδιαίτερα να φορτώσετε τις προεπιλεγμένες ρυθμίσεις. Θα είστε σε θέση να τις τροποποιήσετε μετά τη φόρτωση τους."
782 782 text_load_default_configuration: Φόρτωση προεπιλεγμένων ρυθμίσεων
783 783 text_status_changed_by_changeset: "Εφαρμόστηκε στο changeset {{value}}."
784 784 text_issues_destroy_confirmation: 'Είστε σίγουρος ότι θέλετε να διαγράψετε το επιλεγμένο θέμα(τα);'
785 785 text_select_project_modules: 'Επιλέξτε ποιες μονάδες θα ενεργοποιήσετε για αυτό το έργο:'
786 786 text_default_administrator_account_changed: Ο προκαθορισμένος λογαριασμός του διαχειριστή άλλαξε
787 787 text_file_repository_writable: Εγγράψιμος κατάλογος συνημμένων
788 788 text_plugin_assets_writable: Εγγράψιμος κατάλογος plugin assets
789 789 text_rmagick_available: Διαθέσιμο RMagick (προαιρετικό)
790 790 text_destroy_time_entries_question: "{{hours}} δαπανήθηκαν σχετικά με τα θέματα που πρόκειται να διαγράψετε. Τι θέλετε να κάνετε ;"
791 791 text_destroy_time_entries: Διαγραφή αναφερόμενων ωρών
792 792 text_assign_time_entries_to_project: Ανάθεση αναφερόμενων ωρών στο έργο
793 793 text_reassign_time_entries: 'Ανάθεση εκ νέου των αναφερόμενων ωρών στο θέμα:'
794 794 text_user_wrote: "{{value}} έγραψε:"
795 795 text_enumeration_destroy_question: "{{count}} αντικείμενα έχουν τεθεί σε αυτή την τιμή."
796 796 text_enumeration_category_reassign_to: 'Επανεκχώρηση τους στην παρούσα αξία:'
797 797 text_email_delivery_not_configured: "Δεν έχουν γίνει ρυθμίσεις παράδοσης email, και οι ειδοποιήσεις είναι απενεργοποιημένες.\nΔηλώστε τον εξυπηρετητή SMTP στο config/email.yml και κάντε επανακκίνηση την εφαρμογή για να τις ρυθμίσεις."
798 798 text_repository_usernames_mapping: "Επιλέξτε ή ενημερώστε τον χρήστη Redmine που αντιστοιχεί σε κάθε όνομα χρήστη στο ιστορικό του αποθετηρίου.\nΧρήστες με το ίδιο όνομα χρήστη ή email στο Redmine και στο αποθετηρίο αντιστοιχίζονται αυτόματα."
799 799 text_diff_truncated: '... Αυτό το diff εχεί κοπεί επειδή υπερβαίνει το μέγιστο μέγεθος που μπορεί να προβληθεί.'
800 800 text_custom_field_possible_values_info: 'Μία γραμμή για κάθε τιμή'
801 801 text_wiki_page_destroy_question: "Αυτή η σελίδα έχει {{descendants}} σελίδες τέκνων και απογόνων. Τι θέλετε να κάνετε ;"
802 802 text_wiki_page_nullify_children: "Διατηρήστε τις σελίδες τέκνων ως σελίδες root"
803 803 text_wiki_page_destroy_children: "Διαγράψτε όλες τις σελίδες τέκνων και των απογόνων τους"
804 804 text_wiki_page_reassign_children: "Επανεκχώριση των σελίδων τέκνων στη γονική σελίδα"
805 805
806 806 default_role_manager: Manager
807 807 default_role_developer: Developer
808 808 default_role_reporter: Reporter
809 809 default_tracker_bug: Σφάλματα
810 810 default_tracker_feature: Λειτουργίες
811 811 default_tracker_support: Υποστήριξη
812 812 default_issue_status_new: Νέα
813 813 default_issue_status_in_progress: In Progress
814 814 default_issue_status_resolved: Επιλυμένο
815 815 default_issue_status_feedback: Σχόλια
816 816 default_issue_status_closed: Κλειστό
817 817 default_issue_status_rejected: Απορριπτέο
818 818 default_doc_category_user: Τεκμηρίωση χρήστη
819 819 default_doc_category_tech: Τεχνική τεκμηρίωση
820 820 default_priority_low: Χαμηλή
821 821 default_priority_normal: Κανονική
822 822 default_priority_high: Υψηλή
823 823 default_priority_urgent: Επείγον
824 824 default_priority_immediate: Άμεση
825 825 default_activity_design: Σχεδιασμός
826 826 default_activity_development: Ανάπτυξη
827 827
828 828 enumeration_issue_priorities: Προτεραιότητα θέματος
829 829 enumeration_doc_categories: Κατηγορία εγγράφων
830 830 enumeration_activities: Δραστηριότητες (κατακερματισμός χρόνου)
831 831 text_journal_changed: "{{label}} άλλαξε από {{old}} σε {{new}}"
832 832 text_journal_set_to: "{{label}} ορίζεται σε {{value}}"
833 833 text_journal_deleted: "{{label}} διαγράφηκε ({{old}})"
834 834 label_group_plural: Ομάδες
835 835 label_group: Ομάδα
836 836 label_group_new: Νέα ομάδα
837 837 label_time_entry_plural: Χρόνος που δαπανήθηκε
838 838 text_journal_added: "{{label}} {{value}} added"
839 839 field_active: Active
840 840 enumeration_system_activity: System Activity
841 841 permission_delete_issue_watchers: Delete watchers
842 842 version_status_closed: closed
843 843 version_status_locked: locked
844 844 version_status_open: open
845 845 error_can_not_reopen_issue_on_closed_version: An issue assigned to a closed version can not be reopened
846 846 label_user_anonymous: Anonymous
847 847 button_move_and_follow: Move and follow
848 848 setting_default_projects_modules: Default enabled modules for new projects
849 849 setting_gravatar_default: Default Gravatar image
850 850 field_sharing: Sharing
851 851 label_version_sharing_hierarchy: With project hierarchy
852 852 label_version_sharing_system: With all projects
853 853 label_version_sharing_descendants: With subprojects
854 854 label_version_sharing_tree: With project tree
855 855 label_version_sharing_none: Not shared
856 856 error_can_not_archive_project: This project can not be archived
857 857 button_duplicate: Duplicate
858 858 button_copy_and_follow: Copy and follow
859 859 label_copy_source: Source
860 860 setting_issue_done_ratio: Calculate the issue done ratio with
861 861 setting_issue_done_ratio_issue_status: Use the issue status
862 862 error_issue_done_ratios_not_updated: Issue done ratios not updated.
863 863 error_workflow_copy_target: Please select target tracker(s) and role(s)
864 864 setting_issue_done_ratio_issue_field: Use the issue field
865 865 label_copy_same_as_target: Same as target
866 866 label_copy_target: Target
867 867 notice_issue_done_ratios_updated: Issue done ratios updated.
868 868 error_workflow_copy_source: Please select a source tracker or role
869 869 label_update_issue_done_ratios: Update issue done ratios
870 870 setting_start_of_week: Start calendars on
871 871 permission_view_issues: View Issues
872 872 label_display_used_statuses_only: Only display statuses that are used by this tracker
873 873 label_revision_id: Revision {{value}}
874 874 label_api_access_key: API access key
875 875 label_api_access_key_created_on: API access key created {{value}} ago
876 876 label_feeds_access_key: RSS access key
877 877 notice_api_access_key_reseted: Your API access key was reset.
878 878 setting_rest_api_enabled: Enable REST web service
879 879 label_missing_api_access_key: Missing an API access key
880 880 label_missing_feeds_access_key: Missing a RSS access key
881 881 button_show: Show
882 882 text_line_separated: Multiple values allowed (one line for each value).
883 883 setting_mail_handler_body_delimiters: Truncate emails after one of these lines
884 884 permission_add_subprojects: Create subprojects
885 885 label_subproject_new: New subproject
886 886 text_own_membership_delete_confirmation: |-
887 887 You are about to remove some or all of your permissions and may no longer be able to edit this project after that.
888 888 Are you sure you want to continue?
889 889 label_close_versions: Close completed versions
890 890 label_board_sticky: Sticky
891 891 label_board_locked: Locked
892 892 permission_export_wiki_pages: Export wiki pages
893 893 setting_cache_formatted_text: Cache formatted text
894 894 permission_manage_project_activities: Manage project activities
895 895 error_unable_delete_issue_status: Unable to delete issue status
896 896 label_profile: Profile
897 897 permission_manage_subtasks: Manage subtasks
898 898 field_parent_issue: Parent task
899 899 label_subtask_plural: Subtasks
900 900 label_project_copy_notifications: Send email notifications during the project copy
901 901 error_can_not_delete_custom_field: Unable to delete custom field
902 902 error_unable_to_connect: Unable to connect ({{value}})
903 903 error_can_not_remove_role: This role is in use and can not be deleted.
904 904 error_can_not_delete_tracker: This tracker contains issues and can't be deleted.
905 905 field_principal: Principal
906 906 label_my_page_block: My page block
907 907 notice_failed_to_save_members: "Failed to save member(s): {{errors}}."
908 908 text_zoom_out: Zoom out
909 909 text_zoom_in: Zoom in
910 910 notice_unable_delete_time_entry: Unable to delete time log entry.
911 911 label_overall_spent_time: Overall spent time
912 912 field_time_entries: Log time
913 913 project_module_gantt: Gantt
914 914 project_module_calendar: Calendar
915 915 button_edit_associated_wikipage: "Edit associated Wiki page: {{page_title}}"
916 916 text_are_you_sure_with_children: Delete issue and all child issues?
917 917 field_text: Text field
918 918 label_user_mail_option_only_owner: Only for things I am the owner of
919 919 setting_default_notification_option: Default notification option
920 920 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
921 921 label_user_mail_option_only_assigned: Only for things I am assigned to
922 922 label_user_mail_option_none: No events
923 923 field_member_of_group: Assignee's group
924 924 field_assigned_to_role: Assignee's role
925 notice_not_authorized_archived_project: The project you're trying to access has been archived.
@@ -1,928 +1,929
1 1 en-GB:
2 2 direction: ltr
3 3 date:
4 4 formats:
5 5 # Use the strftime parameters for formats.
6 6 # When no format has been given, it uses default.
7 7 # You can provide other formats here if you like!
8 8 default: "%d/%m/%Y"
9 9 short: "%d %b"
10 10 long: "%d %B, %Y"
11 11
12 12 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
13 13 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
14 14
15 15 # Don't forget the nil at the beginning; there's no such thing as a 0th month
16 16 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
17 17 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
18 18 # Used in date_select and datime_select.
19 19 order: [ :year, :month, :day ]
20 20
21 21 time:
22 22 formats:
23 23 default: "%d/%m/%Y %I:%M %p"
24 24 time: "%I:%M %p"
25 25 short: "%d %b %H:%M"
26 26 long: "%d %B, %Y %H:%M"
27 27 am: "am"
28 28 pm: "pm"
29 29
30 30 datetime:
31 31 distance_in_words:
32 32 half_a_minute: "half a minute"
33 33 less_than_x_seconds:
34 34 one: "less than 1 second"
35 35 other: "less than {{count}} seconds"
36 36 x_seconds:
37 37 one: "1 second"
38 38 other: "{{count}} seconds"
39 39 less_than_x_minutes:
40 40 one: "less than a minute"
41 41 other: "less than {{count}} minutes"
42 42 x_minutes:
43 43 one: "1 minute"
44 44 other: "{{count}} minutes"
45 45 about_x_hours:
46 46 one: "about 1 hour"
47 47 other: "about {{count}} hours"
48 48 x_days:
49 49 one: "1 day"
50 50 other: "{{count}} days"
51 51 about_x_months:
52 52 one: "about 1 month"
53 53 other: "about {{count}} months"
54 54 x_months:
55 55 one: "1 month"
56 56 other: "{{count}} months"
57 57 about_x_years:
58 58 one: "about 1 year"
59 59 other: "about {{count}} years"
60 60 over_x_years:
61 61 one: "over 1 year"
62 62 other: "over {{count}} years"
63 63 almost_x_years:
64 64 one: "almost 1 year"
65 65 other: "almost {{count}} years"
66 66
67 67 number:
68 68 format:
69 69 separator: "."
70 70 delimiter: " "
71 71 precision: 3
72 72
73 73 currency:
74 74 format:
75 75 format: "%u%n"
76 76 unit: "£"
77 77 human:
78 78 format:
79 79 delimiter: ""
80 80 precision: 1
81 81 storage_units:
82 82 format: "%n %u"
83 83 units:
84 84 byte:
85 85 one: "Byte"
86 86 other: "Bytes"
87 87 kb: "KB"
88 88 mb: "MB"
89 89 gb: "GB"
90 90 tb: "TB"
91 91
92 92
93 93 # Used in array.to_sentence.
94 94 support:
95 95 array:
96 96 sentence_connector: "and"
97 97 skip_last_comma: false
98 98
99 99 activerecord:
100 100 errors:
101 101 messages:
102 102 inclusion: "is not included in the list"
103 103 exclusion: "is reserved"
104 104 invalid: "is invalid"
105 105 confirmation: "doesn't match confirmation"
106 106 accepted: "must be accepted"
107 107 empty: "can't be empty"
108 108 blank: "can't be blank"
109 109 too_long: "is too long (maximum is {{count}} characters)"
110 110 too_short: "is too short (minimum is {{count}} characters)"
111 111 wrong_length: "is the wrong length (should be {{count}} characters)"
112 112 taken: "has already been taken"
113 113 not_a_number: "is not a number"
114 114 not_a_date: "is not a valid date"
115 115 greater_than: "must be greater than {{count}}"
116 116 greater_than_or_equal_to: "must be greater than or equal to {{count}}"
117 117 equal_to: "must be equal to {{count}}"
118 118 less_than: "must be less than {{count}}"
119 119 less_than_or_equal_to: "must be less than or equal to {{count}}"
120 120 odd: "must be odd"
121 121 even: "must be even"
122 122 greater_than_start_date: "must be greater than start date"
123 123 not_same_project: "doesn't belong to the same project"
124 124 circular_dependency: "This relation would create a circular dependency"
125 125 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
126 126
127 127 actionview_instancetag_blank_option: Please select
128 128
129 129 general_text_No: 'No'
130 130 general_text_Yes: 'Yes'
131 131 general_text_no: 'no'
132 132 general_text_yes: 'yes'
133 133 general_lang_name: 'English (British)'
134 134 general_csv_separator: ','
135 135 general_csv_decimal_separator: '.'
136 136 general_csv_encoding: ISO-8859-1
137 137 general_pdf_encoding: ISO-8859-1
138 138 general_first_day_of_week: '1'
139 139
140 140 notice_account_updated: Account was successfully updated.
141 141 notice_account_invalid_creditentials: Invalid user or password
142 142 notice_account_password_updated: Password was successfully updated.
143 143 notice_account_wrong_password: Wrong password
144 144 notice_account_register_done: Account was successfully created. To activate your account, click on the link that was emailed to you.
145 145 notice_account_unknown_email: Unknown user.
146 146 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
147 147 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
148 148 notice_account_activated: Your account has been activated. You can now log in.
149 149 notice_successful_create: Successful creation.
150 150 notice_successful_update: Successful update.
151 151 notice_successful_delete: Successful deletion.
152 152 notice_successful_connection: Successful connection.
153 153 notice_file_not_found: The page you were trying to access doesn't exist or has been removed.
154 154 notice_locking_conflict: Data has been updated by another user.
155 155 notice_not_authorized: You are not authorised to access this page.
156 156 notice_email_sent: "An email was sent to {{value}}"
157 157 notice_email_error: "An error occurred while sending mail ({{value}})"
158 158 notice_feeds_access_key_reseted: Your RSS access key was reset.
159 159 notice_api_access_key_reseted: Your API access key was reset.
160 160 notice_failed_to_save_issues: "Failed to save {{count}} issue(s) on {{total}} selected: {{ids}}."
161 161 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
162 162 notice_account_pending: "Your account was created and is now pending administrator approval."
163 163 notice_default_data_loaded: Default configuration successfully loaded.
164 164 notice_unable_delete_version: Unable to delete version.
165 165 notice_issue_done_ratios_updated: Issue done ratios updated.
166 166
167 167 error_can_t_load_default_data: "Default configuration could not be loaded: {{value}}"
168 168 error_scm_not_found: "The entry or revision was not found in the repository."
169 169 error_scm_command_failed: "An error occurred when trying to access the repository: {{value}}"
170 170 error_scm_annotate: "The entry does not exist or can not be annotated."
171 171 error_issue_not_found_in_project: 'The issue was not found or does not belong to this project'
172 172 error_no_tracker_in_project: 'No tracker is associated to this project. Please check the Project settings.'
173 173 error_no_default_issue_status: 'No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").'
174 174 error_can_not_reopen_issue_on_closed_version: 'An issue assigned to a closed version can not be reopened'
175 175 error_can_not_archive_project: This project can not be archived
176 176 error_issue_done_ratios_not_updated: "Issue done ratios not updated."
177 177 error_workflow_copy_source: 'Please select a source tracker or role'
178 178 error_workflow_copy_target: 'Please select target tracker(s) and role(s)'
179 179
180 180 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
181 181
182 182 mail_subject_lost_password: "Your {{value}} password"
183 183 mail_body_lost_password: 'To change your password, click on the following link:'
184 184 mail_subject_register: "Your {{value}} account activation"
185 185 mail_body_register: 'To activate your account, click on the following link:'
186 186 mail_body_account_information_external: "You can use your {{value}} account to log in."
187 187 mail_body_account_information: Your account information
188 188 mail_subject_account_activation_request: "{{value}} account activation request"
189 189 mail_body_account_activation_request: "A new user ({{value}}) has registered. The account is pending your approval:"
190 190 mail_subject_reminder: "{{count}} issue(s) due in the next {{days}} days"
191 191 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
192 192 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
193 193 mail_body_wiki_content_added: "The '{{page}}' wiki page has been added by {{author}}."
194 194 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
195 195 mail_body_wiki_content_updated: "The '{{page}}' wiki page has been updated by {{author}}."
196 196
197 197 gui_validation_error: 1 error
198 198 gui_validation_error_plural: "{{count}} errors"
199 199
200 200 field_name: Name
201 201 field_description: Description
202 202 field_summary: Summary
203 203 field_is_required: Required
204 204 field_firstname: Firstname
205 205 field_lastname: Lastname
206 206 field_mail: Email
207 207 field_filename: File
208 208 field_filesize: Size
209 209 field_downloads: Downloads
210 210 field_author: Author
211 211 field_created_on: Created
212 212 field_updated_on: Updated
213 213 field_field_format: Format
214 214 field_is_for_all: For all projects
215 215 field_possible_values: Possible values
216 216 field_regexp: Regular expression
217 217 field_min_length: Minimum length
218 218 field_max_length: Maximum length
219 219 field_value: Value
220 220 field_category: Category
221 221 field_title: Title
222 222 field_project: Project
223 223 field_issue: Issue
224 224 field_status: Status
225 225 field_notes: Notes
226 226 field_is_closed: Issue closed
227 227 field_is_default: Default value
228 228 field_tracker: Tracker
229 229 field_subject: Subject
230 230 field_due_date: Due date
231 231 field_assigned_to: Assignee
232 232 field_priority: Priority
233 233 field_fixed_version: Target version
234 234 field_user: User
235 235 field_role: Role
236 236 field_homepage: Homepage
237 237 field_is_public: Public
238 238 field_parent: Subproject of
239 239 field_is_in_roadmap: Issues displayed in roadmap
240 240 field_login: Login
241 241 field_mail_notification: Email notifications
242 242 field_admin: Administrator
243 243 field_last_login_on: Last connection
244 244 field_language: Language
245 245 field_effective_date: Date
246 246 field_password: Password
247 247 field_new_password: New password
248 248 field_password_confirmation: Confirmation
249 249 field_version: Version
250 250 field_type: Type
251 251 field_host: Host
252 252 field_port: Port
253 253 field_account: Account
254 254 field_base_dn: Base DN
255 255 field_attr_login: Login attribute
256 256 field_attr_firstname: Firstname attribute
257 257 field_attr_lastname: Lastname attribute
258 258 field_attr_mail: Email attribute
259 259 field_onthefly: On-the-fly user creation
260 260 field_start_date: Start
261 261 field_done_ratio: % Done
262 262 field_auth_source: Authentication mode
263 263 field_hide_mail: Hide my email address
264 264 field_comments: Comment
265 265 field_url: URL
266 266 field_start_page: Start page
267 267 field_subproject: Subproject
268 268 field_hours: Hours
269 269 field_activity: Activity
270 270 field_spent_on: Date
271 271 field_identifier: Identifier
272 272 field_is_filter: Used as a filter
273 273 field_issue_to: Related issue
274 274 field_delay: Delay
275 275 field_assignable: Issues can be assigned to this role
276 276 field_redirect_existing_links: Redirect existing links
277 277 field_estimated_hours: Estimated time
278 278 field_column_names: Columns
279 279 field_time_zone: Time zone
280 280 field_searchable: Searchable
281 281 field_default_value: Default value
282 282 field_comments_sorting: Display comments
283 283 field_parent_title: Parent page
284 284 field_editable: Editable
285 285 field_watcher: Watcher
286 286 field_identity_url: OpenID URL
287 287 field_content: Content
288 288 field_group_by: Group results by
289 289 field_sharing: Sharing
290 290
291 291 setting_app_title: Application title
292 292 setting_app_subtitle: Application subtitle
293 293 setting_welcome_text: Welcome text
294 294 setting_default_language: Default language
295 295 setting_login_required: Authentication required
296 296 setting_self_registration: Self-registration
297 297 setting_attachment_max_size: Attachment max. size
298 298 setting_issues_export_limit: Issues export limit
299 299 setting_mail_from: Emission email address
300 300 setting_bcc_recipients: Blind carbon copy recipients (bcc)
301 301 setting_plain_text_mail: Plain text mail (no HTML)
302 302 setting_host_name: Host name and path
303 303 setting_text_formatting: Text formatting
304 304 setting_wiki_compression: Wiki history compression
305 305 setting_feeds_limit: Feed content limit
306 306 setting_default_projects_public: New projects are public by default
307 307 setting_autofetch_changesets: Autofetch commits
308 308 setting_sys_api_enabled: Enable WS for repository management
309 309 setting_commit_ref_keywords: Referencing keywords
310 310 setting_commit_fix_keywords: Fixing keywords
311 311 setting_autologin: Autologin
312 312 setting_date_format: Date format
313 313 setting_time_format: Time format
314 314 setting_cross_project_issue_relations: Allow cross-project issue relations
315 315 setting_issue_list_default_columns: Default columns displayed on the issue list
316 316 setting_repositories_encodings: Repositories encodings
317 317 setting_commit_logs_encoding: Commit messages encoding
318 318 setting_emails_footer: Emails footer
319 319 setting_protocol: Protocol
320 320 setting_per_page_options: Objects per page options
321 321 setting_user_format: Users display format
322 322 setting_activity_days_default: Days displayed on project activity
323 323 setting_display_subprojects_issues: Display subprojects issues on main projects by default
324 324 setting_enabled_scm: Enabled SCM
325 325 setting_mail_handler_body_delimiters: "Truncate emails after one of these lines"
326 326 setting_mail_handler_api_enabled: Enable WS for incoming emails
327 327 setting_mail_handler_api_key: API key
328 328 setting_sequential_project_identifiers: Generate sequential project identifiers
329 329 setting_gravatar_enabled: Use Gravatar user icons
330 330 setting_gravatar_default: Default Gravatar image
331 331 setting_diff_max_lines_displayed: Max number of diff lines displayed
332 332 setting_file_max_size_displayed: Max size of text files displayed inline
333 333 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
334 334 setting_openid: Allow OpenID login and registration
335 335 setting_password_min_length: Minimum password length
336 336 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
337 337 setting_default_projects_modules: Default enabled modules for new projects
338 338 setting_issue_done_ratio: Calculate the issue done ratio with
339 339 setting_issue_done_ratio_issue_field: Use the issue field
340 340 setting_issue_done_ratio_issue_status: Use the issue status
341 341 setting_start_of_week: Start calendars on
342 342 setting_rest_api_enabled: Enable REST web service
343 343 setting_cache_formatted_text: Cache formatted text
344 344
345 345 permission_add_project: Create project
346 346 permission_add_subprojects: Create subprojects
347 347 permission_edit_project: Edit project
348 348 permission_select_project_modules: Select project modules
349 349 permission_manage_members: Manage members
350 350 permission_manage_project_activities: Manage project activities
351 351 permission_manage_versions: Manage versions
352 352 permission_manage_categories: Manage issue categories
353 353 permission_view_issues: View Issues
354 354 permission_add_issues: Add issues
355 355 permission_edit_issues: Edit issues
356 356 permission_manage_issue_relations: Manage issue relations
357 357 permission_add_issue_notes: Add notes
358 358 permission_edit_issue_notes: Edit notes
359 359 permission_edit_own_issue_notes: Edit own notes
360 360 permission_move_issues: Move issues
361 361 permission_delete_issues: Delete issues
362 362 permission_manage_public_queries: Manage public queries
363 363 permission_save_queries: Save queries
364 364 permission_view_gantt: View gantt chart
365 365 permission_view_calendar: View calendar
366 366 permission_view_issue_watchers: View watchers list
367 367 permission_add_issue_watchers: Add watchers
368 368 permission_delete_issue_watchers: Delete watchers
369 369 permission_log_time: Log spent time
370 370 permission_view_time_entries: View spent time
371 371 permission_edit_time_entries: Edit time logs
372 372 permission_edit_own_time_entries: Edit own time logs
373 373 permission_manage_news: Manage news
374 374 permission_comment_news: Comment news
375 375 permission_manage_documents: Manage documents
376 376 permission_view_documents: View documents
377 377 permission_manage_files: Manage files
378 378 permission_view_files: View files
379 379 permission_manage_wiki: Manage wiki
380 380 permission_rename_wiki_pages: Rename wiki pages
381 381 permission_delete_wiki_pages: Delete wiki pages
382 382 permission_view_wiki_pages: View wiki
383 383 permission_view_wiki_edits: View wiki history
384 384 permission_edit_wiki_pages: Edit wiki pages
385 385 permission_delete_wiki_pages_attachments: Delete attachments
386 386 permission_protect_wiki_pages: Protect wiki pages
387 387 permission_manage_repository: Manage repository
388 388 permission_browse_repository: Browse repository
389 389 permission_view_changesets: View changesets
390 390 permission_commit_access: Commit access
391 391 permission_manage_boards: Manage boards
392 392 permission_view_messages: View messages
393 393 permission_add_messages: Post messages
394 394 permission_edit_messages: Edit messages
395 395 permission_edit_own_messages: Edit own messages
396 396 permission_delete_messages: Delete messages
397 397 permission_delete_own_messages: Delete own messages
398 398 permission_export_wiki_pages: Export wiki pages
399 399
400 400 project_module_issue_tracking: Issue tracking
401 401 project_module_time_tracking: Time tracking
402 402 project_module_news: News
403 403 project_module_documents: Documents
404 404 project_module_files: Files
405 405 project_module_wiki: Wiki
406 406 project_module_repository: Repository
407 407 project_module_boards: Boards
408 408
409 409 label_user: User
410 410 label_user_plural: Users
411 411 label_user_new: New user
412 412 label_user_anonymous: Anonymous
413 413 label_project: Project
414 414 label_project_new: New project
415 415 label_project_plural: Projects
416 416 label_x_projects:
417 417 zero: no projects
418 418 one: 1 project
419 419 other: "{{count}} projects"
420 420 label_project_all: All Projects
421 421 label_project_latest: Latest projects
422 422 label_issue: Issue
423 423 label_issue_new: New issue
424 424 label_issue_plural: Issues
425 425 label_issue_view_all: View all issues
426 426 label_issues_by: "Issues by {{value}}"
427 427 label_issue_added: Issue added
428 428 label_issue_updated: Issue updated
429 429 label_document: Document
430 430 label_document_new: New document
431 431 label_document_plural: Documents
432 432 label_document_added: Document added
433 433 label_role: Role
434 434 label_role_plural: Roles
435 435 label_role_new: New role
436 436 label_role_and_permissions: Roles and permissions
437 437 label_member: Member
438 438 label_member_new: New member
439 439 label_member_plural: Members
440 440 label_tracker: Tracker
441 441 label_tracker_plural: Trackers
442 442 label_tracker_new: New tracker
443 443 label_workflow: Workflow
444 444 label_issue_status: Issue status
445 445 label_issue_status_plural: Issue statuses
446 446 label_issue_status_new: New status
447 447 label_issue_category: Issue category
448 448 label_issue_category_plural: Issue categories
449 449 label_issue_category_new: New category
450 450 label_custom_field: Custom field
451 451 label_custom_field_plural: Custom fields
452 452 label_custom_field_new: New custom field
453 453 label_enumerations: Enumerations
454 454 label_enumeration_new: New value
455 455 label_information: Information
456 456 label_information_plural: Information
457 457 label_please_login: Please log in
458 458 label_register: Register
459 459 label_login_with_open_id_option: or login with OpenID
460 460 label_password_lost: Lost password
461 461 label_home: Home
462 462 label_my_page: My page
463 463 label_my_account: My account
464 464 label_my_projects: My projects
465 465 label_administration: Administration
466 466 label_login: Sign in
467 467 label_logout: Sign out
468 468 label_help: Help
469 469 label_reported_issues: Reported issues
470 470 label_assigned_to_me_issues: Issues assigned to me
471 471 label_last_login: Last connection
472 472 label_registered_on: Registered on
473 473 label_activity: Activity
474 474 label_overall_activity: Overall activity
475 475 label_user_activity: "{{value}}'s activity"
476 476 label_new: New
477 477 label_logged_as: Logged in as
478 478 label_environment: Environment
479 479 label_authentication: Authentication
480 480 label_auth_source: Authentication mode
481 481 label_auth_source_new: New authentication mode
482 482 label_auth_source_plural: Authentication modes
483 483 label_subproject_plural: Subprojects
484 484 label_subproject_new: New subproject
485 485 label_and_its_subprojects: "{{value}} and its subprojects"
486 486 label_min_max_length: Min - Max length
487 487 label_list: List
488 488 label_date: Date
489 489 label_integer: Integer
490 490 label_float: Float
491 491 label_boolean: Boolean
492 492 label_string: Text
493 493 label_text: Long text
494 494 label_attribute: Attribute
495 495 label_attribute_plural: Attributes
496 496 label_download: "{{count}} Download"
497 497 label_download_plural: "{{count}} Downloads"
498 498 label_no_data: No data to display
499 499 label_change_status: Change status
500 500 label_history: History
501 501 label_attachment: File
502 502 label_attachment_new: New file
503 503 label_attachment_delete: Delete file
504 504 label_attachment_plural: Files
505 505 label_file_added: File added
506 506 label_report: Report
507 507 label_report_plural: Reports
508 508 label_news: News
509 509 label_news_new: Add news
510 510 label_news_plural: News
511 511 label_news_latest: Latest news
512 512 label_news_view_all: View all news
513 513 label_news_added: News added
514 514 label_settings: Settings
515 515 label_overview: Overview
516 516 label_version: Version
517 517 label_version_new: New version
518 518 label_version_plural: Versions
519 519 label_close_versions: Close completed versions
520 520 label_confirmation: Confirmation
521 521 label_export_to: 'Also available in:'
522 522 label_read: Read...
523 523 label_public_projects: Public projects
524 524 label_open_issues: open
525 525 label_open_issues_plural: open
526 526 label_closed_issues: closed
527 527 label_closed_issues_plural: closed
528 528 label_x_open_issues_abbr_on_total:
529 529 zero: 0 open / {{total}}
530 530 one: 1 open / {{total}}
531 531 other: "{{count}} open / {{total}}"
532 532 label_x_open_issues_abbr:
533 533 zero: 0 open
534 534 one: 1 open
535 535 other: "{{count}} open"
536 536 label_x_closed_issues_abbr:
537 537 zero: 0 closed
538 538 one: 1 closed
539 539 other: "{{count}} closed"
540 540 label_total: Total
541 541 label_permissions: Permissions
542 542 label_current_status: Current status
543 543 label_new_statuses_allowed: New statuses allowed
544 544 label_all: all
545 545 label_none: none
546 546 label_nobody: nobody
547 547 label_next: Next
548 548 label_previous: Previous
549 549 label_used_by: Used by
550 550 label_details: Details
551 551 label_add_note: Add a note
552 552 label_per_page: Per page
553 553 label_calendar: Calendar
554 554 label_months_from: months from
555 555 label_gantt: Gantt
556 556 label_internal: Internal
557 557 label_last_changes: "last {{count}} changes"
558 558 label_change_view_all: View all changes
559 559 label_personalize_page: Personalise this page
560 560 label_comment: Comment
561 561 label_comment_plural: Comments
562 562 label_x_comments:
563 563 zero: no comments
564 564 one: 1 comment
565 565 other: "{{count}} comments"
566 566 label_comment_add: Add a comment
567 567 label_comment_added: Comment added
568 568 label_comment_delete: Delete comments
569 569 label_query: Custom query
570 570 label_query_plural: Custom queries
571 571 label_query_new: New query
572 572 label_filter_add: Add filter
573 573 label_filter_plural: Filters
574 574 label_equals: is
575 575 label_not_equals: is not
576 576 label_in_less_than: in less than
577 577 label_in_more_than: in more than
578 578 label_greater_or_equal: '>='
579 579 label_less_or_equal: '<='
580 580 label_in: in
581 581 label_today: today
582 582 label_all_time: all time
583 583 label_yesterday: yesterday
584 584 label_this_week: this week
585 585 label_last_week: last week
586 586 label_last_n_days: "last {{count}} days"
587 587 label_this_month: this month
588 588 label_last_month: last month
589 589 label_this_year: this year
590 590 label_date_range: Date range
591 591 label_less_than_ago: less than days ago
592 592 label_more_than_ago: more than days ago
593 593 label_ago: days ago
594 594 label_contains: contains
595 595 label_not_contains: doesn't contain
596 596 label_day_plural: days
597 597 label_repository: Repository
598 598 label_repository_plural: Repositories
599 599 label_browse: Browse
600 600 label_modification: "{{count}} change"
601 601 label_modification_plural: "{{count}} changes"
602 602 label_branch: Branch
603 603 label_tag: Tag
604 604 label_revision: Revision
605 605 label_revision_plural: Revisions
606 606 label_revision_id: "Revision {{value}}"
607 607 label_associated_revisions: Associated revisions
608 608 label_added: added
609 609 label_modified: modified
610 610 label_copied: copied
611 611 label_renamed: renamed
612 612 label_deleted: deleted
613 613 label_latest_revision: Latest revision
614 614 label_latest_revision_plural: Latest revisions
615 615 label_view_revisions: View revisions
616 616 label_view_all_revisions: View all revisions
617 617 label_max_size: Maximum size
618 618 label_sort_highest: Move to top
619 619 label_sort_higher: Move up
620 620 label_sort_lower: Move down
621 621 label_sort_lowest: Move to bottom
622 622 label_roadmap: Roadmap
623 623 label_roadmap_due_in: "Due in {{value}}"
624 624 label_roadmap_overdue: "{{value}} late"
625 625 label_roadmap_no_issues: No issues for this version
626 626 label_search: Search
627 627 label_result_plural: Results
628 628 label_all_words: All words
629 629 label_wiki: Wiki
630 630 label_wiki_edit: Wiki edit
631 631 label_wiki_edit_plural: Wiki edits
632 632 label_wiki_page: Wiki page
633 633 label_wiki_page_plural: Wiki pages
634 634 label_index_by_title: Index by title
635 635 label_index_by_date: Index by date
636 636 label_current_version: Current version
637 637 label_preview: Preview
638 638 label_feed_plural: Feeds
639 639 label_changes_details: Details of all changes
640 640 label_issue_tracking: Issue tracking
641 641 label_spent_time: Spent time
642 642 label_f_hour: "{{value}} hour"
643 643 label_f_hour_plural: "{{value}} hours"
644 644 label_time_tracking: Time tracking
645 645 label_change_plural: Changes
646 646 label_statistics: Statistics
647 647 label_commits_per_month: Commits per month
648 648 label_commits_per_author: Commits per author
649 649 label_view_diff: View differences
650 650 label_diff_inline: inline
651 651 label_diff_side_by_side: side by side
652 652 label_options: Options
653 653 label_copy_workflow_from: Copy workflow from
654 654 label_permissions_report: Permissions report
655 655 label_watched_issues: Watched issues
656 656 label_related_issues: Related issues
657 657 label_applied_status: Applied status
658 658 label_loading: Loading...
659 659 label_relation_new: New relation
660 660 label_relation_delete: Delete relation
661 661 label_relates_to: related to
662 662 label_duplicates: duplicates
663 663 label_duplicated_by: duplicated by
664 664 label_blocks: blocks
665 665 label_blocked_by: blocked by
666 666 label_precedes: precedes
667 667 label_follows: follows
668 668 label_end_to_start: end to start
669 669 label_end_to_end: end to end
670 670 label_start_to_start: start to start
671 671 label_start_to_end: start to end
672 672 label_stay_logged_in: Stay logged in
673 673 label_disabled: disabled
674 674 label_show_completed_versions: Show completed versions
675 675 label_me: me
676 676 label_board: Forum
677 677 label_board_new: New forum
678 678 label_board_plural: Forums
679 679 label_board_locked: Locked
680 680 label_board_sticky: Sticky
681 681 label_topic_plural: Topics
682 682 label_message_plural: Messages
683 683 label_message_last: Last message
684 684 label_message_new: New message
685 685 label_message_posted: Message added
686 686 label_reply_plural: Replies
687 687 label_send_information: Send account information to the user
688 688 label_year: Year
689 689 label_month: Month
690 690 label_week: Week
691 691 label_date_from: From
692 692 label_date_to: To
693 693 label_language_based: Based on user's language
694 694 label_sort_by: "Sort by {{value}}"
695 695 label_send_test_email: Send a test email
696 696 label_feeds_access_key: RSS access key
697 697 label_missing_feeds_access_key: Missing a RSS access key
698 698 label_feeds_access_key_created_on: "RSS access key created {{value}} ago"
699 699 label_module_plural: Modules
700 700 label_added_time_by: "Added by {{author}} {{age}} ago"
701 701 label_updated_time_by: "Updated by {{author}} {{age}} ago"
702 702 label_updated_time: "Updated {{value}} ago"
703 703 label_jump_to_a_project: Jump to a project...
704 704 label_file_plural: Files
705 705 label_changeset_plural: Changesets
706 706 label_default_columns: Default columns
707 707 label_no_change_option: (No change)
708 708 label_bulk_edit_selected_issues: Bulk edit selected issues
709 709 label_theme: Theme
710 710 label_default: Default
711 711 label_search_titles_only: Search titles only
712 712 label_user_mail_option_all: "For any event on all my projects"
713 713 label_user_mail_option_selected: "For any event on the selected projects only..."
714 714 label_user_mail_option_none: "No events"
715 715 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
716 716 label_registration_activation_by_email: account activation by email
717 717 label_registration_manual_activation: manual account activation
718 718 label_registration_automatic_activation: automatic account activation
719 719 label_display_per_page: "Per page: {{value}}"
720 720 label_age: Age
721 721 label_change_properties: Change properties
722 722 label_general: General
723 723 label_more: More
724 724 label_scm: SCM
725 725 label_plugins: Plugins
726 726 label_ldap_authentication: LDAP authentication
727 727 label_downloads_abbr: D/L
728 728 label_optional_description: Optional description
729 729 label_add_another_file: Add another file
730 730 label_preferences: Preferences
731 731 label_chronological_order: In chronological order
732 732 label_reverse_chronological_order: In reverse chronological order
733 733 label_planning: Planning
734 734 label_incoming_emails: Incoming emails
735 735 label_generate_key: Generate a key
736 736 label_issue_watchers: Watchers
737 737 label_example: Example
738 738 label_display: Display
739 739 label_sort: Sort
740 740 label_ascending: Ascending
741 741 label_descending: Descending
742 742 label_date_from_to: From {{start}} to {{end}}
743 743 label_wiki_content_added: Wiki page added
744 744 label_wiki_content_updated: Wiki page updated
745 745 label_group: Group
746 746 label_group_plural: Groups
747 747 label_group_new: New group
748 748 label_time_entry_plural: Spent time
749 749 label_version_sharing_none: Not shared
750 750 label_version_sharing_descendants: With subprojects
751 751 label_version_sharing_hierarchy: With project hierarchy
752 752 label_version_sharing_tree: With project tree
753 753 label_version_sharing_system: With all projects
754 754 label_update_issue_done_ratios: Update issue done ratios
755 755 label_copy_source: Source
756 756 label_copy_target: Target
757 757 label_copy_same_as_target: Same as target
758 758 label_display_used_statuses_only: Only display statuses that are used by this tracker
759 759 label_api_access_key: API access key
760 760 label_missing_api_access_key: Missing an API access key
761 761 label_api_access_key_created_on: "API access key created {{value}} ago"
762 762
763 763 button_login: Login
764 764 button_submit: Submit
765 765 button_save: Save
766 766 button_check_all: Check all
767 767 button_uncheck_all: Uncheck all
768 768 button_delete: Delete
769 769 button_create: Create
770 770 button_create_and_continue: Create and continue
771 771 button_test: Test
772 772 button_edit: Edit
773 773 button_add: Add
774 774 button_change: Change
775 775 button_apply: Apply
776 776 button_clear: Clear
777 777 button_lock: Lock
778 778 button_unlock: Unlock
779 779 button_download: Download
780 780 button_list: List
781 781 button_view: View
782 782 button_move: Move
783 783 button_move_and_follow: Move and follow
784 784 button_back: Back
785 785 button_cancel: Cancel
786 786 button_activate: Activate
787 787 button_sort: Sort
788 788 button_log_time: Log time
789 789 button_rollback: Rollback to this version
790 790 button_watch: Watch
791 791 button_unwatch: Unwatch
792 792 button_reply: Reply
793 793 button_archive: Archive
794 794 button_unarchive: Unarchive
795 795 button_reset: Reset
796 796 button_rename: Rename
797 797 button_change_password: Change password
798 798 button_copy: Copy
799 799 button_copy_and_follow: Copy and follow
800 800 button_annotate: Annotate
801 801 button_update: Update
802 802 button_configure: Configure
803 803 button_quote: Quote
804 804 button_duplicate: Duplicate
805 805 button_show: Show
806 806
807 807 status_active: active
808 808 status_registered: registered
809 809 status_locked: locked
810 810
811 811 version_status_open: open
812 812 version_status_locked: locked
813 813 version_status_closed: closed
814 814
815 815 field_active: Active
816 816
817 817 text_select_mail_notifications: Select actions for which email notifications should be sent.
818 818 text_regexp_info: eg. ^[A-Z0-9]+$
819 819 text_min_max_length_info: 0 means no restriction
820 820 text_project_destroy_confirmation: Are you sure you want to delete this project and related data?
821 821 text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted."
822 822 text_workflow_edit: Select a role and a tracker to edit the workflow
823 823 text_are_you_sure: Are you sure?
824 824 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
825 825 text_journal_set_to: "{{label}} set to {{value}}"
826 826 text_journal_deleted: "{{label}} deleted ({{old}})"
827 827 text_journal_added: "{{label}} {{value}} added"
828 828 text_tip_issue_begin_day: task beginning this day
829 829 text_tip_issue_end_day: task ending this day
830 830 text_tip_issue_begin_end_day: task beginning and ending this day
831 831 text_project_identifier_info: 'Only lower case letters (a-z), numbers and dashes are allowed.<br />Once saved, the identifier can not be changed.'
832 832 text_caracters_maximum: "{{count}} characters maximum."
833 833 text_caracters_minimum: "Must be at least {{count}} characters long."
834 834 text_length_between: "Length between {{min}} and {{max}} characters."
835 835 text_tracker_no_workflow: No workflow defined for this tracker
836 836 text_unallowed_characters: Unallowed characters
837 837 text_comma_separated: Multiple values allowed (comma separated).
838 838 text_line_separated: Multiple values allowed (one line for each value).
839 839 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
840 840 text_issue_added: "Issue {{id}} has been reported by {{author}}."
841 841 text_issue_updated: "Issue {{id}} has been updated by {{author}}."
842 842 text_wiki_destroy_confirmation: Are you sure you want to delete this wiki and all its content?
843 843 text_issue_category_destroy_question: "Some issues ({{count}}) are assigned to this category. What do you want to do?"
844 844 text_issue_category_destroy_assignments: Remove category assignments
845 845 text_issue_category_reassign_to: Reassign issues to this category
846 846 text_user_mail_option: "For unselected projects, you will only receive notifications about things you watch or you're involved in (eg. issues you're the author or assignee)."
847 847 text_no_configuration_data: "Roles, trackers, issue statuses and workflow have not been configured yet.\nIt is highly recommended to load the default configuration. You will be able to modify it once loaded."
848 848 text_load_default_configuration: Load the default configuration
849 849 text_status_changed_by_changeset: "Applied in changeset {{value}}."
850 850 text_issues_destroy_confirmation: 'Are you sure you want to delete the selected issue(s)?'
851 851 text_select_project_modules: 'Select modules to enable for this project:'
852 852 text_default_administrator_account_changed: Default administrator account changed
853 853 text_file_repository_writable: Attachments directory writable
854 854 text_plugin_assets_writable: Plugin assets directory writable
855 855 text_rmagick_available: RMagick available (optional)
856 856 text_destroy_time_entries_question: "{{hours}} hours were reported on the issues you are about to delete. What do you want to do?"
857 857 text_destroy_time_entries: Delete reported hours
858 858 text_assign_time_entries_to_project: Assign reported hours to the project
859 859 text_reassign_time_entries: 'Reassign reported hours to this issue:'
860 860 text_user_wrote: "{{value}} wrote:"
861 861 text_enumeration_destroy_question: "{{count}} objects are assigned to this value."
862 862 text_enumeration_category_reassign_to: 'Reassign them to this value:'
863 863 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
864 864 text_repository_usernames_mapping: "Select or update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
865 865 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
866 866 text_custom_field_possible_values_info: 'One line for each value'
867 867 text_wiki_page_destroy_question: "This page has {{descendants}} child page(s) and descendant(s). What do you want to do?"
868 868 text_wiki_page_nullify_children: "Keep child pages as root pages"
869 869 text_wiki_page_destroy_children: "Delete child pages and all their descendants"
870 870 text_wiki_page_reassign_children: "Reassign child pages to this parent page"
871 871 text_own_membership_delete_confirmation: "You are about to remove some or all of your permissions and may no longer be able to edit this project after that.\nAre you sure you want to continue?"
872 872
873 873 default_role_manager: Manager
874 874 default_role_developer: Developer
875 875 default_role_reporter: Reporter
876 876 default_tracker_bug: Bug
877 877 default_tracker_feature: Feature
878 878 default_tracker_support: Support
879 879 default_issue_status_new: New
880 880 default_issue_status_in_progress: In Progress
881 881 default_issue_status_resolved: Resolved
882 882 default_issue_status_feedback: Feedback
883 883 default_issue_status_closed: Closed
884 884 default_issue_status_rejected: Rejected
885 885 default_doc_category_user: User documentation
886 886 default_doc_category_tech: Technical documentation
887 887 default_priority_low: Low
888 888 default_priority_normal: Normal
889 889 default_priority_high: High
890 890 default_priority_urgent: Urgent
891 891 default_priority_immediate: Immediate
892 892 default_activity_design: Design
893 893 default_activity_development: Development
894 894
895 895 enumeration_issue_priorities: Issue priorities
896 896 enumeration_doc_categories: Document categories
897 897 enumeration_activities: Activities (time tracking)
898 898 enumeration_system_activity: System Activity
899 899
900 900 notice_unable_delete_time_entry: Unable to delete time log entry.
901 901 error_can_not_delete_custom_field: Unable to delete custom field
902 902 permission_manage_subtasks: Manage subtasks
903 903 label_profile: Profile
904 904 error_unable_to_connect: Unable to connect ({{value}})
905 905 label_overall_spent_time: Overall spent time
906 906 error_can_not_remove_role: This role is in use and can not be deleted.
907 907 field_principal: Principal
908 908 field_parent_issue: Parent task
909 909 label_my_page_block: My page block
910 910 text_zoom_out: Zoom out
911 911 text_zoom_in: Zoom in
912 912 error_unable_delete_issue_status: Unable to delete issue status
913 913 label_subtask_plural: Subtasks
914 914 error_can_not_delete_tracker: This tracker contains issues and can't be deleted.
915 915 notice_failed_to_save_members: "Failed to save member(s): {{errors}}."
916 916 label_project_copy_notifications: Send email notifications during the project copy
917 917 field_time_entries: Log time
918 918 project_module_gantt: Gantt
919 919 project_module_calendar: Calendar
920 920 field_member_of_group: Member of Group
921 921 field_assigned_to_role: Member of Role
922 922 button_edit_associated_wikipage: "Edit associated Wiki page: {{page_title}}"
923 923 text_are_you_sure_with_children: Delete issue and all child issues?
924 924 field_text: Text field
925 925 label_user_mail_option_only_owner: Only for things I am the owner of
926 926 setting_default_notification_option: Default notification option
927 927 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
928 928 label_user_mail_option_only_assigned: Only for things I am assigned to
929 notice_not_authorized_archived_project: The project you're trying to access has been archived.
@@ -1,924 +1,925
1 1 en:
2 2 # Text direction: Left-to-Right (ltr) or Right-to-Left (rtl)
3 3 direction: ltr
4 4 date:
5 5 formats:
6 6 # Use the strftime parameters for formats.
7 7 # When no format has been given, it uses default.
8 8 # You can provide other formats here if you like!
9 9 default: "%m/%d/%Y"
10 10 short: "%b %d"
11 11 long: "%B %d, %Y"
12 12
13 13 day_names: [Sunday, Monday, Tuesday, Wednesday, Thursday, Friday, Saturday]
14 14 abbr_day_names: [Sun, Mon, Tue, Wed, Thu, Fri, Sat]
15 15
16 16 # Don't forget the nil at the beginning; there's no such thing as a 0th month
17 17 month_names: [~, January, February, March, April, May, June, July, August, September, October, November, December]
18 18 abbr_month_names: [~, Jan, Feb, Mar, Apr, May, Jun, Jul, Aug, Sep, Oct, Nov, Dec]
19 19 # Used in date_select and datime_select.
20 20 order: [ :year, :month, :day ]
21 21
22 22 time:
23 23 formats:
24 24 default: "%m/%d/%Y %I:%M %p"
25 25 time: "%I:%M %p"
26 26 short: "%d %b %H:%M"
27 27 long: "%B %d, %Y %H:%M"
28 28 am: "am"
29 29 pm: "pm"
30 30
31 31 datetime:
32 32 distance_in_words:
33 33 half_a_minute: "half a minute"
34 34 less_than_x_seconds:
35 35 one: "less than 1 second"
36 36 other: "less than {{count}} seconds"
37 37 x_seconds:
38 38 one: "1 second"
39 39 other: "{{count}} seconds"
40 40 less_than_x_minutes:
41 41 one: "less than a minute"
42 42 other: "less than {{count}} minutes"
43 43 x_minutes:
44 44 one: "1 minute"
45 45 other: "{{count}} minutes"
46 46 about_x_hours:
47 47 one: "about 1 hour"
48 48 other: "about {{count}} hours"
49 49 x_days:
50 50 one: "1 day"
51 51 other: "{{count}} days"
52 52 about_x_months:
53 53 one: "about 1 month"
54 54 other: "about {{count}} months"
55 55 x_months:
56 56 one: "1 month"
57 57 other: "{{count}} months"
58 58 about_x_years:
59 59 one: "about 1 year"
60 60 other: "about {{count}} years"
61 61 over_x_years:
62 62 one: "over 1 year"
63 63 other: "over {{count}} years"
64 64 almost_x_years:
65 65 one: "almost 1 year"
66 66 other: "almost {{count}} years"
67 67
68 68 number:
69 69 # Default format for numbers
70 70 format:
71 71 separator: "."
72 72 delimiter: ""
73 73 precision: 3
74 74 human:
75 75 format:
76 76 delimiter: ""
77 77 precision: 1
78 78 storage_units:
79 79 format: "%n %u"
80 80 units:
81 81 byte:
82 82 one: "Byte"
83 83 other: "Bytes"
84 84 kb: "KB"
85 85 mb: "MB"
86 86 gb: "GB"
87 87 tb: "TB"
88 88
89 89
90 90 # Used in array.to_sentence.
91 91 support:
92 92 array:
93 93 sentence_connector: "and"
94 94 skip_last_comma: false
95 95
96 96 activerecord:
97 97 errors:
98 98 messages:
99 99 inclusion: "is not included in the list"
100 100 exclusion: "is reserved"
101 101 invalid: "is invalid"
102 102 confirmation: "doesn't match confirmation"
103 103 accepted: "must be accepted"
104 104 empty: "can't be empty"
105 105 blank: "can't be blank"
106 106 too_long: "is too long (maximum is {{count}} characters)"
107 107 too_short: "is too short (minimum is {{count}} characters)"
108 108 wrong_length: "is the wrong length (should be {{count}} characters)"
109 109 taken: "has already been taken"
110 110 not_a_number: "is not a number"
111 111 not_a_date: "is not a valid date"
112 112 greater_than: "must be greater than {{count}}"
113 113 greater_than_or_equal_to: "must be greater than or equal to {{count}}"
114 114 equal_to: "must be equal to {{count}}"
115 115 less_than: "must be less than {{count}}"
116 116 less_than_or_equal_to: "must be less than or equal to {{count}}"
117 117 odd: "must be odd"
118 118 even: "must be even"
119 119 greater_than_start_date: "must be greater than start date"
120 120 not_same_project: "doesn't belong to the same project"
121 121 circular_dependency: "This relation would create a circular dependency"
122 122 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
123 123
124 124 actionview_instancetag_blank_option: Please select
125 125
126 126 general_text_No: 'No'
127 127 general_text_Yes: 'Yes'
128 128 general_text_no: 'no'
129 129 general_text_yes: 'yes'
130 130 general_lang_name: 'English'
131 131 general_csv_separator: ','
132 132 general_csv_decimal_separator: '.'
133 133 general_csv_encoding: ISO-8859-1
134 134 general_pdf_encoding: ISO-8859-1
135 135 general_first_day_of_week: '7'
136 136
137 137 notice_account_updated: Account was successfully updated.
138 138 notice_account_invalid_creditentials: Invalid user or password
139 139 notice_account_password_updated: Password was successfully updated.
140 140 notice_account_wrong_password: Wrong password
141 141 notice_account_register_done: Account was successfully created. To activate your account, click on the link that was emailed to you.
142 142 notice_account_unknown_email: Unknown user.
143 143 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
144 144 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
145 145 notice_account_activated: Your account has been activated. You can now log in.
146 146 notice_successful_create: Successful creation.
147 147 notice_successful_update: Successful update.
148 148 notice_successful_delete: Successful deletion.
149 149 notice_successful_connection: Successful connection.
150 150 notice_file_not_found: The page you were trying to access doesn't exist or has been removed.
151 151 notice_locking_conflict: Data has been updated by another user.
152 152 notice_not_authorized: You are not authorized to access this page.
153 notice_not_authorized_archived_project: The project you're trying to access has been archived.
153 154 notice_email_sent: "An email was sent to {{value}}"
154 155 notice_email_error: "An error occurred while sending mail ({{value}})"
155 156 notice_feeds_access_key_reseted: Your RSS access key was reset.
156 157 notice_api_access_key_reseted: Your API access key was reset.
157 158 notice_failed_to_save_issues: "Failed to save {{count}} issue(s) on {{total}} selected: {{ids}}."
158 159 notice_failed_to_save_members: "Failed to save member(s): {{errors}}."
159 160 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
160 161 notice_account_pending: "Your account was created and is now pending administrator approval."
161 162 notice_default_data_loaded: Default configuration successfully loaded.
162 163 notice_unable_delete_version: Unable to delete version.
163 164 notice_unable_delete_time_entry: Unable to delete time log entry.
164 165 notice_issue_done_ratios_updated: Issue done ratios updated.
165 166
166 167 error_can_t_load_default_data: "Default configuration could not be loaded: {{value}}"
167 168 error_scm_not_found: "The entry or revision was not found in the repository."
168 169 error_scm_command_failed: "An error occurred when trying to access the repository: {{value}}"
169 170 error_scm_annotate: "The entry does not exist or can not be annotated."
170 171 error_issue_not_found_in_project: 'The issue was not found or does not belong to this project'
171 172 error_no_tracker_in_project: 'No tracker is associated to this project. Please check the Project settings.'
172 173 error_no_default_issue_status: 'No default issue status is defined. Please check your configuration (Go to "Administration -> Issue statuses").'
173 174 error_can_not_delete_custom_field: Unable to delete custom field
174 175 error_can_not_delete_tracker: "This tracker contains issues and can't be deleted."
175 176 error_can_not_remove_role: "This role is in use and can not be deleted."
176 177 error_can_not_reopen_issue_on_closed_version: 'An issue assigned to a closed version can not be reopened'
177 178 error_can_not_archive_project: This project can not be archived
178 179 error_issue_done_ratios_not_updated: "Issue done ratios not updated."
179 180 error_workflow_copy_source: 'Please select a source tracker or role'
180 181 error_workflow_copy_target: 'Please select target tracker(s) and role(s)'
181 182 error_unable_delete_issue_status: 'Unable to delete issue status'
182 183 error_unable_to_connect: "Unable to connect ({{value}})"
183 184 warning_attachments_not_saved: "{{count}} file(s) could not be saved."
184 185
185 186 mail_subject_lost_password: "Your {{value}} password"
186 187 mail_body_lost_password: 'To change your password, click on the following link:'
187 188 mail_subject_register: "Your {{value}} account activation"
188 189 mail_body_register: 'To activate your account, click on the following link:'
189 190 mail_body_account_information_external: "You can use your {{value}} account to log in."
190 191 mail_body_account_information: Your account information
191 192 mail_subject_account_activation_request: "{{value}} account activation request"
192 193 mail_body_account_activation_request: "A new user ({{value}}) has registered. The account is pending your approval:"
193 194 mail_subject_reminder: "{{count}} issue(s) due in the next {{days}} days"
194 195 mail_body_reminder: "{{count}} issue(s) that are assigned to you are due in the next {{days}} days:"
195 196 mail_subject_wiki_content_added: "'{{page}}' wiki page has been added"
196 197 mail_body_wiki_content_added: "The '{{page}}' wiki page has been added by {{author}}."
197 198 mail_subject_wiki_content_updated: "'{{page}}' wiki page has been updated"
198 199 mail_body_wiki_content_updated: "The '{{page}}' wiki page has been updated by {{author}}."
199 200
200 201 gui_validation_error: 1 error
201 202 gui_validation_error_plural: "{{count}} errors"
202 203
203 204 field_name: Name
204 205 field_description: Description
205 206 field_summary: Summary
206 207 field_is_required: Required
207 208 field_firstname: Firstname
208 209 field_lastname: Lastname
209 210 field_mail: Email
210 211 field_filename: File
211 212 field_filesize: Size
212 213 field_downloads: Downloads
213 214 field_author: Author
214 215 field_created_on: Created
215 216 field_updated_on: Updated
216 217 field_field_format: Format
217 218 field_is_for_all: For all projects
218 219 field_possible_values: Possible values
219 220 field_regexp: Regular expression
220 221 field_min_length: Minimum length
221 222 field_max_length: Maximum length
222 223 field_value: Value
223 224 field_category: Category
224 225 field_title: Title
225 226 field_project: Project
226 227 field_issue: Issue
227 228 field_status: Status
228 229 field_notes: Notes
229 230 field_is_closed: Issue closed
230 231 field_is_default: Default value
231 232 field_tracker: Tracker
232 233 field_subject: Subject
233 234 field_due_date: Due date
234 235 field_assigned_to: Assignee
235 236 field_priority: Priority
236 237 field_fixed_version: Target version
237 238 field_user: User
238 239 field_principal: Principal
239 240 field_role: Role
240 241 field_homepage: Homepage
241 242 field_is_public: Public
242 243 field_parent: Subproject of
243 244 field_is_in_roadmap: Issues displayed in roadmap
244 245 field_login: Login
245 246 field_mail_notification: Email notifications
246 247 field_admin: Administrator
247 248 field_last_login_on: Last connection
248 249 field_language: Language
249 250 field_effective_date: Date
250 251 field_password: Password
251 252 field_new_password: New password
252 253 field_password_confirmation: Confirmation
253 254 field_version: Version
254 255 field_type: Type
255 256 field_host: Host
256 257 field_port: Port
257 258 field_account: Account
258 259 field_base_dn: Base DN
259 260 field_attr_login: Login attribute
260 261 field_attr_firstname: Firstname attribute
261 262 field_attr_lastname: Lastname attribute
262 263 field_attr_mail: Email attribute
263 264 field_onthefly: On-the-fly user creation
264 265 field_start_date: Start
265 266 field_done_ratio: % Done
266 267 field_auth_source: Authentication mode
267 268 field_hide_mail: Hide my email address
268 269 field_comments: Comment
269 270 field_url: URL
270 271 field_start_page: Start page
271 272 field_subproject: Subproject
272 273 field_hours: Hours
273 274 field_activity: Activity
274 275 field_spent_on: Date
275 276 field_identifier: Identifier
276 277 field_is_filter: Used as a filter
277 278 field_issue_to: Related issue
278 279 field_delay: Delay
279 280 field_assignable: Issues can be assigned to this role
280 281 field_redirect_existing_links: Redirect existing links
281 282 field_estimated_hours: Estimated time
282 283 field_column_names: Columns
283 284 field_time_entries: Log time
284 285 field_time_zone: Time zone
285 286 field_searchable: Searchable
286 287 field_default_value: Default value
287 288 field_comments_sorting: Display comments
288 289 field_parent_title: Parent page
289 290 field_editable: Editable
290 291 field_watcher: Watcher
291 292 field_identity_url: OpenID URL
292 293 field_content: Content
293 294 field_group_by: Group results by
294 295 field_sharing: Sharing
295 296 field_parent_issue: Parent task
296 297 field_member_of_group: "Assignee's group"
297 298 field_assigned_to_role: "Assignee's role"
298 299 field_text: Text field
299 300
300 301 setting_app_title: Application title
301 302 setting_app_subtitle: Application subtitle
302 303 setting_welcome_text: Welcome text
303 304 setting_default_language: Default language
304 305 setting_login_required: Authentication required
305 306 setting_self_registration: Self-registration
306 307 setting_attachment_max_size: Attachment max. size
307 308 setting_issues_export_limit: Issues export limit
308 309 setting_mail_from: Emission email address
309 310 setting_bcc_recipients: Blind carbon copy recipients (bcc)
310 311 setting_plain_text_mail: Plain text mail (no HTML)
311 312 setting_host_name: Host name and path
312 313 setting_text_formatting: Text formatting
313 314 setting_wiki_compression: Wiki history compression
314 315 setting_feeds_limit: Feed content limit
315 316 setting_default_projects_public: New projects are public by default
316 317 setting_autofetch_changesets: Autofetch commits
317 318 setting_sys_api_enabled: Enable WS for repository management
318 319 setting_commit_ref_keywords: Referencing keywords
319 320 setting_commit_fix_keywords: Fixing keywords
320 321 setting_autologin: Autologin
321 322 setting_date_format: Date format
322 323 setting_time_format: Time format
323 324 setting_cross_project_issue_relations: Allow cross-project issue relations
324 325 setting_issue_list_default_columns: Default columns displayed on the issue list
325 326 setting_repositories_encodings: Repositories encodings
326 327 setting_commit_logs_encoding: Commit messages encoding
327 328 setting_emails_footer: Emails footer
328 329 setting_protocol: Protocol
329 330 setting_per_page_options: Objects per page options
330 331 setting_user_format: Users display format
331 332 setting_activity_days_default: Days displayed on project activity
332 333 setting_display_subprojects_issues: Display subprojects issues on main projects by default
333 334 setting_enabled_scm: Enabled SCM
334 335 setting_mail_handler_body_delimiters: "Truncate emails after one of these lines"
335 336 setting_mail_handler_api_enabled: Enable WS for incoming emails
336 337 setting_mail_handler_api_key: API key
337 338 setting_sequential_project_identifiers: Generate sequential project identifiers
338 339 setting_gravatar_enabled: Use Gravatar user icons
339 340 setting_gravatar_default: Default Gravatar image
340 341 setting_diff_max_lines_displayed: Max number of diff lines displayed
341 342 setting_file_max_size_displayed: Max size of text files displayed inline
342 343 setting_repository_log_display_limit: Maximum number of revisions displayed on file log
343 344 setting_openid: Allow OpenID login and registration
344 345 setting_password_min_length: Minimum password length
345 346 setting_new_project_user_role_id: Role given to a non-admin user who creates a project
346 347 setting_default_projects_modules: Default enabled modules for new projects
347 348 setting_issue_done_ratio: Calculate the issue done ratio with
348 349 setting_issue_done_ratio_issue_field: Use the issue field
349 350 setting_issue_done_ratio_issue_status: Use the issue status
350 351 setting_start_of_week: Start calendars on
351 352 setting_rest_api_enabled: Enable REST web service
352 353 setting_cache_formatted_text: Cache formatted text
353 354 setting_default_notification_option: Default notification option
354 355
355 356 permission_add_project: Create project
356 357 permission_add_subprojects: Create subprojects
357 358 permission_edit_project: Edit project
358 359 permission_select_project_modules: Select project modules
359 360 permission_manage_members: Manage members
360 361 permission_manage_project_activities: Manage project activities
361 362 permission_manage_versions: Manage versions
362 363 permission_manage_categories: Manage issue categories
363 364 permission_view_issues: View Issues
364 365 permission_add_issues: Add issues
365 366 permission_edit_issues: Edit issues
366 367 permission_manage_issue_relations: Manage issue relations
367 368 permission_add_issue_notes: Add notes
368 369 permission_edit_issue_notes: Edit notes
369 370 permission_edit_own_issue_notes: Edit own notes
370 371 permission_move_issues: Move issues
371 372 permission_delete_issues: Delete issues
372 373 permission_manage_public_queries: Manage public queries
373 374 permission_save_queries: Save queries
374 375 permission_view_gantt: View gantt chart
375 376 permission_view_calendar: View calendar
376 377 permission_view_issue_watchers: View watchers list
377 378 permission_add_issue_watchers: Add watchers
378 379 permission_delete_issue_watchers: Delete watchers
379 380 permission_log_time: Log spent time
380 381 permission_view_time_entries: View spent time
381 382 permission_edit_time_entries: Edit time logs
382 383 permission_edit_own_time_entries: Edit own time logs
383 384 permission_manage_news: Manage news
384 385 permission_comment_news: Comment news
385 386 permission_manage_documents: Manage documents
386 387 permission_view_documents: View documents
387 388 permission_manage_files: Manage files
388 389 permission_view_files: View files
389 390 permission_manage_wiki: Manage wiki
390 391 permission_rename_wiki_pages: Rename wiki pages
391 392 permission_delete_wiki_pages: Delete wiki pages
392 393 permission_view_wiki_pages: View wiki
393 394 permission_view_wiki_edits: View wiki history
394 395 permission_edit_wiki_pages: Edit wiki pages
395 396 permission_delete_wiki_pages_attachments: Delete attachments
396 397 permission_protect_wiki_pages: Protect wiki pages
397 398 permission_manage_repository: Manage repository
398 399 permission_browse_repository: Browse repository
399 400 permission_view_changesets: View changesets
400 401 permission_commit_access: Commit access
401 402 permission_manage_boards: Manage boards
402 403 permission_view_messages: View messages
403 404 permission_add_messages: Post messages
404 405 permission_edit_messages: Edit messages
405 406 permission_edit_own_messages: Edit own messages
406 407 permission_delete_messages: Delete messages
407 408 permission_delete_own_messages: Delete own messages
408 409 permission_export_wiki_pages: Export wiki pages
409 410 permission_manage_subtasks: Manage subtasks
410 411
411 412 project_module_issue_tracking: Issue tracking
412 413 project_module_time_tracking: Time tracking
413 414 project_module_news: News
414 415 project_module_documents: Documents
415 416 project_module_files: Files
416 417 project_module_wiki: Wiki
417 418 project_module_repository: Repository
418 419 project_module_boards: Boards
419 420 project_module_calendar: Calendar
420 421 project_module_gantt: Gantt
421 422
422 423 label_user: User
423 424 label_user_plural: Users
424 425 label_user_new: New user
425 426 label_user_anonymous: Anonymous
426 427 label_project: Project
427 428 label_project_new: New project
428 429 label_project_plural: Projects
429 430 label_x_projects:
430 431 zero: no projects
431 432 one: 1 project
432 433 other: "{{count}} projects"
433 434 label_project_all: All Projects
434 435 label_project_latest: Latest projects
435 436 label_issue: Issue
436 437 label_issue_new: New issue
437 438 label_issue_plural: Issues
438 439 label_issue_view_all: View all issues
439 440 label_issues_by: "Issues by {{value}}"
440 441 label_issue_added: Issue added
441 442 label_issue_updated: Issue updated
442 443 label_document: Document
443 444 label_document_new: New document
444 445 label_document_plural: Documents
445 446 label_document_added: Document added
446 447 label_role: Role
447 448 label_role_plural: Roles
448 449 label_role_new: New role
449 450 label_role_and_permissions: Roles and permissions
450 451 label_member: Member
451 452 label_member_new: New member
452 453 label_member_plural: Members
453 454 label_tracker: Tracker
454 455 label_tracker_plural: Trackers
455 456 label_tracker_new: New tracker
456 457 label_workflow: Workflow
457 458 label_issue_status: Issue status
458 459 label_issue_status_plural: Issue statuses
459 460 label_issue_status_new: New status
460 461 label_issue_category: Issue category
461 462 label_issue_category_plural: Issue categories
462 463 label_issue_category_new: New category
463 464 label_custom_field: Custom field
464 465 label_custom_field_plural: Custom fields
465 466 label_custom_field_new: New custom field
466 467 label_enumerations: Enumerations
467 468 label_enumeration_new: New value
468 469 label_information: Information
469 470 label_information_plural: Information
470 471 label_please_login: Please log in
471 472 label_register: Register
472 473 label_login_with_open_id_option: or login with OpenID
473 474 label_password_lost: Lost password
474 475 label_home: Home
475 476 label_my_page: My page
476 477 label_my_account: My account
477 478 label_my_projects: My projects
478 479 label_my_page_block: My page block
479 480 label_administration: Administration
480 481 label_login: Sign in
481 482 label_logout: Sign out
482 483 label_help: Help
483 484 label_reported_issues: Reported issues
484 485 label_assigned_to_me_issues: Issues assigned to me
485 486 label_last_login: Last connection
486 487 label_registered_on: Registered on
487 488 label_activity: Activity
488 489 label_overall_activity: Overall activity
489 490 label_user_activity: "{{value}}'s activity"
490 491 label_new: New
491 492 label_logged_as: Logged in as
492 493 label_environment: Environment
493 494 label_authentication: Authentication
494 495 label_auth_source: Authentication mode
495 496 label_auth_source_new: New authentication mode
496 497 label_auth_source_plural: Authentication modes
497 498 label_subproject_plural: Subprojects
498 499 label_subproject_new: New subproject
499 500 label_and_its_subprojects: "{{value}} and its subprojects"
500 501 label_min_max_length: Min - Max length
501 502 label_list: List
502 503 label_date: Date
503 504 label_integer: Integer
504 505 label_float: Float
505 506 label_boolean: Boolean
506 507 label_string: Text
507 508 label_text: Long text
508 509 label_attribute: Attribute
509 510 label_attribute_plural: Attributes
510 511 label_download: "{{count}} Download"
511 512 label_download_plural: "{{count}} Downloads"
512 513 label_no_data: No data to display
513 514 label_change_status: Change status
514 515 label_history: History
515 516 label_attachment: File
516 517 label_attachment_new: New file
517 518 label_attachment_delete: Delete file
518 519 label_attachment_plural: Files
519 520 label_file_added: File added
520 521 label_report: Report
521 522 label_report_plural: Reports
522 523 label_news: News
523 524 label_news_new: Add news
524 525 label_news_plural: News
525 526 label_news_latest: Latest news
526 527 label_news_view_all: View all news
527 528 label_news_added: News added
528 529 label_settings: Settings
529 530 label_overview: Overview
530 531 label_version: Version
531 532 label_version_new: New version
532 533 label_version_plural: Versions
533 534 label_close_versions: Close completed versions
534 535 label_confirmation: Confirmation
535 536 label_export_to: 'Also available in:'
536 537 label_read: Read...
537 538 label_public_projects: Public projects
538 539 label_open_issues: open
539 540 label_open_issues_plural: open
540 541 label_closed_issues: closed
541 542 label_closed_issues_plural: closed
542 543 label_x_open_issues_abbr_on_total:
543 544 zero: 0 open / {{total}}
544 545 one: 1 open / {{total}}
545 546 other: "{{count}} open / {{total}}"
546 547 label_x_open_issues_abbr:
547 548 zero: 0 open
548 549 one: 1 open
549 550 other: "{{count}} open"
550 551 label_x_closed_issues_abbr:
551 552 zero: 0 closed
552 553 one: 1 closed
553 554 other: "{{count}} closed"
554 555 label_total: Total
555 556 label_permissions: Permissions
556 557 label_current_status: Current status
557 558 label_new_statuses_allowed: New statuses allowed
558 559 label_all: all
559 560 label_none: none
560 561 label_nobody: nobody
561 562 label_next: Next
562 563 label_previous: Previous
563 564 label_used_by: Used by
564 565 label_details: Details
565 566 label_add_note: Add a note
566 567 label_per_page: Per page
567 568 label_calendar: Calendar
568 569 label_months_from: months from
569 570 label_gantt: Gantt
570 571 label_internal: Internal
571 572 label_last_changes: "last {{count}} changes"
572 573 label_change_view_all: View all changes
573 574 label_personalize_page: Personalize this page
574 575 label_comment: Comment
575 576 label_comment_plural: Comments
576 577 label_x_comments:
577 578 zero: no comments
578 579 one: 1 comment
579 580 other: "{{count}} comments"
580 581 label_comment_add: Add a comment
581 582 label_comment_added: Comment added
582 583 label_comment_delete: Delete comments
583 584 label_query: Custom query
584 585 label_query_plural: Custom queries
585 586 label_query_new: New query
586 587 label_filter_add: Add filter
587 588 label_filter_plural: Filters
588 589 label_equals: is
589 590 label_not_equals: is not
590 591 label_in_less_than: in less than
591 592 label_in_more_than: in more than
592 593 label_greater_or_equal: '>='
593 594 label_less_or_equal: '<='
594 595 label_in: in
595 596 label_today: today
596 597 label_all_time: all time
597 598 label_yesterday: yesterday
598 599 label_this_week: this week
599 600 label_last_week: last week
600 601 label_last_n_days: "last {{count}} days"
601 602 label_this_month: this month
602 603 label_last_month: last month
603 604 label_this_year: this year
604 605 label_date_range: Date range
605 606 label_less_than_ago: less than days ago
606 607 label_more_than_ago: more than days ago
607 608 label_ago: days ago
608 609 label_contains: contains
609 610 label_not_contains: doesn't contain
610 611 label_day_plural: days
611 612 label_repository: Repository
612 613 label_repository_plural: Repositories
613 614 label_browse: Browse
614 615 label_modification: "{{count}} change"
615 616 label_modification_plural: "{{count}} changes"
616 617 label_branch: Branch
617 618 label_tag: Tag
618 619 label_revision: Revision
619 620 label_revision_plural: Revisions
620 621 label_revision_id: "Revision {{value}}"
621 622 label_associated_revisions: Associated revisions
622 623 label_added: added
623 624 label_modified: modified
624 625 label_copied: copied
625 626 label_renamed: renamed
626 627 label_deleted: deleted
627 628 label_latest_revision: Latest revision
628 629 label_latest_revision_plural: Latest revisions
629 630 label_view_revisions: View revisions
630 631 label_view_all_revisions: View all revisions
631 632 label_max_size: Maximum size
632 633 label_sort_highest: Move to top
633 634 label_sort_higher: Move up
634 635 label_sort_lower: Move down
635 636 label_sort_lowest: Move to bottom
636 637 label_roadmap: Roadmap
637 638 label_roadmap_due_in: "Due in {{value}}"
638 639 label_roadmap_overdue: "{{value}} late"
639 640 label_roadmap_no_issues: No issues for this version
640 641 label_search: Search
641 642 label_result_plural: Results
642 643 label_all_words: All words
643 644 label_wiki: Wiki
644 645 label_wiki_edit: Wiki edit
645 646 label_wiki_edit_plural: Wiki edits
646 647 label_wiki_page: Wiki page
647 648 label_wiki_page_plural: Wiki pages
648 649 label_index_by_title: Index by title
649 650 label_index_by_date: Index by date
650 651 label_current_version: Current version
651 652 label_preview: Preview
652 653 label_feed_plural: Feeds
653 654 label_changes_details: Details of all changes
654 655 label_issue_tracking: Issue tracking
655 656 label_spent_time: Spent time
656 657 label_overall_spent_time: Overall spent time
657 658 label_f_hour: "{{value}} hour"
658 659 label_f_hour_plural: "{{value}} hours"
659 660 label_time_tracking: Time tracking
660 661 label_change_plural: Changes
661 662 label_statistics: Statistics
662 663 label_commits_per_month: Commits per month
663 664 label_commits_per_author: Commits per author
664 665 label_view_diff: View differences
665 666 label_diff_inline: inline
666 667 label_diff_side_by_side: side by side
667 668 label_options: Options
668 669 label_copy_workflow_from: Copy workflow from
669 670 label_permissions_report: Permissions report
670 671 label_watched_issues: Watched issues
671 672 label_related_issues: Related issues
672 673 label_applied_status: Applied status
673 674 label_loading: Loading...
674 675 label_relation_new: New relation
675 676 label_relation_delete: Delete relation
676 677 label_relates_to: related to
677 678 label_duplicates: duplicates
678 679 label_duplicated_by: duplicated by
679 680 label_blocks: blocks
680 681 label_blocked_by: blocked by
681 682 label_precedes: precedes
682 683 label_follows: follows
683 684 label_end_to_start: end to start
684 685 label_end_to_end: end to end
685 686 label_start_to_start: start to start
686 687 label_start_to_end: start to end
687 688 label_stay_logged_in: Stay logged in
688 689 label_disabled: disabled
689 690 label_show_completed_versions: Show completed versions
690 691 label_me: me
691 692 label_board: Forum
692 693 label_board_new: New forum
693 694 label_board_plural: Forums
694 695 label_board_locked: Locked
695 696 label_board_sticky: Sticky
696 697 label_topic_plural: Topics
697 698 label_message_plural: Messages
698 699 label_message_last: Last message
699 700 label_message_new: New message
700 701 label_message_posted: Message added
701 702 label_reply_plural: Replies
702 703 label_send_information: Send account information to the user
703 704 label_year: Year
704 705 label_month: Month
705 706 label_week: Week
706 707 label_date_from: From
707 708 label_date_to: To
708 709 label_language_based: Based on user's language
709 710 label_sort_by: "Sort by {{value}}"
710 711 label_send_test_email: Send a test email
711 712 label_feeds_access_key: RSS access key
712 713 label_missing_feeds_access_key: Missing a RSS access key
713 714 label_feeds_access_key_created_on: "RSS access key created {{value}} ago"
714 715 label_module_plural: Modules
715 716 label_added_time_by: "Added by {{author}} {{age}} ago"
716 717 label_updated_time_by: "Updated by {{author}} {{age}} ago"
717 718 label_updated_time: "Updated {{value}} ago"
718 719 label_jump_to_a_project: Jump to a project...
719 720 label_file_plural: Files
720 721 label_changeset_plural: Changesets
721 722 label_default_columns: Default columns
722 723 label_no_change_option: (No change)
723 724 label_bulk_edit_selected_issues: Bulk edit selected issues
724 725 label_theme: Theme
725 726 label_default: Default
726 727 label_search_titles_only: Search titles only
727 728 label_user_mail_option_all: "For any event on all my projects"
728 729 label_user_mail_option_selected: "For any event on the selected projects only..."
729 730 label_user_mail_option_none: "No events"
730 731 label_user_mail_option_only_my_events: "Only for things I watch or I'm involved in"
731 732 label_user_mail_option_only_assigned: "Only for things I am assigned to"
732 733 label_user_mail_option_only_owner: "Only for things I am the owner of"
733 734 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
734 735 label_registration_activation_by_email: account activation by email
735 736 label_registration_manual_activation: manual account activation
736 737 label_registration_automatic_activation: automatic account activation
737 738 label_display_per_page: "Per page: {{value}}"
738 739 label_age: Age
739 740 label_change_properties: Change properties
740 741 label_general: General
741 742 label_more: More
742 743 label_scm: SCM
743 744 label_plugins: Plugins
744 745 label_ldap_authentication: LDAP authentication
745 746 label_downloads_abbr: D/L
746 747 label_optional_description: Optional description
747 748 label_add_another_file: Add another file
748 749 label_preferences: Preferences
749 750 label_chronological_order: In chronological order
750 751 label_reverse_chronological_order: In reverse chronological order
751 752 label_planning: Planning
752 753 label_incoming_emails: Incoming emails
753 754 label_generate_key: Generate a key
754 755 label_issue_watchers: Watchers
755 756 label_example: Example
756 757 label_display: Display
757 758 label_sort: Sort
758 759 label_ascending: Ascending
759 760 label_descending: Descending
760 761 label_date_from_to: From {{start}} to {{end}}
761 762 label_wiki_content_added: Wiki page added
762 763 label_wiki_content_updated: Wiki page updated
763 764 label_group: Group
764 765 label_group_plural: Groups
765 766 label_group_new: New group
766 767 label_time_entry_plural: Spent time
767 768 label_version_sharing_none: Not shared
768 769 label_version_sharing_descendants: With subprojects
769 770 label_version_sharing_hierarchy: With project hierarchy
770 771 label_version_sharing_tree: With project tree
771 772 label_version_sharing_system: With all projects
772 773 label_update_issue_done_ratios: Update issue done ratios
773 774 label_copy_source: Source
774 775 label_copy_target: Target
775 776 label_copy_same_as_target: Same as target
776 777 label_display_used_statuses_only: Only display statuses that are used by this tracker
777 778 label_api_access_key: API access key
778 779 label_missing_api_access_key: Missing an API access key
779 780 label_api_access_key_created_on: "API access key created {{value}} ago"
780 781 label_profile: Profile
781 782 label_subtask_plural: Subtasks
782 783 label_project_copy_notifications: Send email notifications during the project copy
783 784
784 785 button_login: Login
785 786 button_submit: Submit
786 787 button_save: Save
787 788 button_check_all: Check all
788 789 button_uncheck_all: Uncheck all
789 790 button_delete: Delete
790 791 button_create: Create
791 792 button_create_and_continue: Create and continue
792 793 button_test: Test
793 794 button_edit: Edit
794 795 button_edit_associated_wikipage: "Edit associated Wiki page: {{page_title}}"
795 796 button_add: Add
796 797 button_change: Change
797 798 button_apply: Apply
798 799 button_clear: Clear
799 800 button_lock: Lock
800 801 button_unlock: Unlock
801 802 button_download: Download
802 803 button_list: List
803 804 button_view: View
804 805 button_move: Move
805 806 button_move_and_follow: Move and follow
806 807 button_back: Back
807 808 button_cancel: Cancel
808 809 button_activate: Activate
809 810 button_sort: Sort
810 811 button_log_time: Log time
811 812 button_rollback: Rollback to this version
812 813 button_watch: Watch
813 814 button_unwatch: Unwatch
814 815 button_reply: Reply
815 816 button_archive: Archive
816 817 button_unarchive: Unarchive
817 818 button_reset: Reset
818 819 button_rename: Rename
819 820 button_change_password: Change password
820 821 button_copy: Copy
821 822 button_copy_and_follow: Copy and follow
822 823 button_annotate: Annotate
823 824 button_update: Update
824 825 button_configure: Configure
825 826 button_quote: Quote
826 827 button_duplicate: Duplicate
827 828 button_show: Show
828 829
829 830 status_active: active
830 831 status_registered: registered
831 832 status_locked: locked
832 833
833 834 version_status_open: open
834 835 version_status_locked: locked
835 836 version_status_closed: closed
836 837
837 838 field_active: Active
838 839
839 840 text_select_mail_notifications: Select actions for which email notifications should be sent.
840 841 text_regexp_info: eg. ^[A-Z0-9]+$
841 842 text_min_max_length_info: 0 means no restriction
842 843 text_project_destroy_confirmation: Are you sure you want to delete this project and related data ?
843 844 text_subprojects_destroy_warning: "Its subproject(s): {{value}} will be also deleted."
844 845 text_workflow_edit: Select a role and a tracker to edit the workflow
845 846 text_are_you_sure: Are you sure ?
846 847 text_are_you_sure_with_children: "Delete issue and all child issues?"
847 848 text_journal_changed: "{{label}} changed from {{old}} to {{new}}"
848 849 text_journal_set_to: "{{label}} set to {{value}}"
849 850 text_journal_deleted: "{{label}} deleted ({{old}})"
850 851 text_journal_added: "{{label}} {{value}} added"
851 852 text_tip_issue_begin_day: issue beginning this day
852 853 text_tip_issue_end_day: issue ending this day
853 854 text_tip_issue_begin_end_day: issue beginning and ending this day
854 855 text_project_identifier_info: 'Only lower case letters (a-z), numbers and dashes are allowed.<br />Once saved, the identifier can not be changed.'
855 856 text_caracters_maximum: "{{count}} characters maximum."
856 857 text_caracters_minimum: "Must be at least {{count}} characters long."
857 858 text_length_between: "Length between {{min}} and {{max}} characters."
858 859 text_tracker_no_workflow: No workflow defined for this tracker
859 860 text_unallowed_characters: Unallowed characters
860 861 text_comma_separated: Multiple values allowed (comma separated).
861 862 text_line_separated: Multiple values allowed (one line for each value).
862 863 text_issues_ref_in_commit_messages: Referencing and fixing issues in commit messages
863 864 text_issue_added: "Issue {{id}} has been reported by {{author}}."
864 865 text_issue_updated: "Issue {{id}} has been updated by {{author}}."
865 866 text_wiki_destroy_confirmation: Are you sure you want to delete this wiki and all its content ?
866 867 text_issue_category_destroy_question: "Some issues ({{count}}) are assigned to this category. What do you want to do ?"
867 868 text_issue_category_destroy_assignments: Remove category assignments
868 869 text_issue_category_reassign_to: Reassign issues to this category
869 870 text_user_mail_option: "For unselected projects, you will only receive notifications about things you watch or you're involved in (eg. issues you're the author or assignee)."
870 871 text_no_configuration_data: "Roles, trackers, issue statuses and workflow have not been configured yet.\nIt is highly recommended to load the default configuration. You will be able to modify it once loaded."
871 872 text_load_default_configuration: Load the default configuration
872 873 text_status_changed_by_changeset: "Applied in changeset {{value}}."
873 874 text_issues_destroy_confirmation: 'Are you sure you want to delete the selected issue(s) ?'
874 875 text_select_project_modules: 'Select modules to enable for this project:'
875 876 text_default_administrator_account_changed: Default administrator account changed
876 877 text_file_repository_writable: Attachments directory writable
877 878 text_plugin_assets_writable: Plugin assets directory writable
878 879 text_rmagick_available: RMagick available (optional)
879 880 text_destroy_time_entries_question: "{{hours}} hours were reported on the issues you are about to delete. What do you want to do ?"
880 881 text_destroy_time_entries: Delete reported hours
881 882 text_assign_time_entries_to_project: Assign reported hours to the project
882 883 text_reassign_time_entries: 'Reassign reported hours to this issue:'
883 884 text_user_wrote: "{{value}} wrote:"
884 885 text_enumeration_destroy_question: "{{count}} objects are assigned to this value."
885 886 text_enumeration_category_reassign_to: 'Reassign them to this value:'
886 887 text_email_delivery_not_configured: "Email delivery is not configured, and notifications are disabled.\nConfigure your SMTP server in config/email.yml and restart the application to enable them."
887 888 text_repository_usernames_mapping: "Select or update the Redmine user mapped to each username found in the repository log.\nUsers with the same Redmine and repository username or email are automatically mapped."
888 889 text_diff_truncated: '... This diff was truncated because it exceeds the maximum size that can be displayed.'
889 890 text_custom_field_possible_values_info: 'One line for each value'
890 891 text_wiki_page_destroy_question: "This page has {{descendants}} child page(s) and descendant(s). What do you want to do?"
891 892 text_wiki_page_nullify_children: "Keep child pages as root pages"
892 893 text_wiki_page_destroy_children: "Delete child pages and all their descendants"
893 894 text_wiki_page_reassign_children: "Reassign child pages to this parent page"
894 895 text_own_membership_delete_confirmation: "You are about to remove some or all of your permissions and may no longer be able to edit this project after that.\nAre you sure you want to continue?"
895 896 text_zoom_in: Zoom in
896 897 text_zoom_out: Zoom out
897 898
898 899 default_role_manager: Manager
899 900 default_role_developer: Developer
900 901 default_role_reporter: Reporter
901 902 default_tracker_bug: Bug
902 903 default_tracker_feature: Feature
903 904 default_tracker_support: Support
904 905 default_issue_status_new: New
905 906 default_issue_status_in_progress: In Progress
906 907 default_issue_status_resolved: Resolved
907 908 default_issue_status_feedback: Feedback
908 909 default_issue_status_closed: Closed
909 910 default_issue_status_rejected: Rejected
910 911 default_doc_category_user: User documentation
911 912 default_doc_category_tech: Technical documentation
912 913 default_priority_low: Low
913 914 default_priority_normal: Normal
914 915 default_priority_high: High
915 916 default_priority_urgent: Urgent
916 917 default_priority_immediate: Immediate
917 918 default_activity_design: Design
918 919 default_activity_development: Development
919 920
920 921 enumeration_issue_priorities: Issue priorities
921 922 enumeration_doc_categories: Document categories
922 923 enumeration_activities: Activities (time tracking)
923 924 enumeration_system_activity: System Activity
924 925
@@ -1,964 +1,965
1 1 # Spanish translations for Rails
2 2 # by Francisco Fernando García Nieto (ffgarcianieto@gmail.com)
3 3 # Redmine spanish translation:
4 4 # by J. Cayetano Delgado (Cayetano _dot_ Delgado _at_ ioko _dot_ com)
5 5
6 6 es:
7 7 number:
8 8 # Used in number_with_delimiter()
9 9 # These are also the defaults for 'currency', 'percentage', 'precision', and 'human'
10 10 format:
11 11 # Sets the separator between the units, for more precision (e.g. 1.0 / 2.0 == 0.5)
12 12 separator: ","
13 13 # Delimets thousands (e.g. 1,000,000 is a million) (always in groups of three)
14 14 delimiter: "."
15 15 # Number of decimals, behind the separator (1 with a precision of 2 gives: 1.00)
16 16 precision: 3
17 17
18 18 # Used in number_to_currency()
19 19 currency:
20 20 format:
21 21 # Where is the currency sign? %u is the currency unit, %n the number (default: $5.00)
22 22 format: "%n %u"
23 23 unit: "€"
24 24 # These three are to override number.format and are optional
25 25 separator: ","
26 26 delimiter: "."
27 27 precision: 2
28 28
29 29 # Used in number_to_percentage()
30 30 percentage:
31 31 format:
32 32 # These three are to override number.format and are optional
33 33 # separator:
34 34 delimiter: ""
35 35 # precision:
36 36
37 37 # Used in number_to_precision()
38 38 precision:
39 39 format:
40 40 # These three are to override number.format and are optional
41 41 # separator:
42 42 delimiter: ""
43 43 # precision:
44 44
45 45 # Used in number_to_human_size()
46 46 human:
47 47 format:
48 48 # These three are to override number.format and are optional
49 49 # separator:
50 50 delimiter: ""
51 51 precision: 1
52 52 storage_units:
53 53 format: "%n %u"
54 54 units:
55 55 byte:
56 56 one: "Byte"
57 57 other: "Bytes"
58 58 kb: "KB"
59 59 mb: "MB"
60 60 gb: "GB"
61 61 tb: "TB"
62 62
63 63 # Used in distance_of_time_in_words(), distance_of_time_in_words_to_now(), time_ago_in_words()
64 64 datetime:
65 65 distance_in_words:
66 66 half_a_minute: "medio minuto"
67 67 less_than_x_seconds:
68 68 one: "menos de 1 segundo"
69 69 other: "menos de {{count}} segundos"
70 70 x_seconds:
71 71 one: "1 segundo"
72 72 other: "{{count}} segundos"
73 73 less_than_x_minutes:
74 74 one: "menos de 1 minuto"
75 75 other: "menos de {{count}} minutos"
76 76 x_minutes:
77 77 one: "1 minuto"
78 78 other: "{{count}} minutos"
79 79 about_x_hours:
80 80 one: "alrededor de 1 hora"
81 81 other: "alrededor de {{count}} horas"
82 82 x_days:
83 83 one: "1 día"
84 84 other: "{{count}} días"
85 85 about_x_months:
86 86 one: "alrededor de 1 mes"
87 87 other: "alrededor de {{count}} meses"
88 88 x_months:
89 89 one: "1 mes"
90 90 other: "{{count}} meses"
91 91 about_x_years:
92 92 one: "alrededor de 1 año"
93 93 other: "alrededor de {{count}} años"
94 94 over_x_years:
95 95 one: "más de 1 año"
96 96 other: "más de {{count}} años"
97 97 almost_x_years:
98 98 one: "casi 1 año"
99 99 other: "casi {{count}} años"
100 100
101 101 activerecord:
102 102 errors:
103 103 template:
104 104 header:
105 105 one: "no se pudo guardar este {{model}} porque se encontró 1 error"
106 106 other: "no se pudo guardar este {{model}} porque se encontraron {{count}} errores"
107 107 # The variable :count is also available
108 108 body: "Se encontraron problemas con los siguientes campos:"
109 109
110 110 # The values :model, :attribute and :value are always available for interpolation
111 111 # The value :count is available when applicable. Can be used for pluralization.
112 112 messages:
113 113 inclusion: "no está incluido en la lista"
114 114 exclusion: "está reservado"
115 115 invalid: "no es válido"
116 116 confirmation: "no coincide con la confirmación"
117 117 accepted: "debe ser aceptado"
118 118 empty: "no puede estar vacío"
119 119 blank: "no puede estar en blanco"
120 120 too_long: "es demasiado largo ({{count}} caracteres máximo)"
121 121 too_short: "es demasiado corto ({{count}} caracteres mínimo)"
122 122 wrong_length: "no tiene la longitud correcta ({{count}} caracteres exactos)"
123 123 taken: "ya está en uso"
124 124 not_a_number: "no es un número"
125 125 greater_than: "debe ser mayor que {{count}}"
126 126 greater_than_or_equal_to: "debe ser mayor que o igual a {{count}}"
127 127 equal_to: "debe ser igual a {{count}}"
128 128 less_than: "debe ser menor que {{count}}"
129 129 less_than_or_equal_to: "debe ser menor que o igual a {{count}}"
130 130 odd: "debe ser impar"
131 131 even: "debe ser par"
132 132 greater_than_start_date: "debe ser posterior a la fecha de comienzo"
133 133 not_same_project: "no pertenece al mismo proyecto"
134 134 circular_dependency: "Esta relación podría crear una dependencia circular"
135 135 cant_link_an_issue_with_a_descendant: "An issue can not be linked to one of its subtasks"
136 136
137 137 # Append your own errors here or at the model/attributes scope.
138 138
139 139 models:
140 140 # Overrides default messages
141 141
142 142 attributes:
143 143 # Overrides model and default messages.
144 144
145 145 direction: ltr
146 146 date:
147 147 formats:
148 148 # Use the strftime parameters for formats.
149 149 # When no format has been given, it uses default.
150 150 # You can provide other formats here if you like!
151 151 default: "%Y-%m-%d"
152 152 short: "%d de %b"
153 153 long: "%d de %B de %Y"
154 154
155 155 day_names: [Domingo, Lunes, Martes, Miércoles, Jueves, Viernes, Sábado]
156 156 abbr_day_names: [Dom, Lun, Mar, Mie, Jue, Vie, Sab]
157 157
158 158 # Don't forget the nil at the beginning; there's no such thing as a 0th month
159 159 month_names: [~, Enero, Febrero, Marzo, Abril, Mayo, Junio, Julio, Agosto, Setiembre, Octubre, Noviembre, Diciembre]
160 160 abbr_month_names: [~, Ene, Feb, Mar, Abr, May, Jun, Jul, Ago, Set, Oct, Nov, Dic]
161 161 # Used in date_select and datime_select.
162 162 order: [ :year, :month, :day ]
163 163
164 164 time:
165 165 formats:
166 166 default: "%A, %d de %B de %Y %H:%M:%S %z"
167 167 time: "%H:%M"
168 168 short: "%d de %b %H:%M"
169 169 long: "%d de %B de %Y %H:%M"
170 170 am: "am"
171 171 pm: "pm"
172 172
173 173 # Used in array.to_sentence.
174 174 support:
175 175 array:
176 176 sentence_connector: "y"
177 177
178 178 actionview_instancetag_blank_option: Por favor seleccione
179 179
180 180 button_activate: Activar
181 181 button_add: Añadir
182 182 button_annotate: Anotar
183 183 button_apply: Aceptar
184 184 button_archive: Archivar
185 185 button_back: Atrás
186 186 button_cancel: Cancelar
187 187 button_change: Cambiar
188 188 button_change_password: Cambiar contraseña
189 189 button_check_all: Seleccionar todo
190 190 button_clear: Anular
191 191 button_configure: Configurar
192 192 button_copy: Copiar
193 193 button_create: Crear
194 194 button_delete: Borrar
195 195 button_download: Descargar
196 196 button_edit: Modificar
197 197 button_list: Listar
198 198 button_lock: Bloquear
199 199 button_log_time: Tiempo dedicado
200 200 button_login: Conexión
201 201 button_move: Mover
202 202 button_quote: Citar
203 203 button_rename: Renombrar
204 204 button_reply: Responder
205 205 button_reset: Reestablecer
206 206 button_rollback: Volver a esta versión
207 207 button_save: Guardar
208 208 button_sort: Ordenar
209 209 button_submit: Aceptar
210 210 button_test: Probar
211 211 button_unarchive: Desarchivar
212 212 button_uncheck_all: No seleccionar nada
213 213 button_unlock: Desbloquear
214 214 button_unwatch: No monitorizar
215 215 button_update: Actualizar
216 216 button_view: Ver
217 217 button_watch: Monitorizar
218 218 default_activity_design: Diseño
219 219 default_activity_development: Desarrollo
220 220 default_doc_category_tech: Documentación técnica
221 221 default_doc_category_user: Documentación de usuario
222 222 default_issue_status_in_progress: En curso
223 223 default_issue_status_closed: Cerrada
224 224 default_issue_status_feedback: Comentarios
225 225 default_issue_status_new: Nueva
226 226 default_issue_status_rejected: Rechazada
227 227 default_issue_status_resolved: Resuelta
228 228 default_priority_high: Alta
229 229 default_priority_immediate: Inmediata
230 230 default_priority_low: Baja
231 231 default_priority_normal: Normal
232 232 default_priority_urgent: Urgente
233 233 default_role_developer: Desarrollador
234 234 default_role_manager: Jefe de proyecto
235 235 default_role_reporter: Informador
236 236 default_tracker_bug: Errores
237 237 default_tracker_feature: Tareas
238 238 default_tracker_support: Soporte
239 239 enumeration_activities: Actividades (tiempo dedicado)
240 240 enumeration_doc_categories: Categorías del documento
241 241 enumeration_issue_priorities: Prioridad de las peticiones
242 242 error_can_t_load_default_data: "No se ha podido cargar la configuración por defecto: {{value}}"
243 243 error_issue_not_found_in_project: 'La petición no se encuentra o no está asociada a este proyecto'
244 244 error_scm_annotate: "No existe la entrada o no ha podido ser anotada"
245 245 error_scm_command_failed: "Se produjo un error al acceder al repositorio: {{value}}"
246 246 error_scm_not_found: "La entrada y/o la revisión no existe en el repositorio."
247 247 field_account: Cuenta
248 248 field_activity: Actividad
249 249 field_admin: Administrador
250 250 field_assignable: Se pueden asignar peticiones a este perfil
251 251 field_assigned_to: Asignado a
252 252 field_attr_firstname: Cualidad del nombre
253 253 field_attr_lastname: Cualidad del apellido
254 254 field_attr_login: Cualidad del identificador
255 255 field_attr_mail: Cualidad del Email
256 256 field_auth_source: Modo de identificación
257 257 field_author: Autor
258 258 field_base_dn: DN base
259 259 field_category: Categoría
260 260 field_column_names: Columnas
261 261 field_comments: Comentario
262 262 field_comments_sorting: Mostrar comentarios
263 263 field_created_on: Creado
264 264 field_default_value: Estado por defecto
265 265 field_delay: Retraso
266 266 field_description: Descripción
267 267 field_done_ratio: % Realizado
268 268 field_downloads: Descargas
269 269 field_due_date: Fecha fin
270 270 field_effective_date: Fecha
271 271 field_estimated_hours: Tiempo estimado
272 272 field_field_format: Formato
273 273 field_filename: Fichero
274 274 field_filesize: Tamaño
275 275 field_firstname: Nombre
276 276 field_fixed_version: Versión prevista
277 277 field_hide_mail: Ocultar mi dirección de correo
278 278 field_homepage: Sitio web
279 279 field_host: Anfitrión
280 280 field_hours: Horas
281 281 field_identifier: Identificador
282 282 field_is_closed: Petición resuelta
283 283 field_is_default: Estado por defecto
284 284 field_is_filter: Usado como filtro
285 285 field_is_for_all: Para todos los proyectos
286 286 field_is_in_roadmap: Consultar las peticiones en la planificación
287 287 field_is_public: Público
288 288 field_is_required: Obligatorio
289 289 field_issue: Petición
290 290 field_issue_to: Petición relacionada
291 291 field_language: Idioma
292 292 field_last_login_on: Última conexión
293 293 field_lastname: Apellido
294 294 field_login: Identificador
295 295 field_mail: Correo electrónico
296 296 field_mail_notification: Notificaciones por correo
297 297 field_max_length: Longitud máxima
298 298 field_min_length: Longitud mínima
299 299 field_name: Nombre
300 300 field_new_password: Nueva contraseña
301 301 field_notes: Notas
302 302 field_onthefly: Creación del usuario "al vuelo"
303 303 field_parent: Proyecto padre
304 304 field_parent_title: Página padre
305 305 field_password: Contraseña
306 306 field_password_confirmation: Confirmación
307 307 field_port: Puerto
308 308 field_possible_values: Valores posibles
309 309 field_priority: Prioridad
310 310 field_project: Proyecto
311 311 field_redirect_existing_links: Redireccionar enlaces existentes
312 312 field_regexp: Expresión regular
313 313 field_role: Perfil
314 314 field_searchable: Incluir en las búsquedas
315 315 field_spent_on: Fecha
316 316 field_start_date: Fecha de inicio
317 317 field_start_page: Página principal
318 318 field_status: Estado
319 319 field_subject: Tema
320 320 field_subproject: Proyecto secundario
321 321 field_summary: Resumen
322 322 field_time_zone: Zona horaria
323 323 field_title: Título
324 324 field_tracker: Tipo
325 325 field_type: Tipo
326 326 field_updated_on: Actualizado
327 327 field_url: URL
328 328 field_user: Usuario
329 329 field_value: Valor
330 330 field_version: Versión
331 331 general_csv_decimal_separator: ','
332 332 general_csv_encoding: ISO-8859-15
333 333 general_csv_separator: ';'
334 334 general_first_day_of_week: '1'
335 335 general_lang_name: 'Español'
336 336 general_pdf_encoding: ISO-8859-15
337 337 general_text_No: 'No'
338 338 general_text_Yes: 'Sí'
339 339 general_text_no: 'no'
340 340 general_text_yes: 'sí'
341 341 gui_validation_error: 1 error
342 342 gui_validation_error_plural: "{{count}} errores"
343 343 label_activity: Actividad
344 344 label_add_another_file: Añadir otro fichero
345 345 label_add_note: Añadir una nota
346 346 label_added: añadido
347 347 label_added_time_by: "Añadido por {{author}} hace {{age}}"
348 348 label_administration: Administración
349 349 label_age: Edad
350 350 label_ago: hace
351 351 label_all: todos
352 352 label_all_time: todo el tiempo
353 353 label_all_words: Todas las palabras
354 354 label_and_its_subprojects: "{{value}} y proyectos secundarios"
355 355 label_applied_status: Aplicar estado
356 356 label_assigned_to_me_issues: Peticiones que me están asignadas
357 357 label_associated_revisions: Revisiones asociadas
358 358 label_attachment: Fichero
359 359 label_attachment_delete: Borrar el fichero
360 360 label_attachment_new: Nuevo fichero
361 361 label_attachment_plural: Ficheros
362 362 label_attribute: Cualidad
363 363 label_attribute_plural: Cualidades
364 364 label_auth_source: Modo de autenticación
365 365 label_auth_source_new: Nuevo modo de autenticación
366 366 label_auth_source_plural: Modos de autenticación
367 367 label_authentication: Autenticación
368 368 label_blocked_by: bloqueado por
369 369 label_blocks: bloquea a
370 370 label_board: Foro
371 371 label_board_new: Nuevo foro
372 372 label_board_plural: Foros
373 373 label_boolean: Booleano
374 374 label_browse: Hojear
375 375 label_bulk_edit_selected_issues: Editar las peticiones seleccionadas
376 376 label_calendar: Calendario
377 377 label_change_plural: Cambios
378 378 label_change_properties: Cambiar propiedades
379 379 label_change_status: Cambiar el estado
380 380 label_change_view_all: Ver todos los cambios
381 381 label_changes_details: Detalles de todos los cambios
382 382 label_changeset_plural: Cambios
383 383 label_chronological_order: En orden cronológico
384 384 label_closed_issues: cerrada
385 385 label_closed_issues_plural: cerradas
386 386 label_x_open_issues_abbr_on_total:
387 387 zero: 0 abiertas / {{total}}
388 388 one: 1 abierta / {{total}}
389 389 other: "{{count}} abiertas / {{total}}"
390 390 label_x_open_issues_abbr:
391 391 zero: 0 abiertas
392 392 one: 1 abierta
393 393 other: "{{count}} abiertas"
394 394 label_x_closed_issues_abbr:
395 395 zero: 0 cerradas
396 396 one: 1 cerrada
397 397 other: "{{count}} cerradas"
398 398 label_comment: Comentario
399 399 label_comment_add: Añadir un comentario
400 400 label_comment_added: Comentario añadido
401 401 label_comment_delete: Borrar comentarios
402 402 label_comment_plural: Comentarios
403 403 label_x_comments:
404 404 zero: sin comentarios
405 405 one: 1 comentario
406 406 other: "{{count}} comentarios"
407 407 label_commits_per_author: Commits por autor
408 408 label_commits_per_month: Commits por mes
409 409 label_confirmation: Confirmación
410 410 label_contains: contiene
411 411 label_copied: copiado
412 412 label_copy_workflow_from: Copiar flujo de trabajo desde
413 413 label_current_status: Estado actual
414 414 label_current_version: Versión actual
415 415 label_custom_field: Campo personalizado
416 416 label_custom_field_new: Nuevo campo personalizado
417 417 label_custom_field_plural: Campos personalizados
418 418 label_date: Fecha
419 419 label_date_from: Desde
420 420 label_date_range: Rango de fechas
421 421 label_date_to: Hasta
422 422 label_day_plural: días
423 423 label_default: Por defecto
424 424 label_default_columns: Columnas por defecto
425 425 label_deleted: suprimido
426 426 label_details: Detalles
427 427 label_diff_inline: en línea
428 428 label_diff_side_by_side: cara a cara
429 429 label_disabled: deshabilitado
430 430 label_display_per_page: "Por página: {{value}}"
431 431 label_document: Documento
432 432 label_document_added: Documento añadido
433 433 label_document_new: Nuevo documento
434 434 label_document_plural: Documentos
435 435 label_download: "{{count}} Descarga"
436 436 label_download_plural: "{{count}} Descargas"
437 437 label_downloads_abbr: D/L
438 438 label_duplicated_by: duplicada por
439 439 label_duplicates: duplicada de
440 440 label_end_to_end: fin a fin
441 441 label_end_to_start: fin a principio
442 442 label_enumeration_new: Nuevo valor
443 443 label_enumerations: Listas de valores
444 444 label_environment: Entorno
445 445 label_equals: igual
446 446 label_example: Ejemplo
447 447 label_export_to: 'Exportar a:'
448 448 label_f_hour: "{{value}} hora"
449 449 label_f_hour_plural: "{{value}} horas"
450 450 label_feed_plural: Feeds
451 451 label_feeds_access_key_created_on: "Clave de acceso por RSS creada hace {{value}}"
452 452 label_file_added: Fichero añadido
453 453 label_file_plural: Archivos
454 454 label_filter_add: Añadir el filtro
455 455 label_filter_plural: Filtros
456 456 label_float: Flotante
457 457 label_follows: posterior a
458 458 label_gantt: Gantt
459 459 label_general: General
460 460 label_generate_key: Generar clave
461 461 label_help: Ayuda
462 462 label_history: Histórico
463 463 label_home: Inicio
464 464 label_in: en
465 465 label_in_less_than: en menos que
466 466 label_in_more_than: en más que
467 467 label_incoming_emails: Correos entrantes
468 468 label_index_by_date: Índice por fecha
469 469 label_index_by_title: Índice por título
470 470 label_information: Información
471 471 label_information_plural: Información
472 472 label_integer: Número
473 473 label_internal: Interno
474 474 label_issue: Petición
475 475 label_issue_added: Petición añadida
476 476 label_issue_category: Categoría de las peticiones
477 477 label_issue_category_new: Nueva categoría
478 478 label_issue_category_plural: Categorías de las peticiones
479 479 label_issue_new: Nueva petición
480 480 label_issue_plural: Peticiones
481 481 label_issue_status: Estado de la petición
482 482 label_issue_status_new: Nuevo estado
483 483 label_issue_status_plural: Estados de las peticiones
484 484 label_issue_tracking: Peticiones
485 485 label_issue_updated: Petición actualizada
486 486 label_issue_view_all: Ver todas las peticiones
487 487 label_issue_watchers: Seguidores
488 488 label_issues_by: "Peticiones por {{value}}"
489 489 label_jump_to_a_project: Ir al proyecto...
490 490 label_language_based: Basado en el idioma
491 491 label_last_changes: "últimos {{count}} cambios"
492 492 label_last_login: Última conexión
493 493 label_last_month: último mes
494 494 label_last_n_days: "últimos {{count}} días"
495 495 label_last_week: última semana
496 496 label_latest_revision: Última revisión
497 497 label_latest_revision_plural: Últimas revisiones
498 498 label_ldap_authentication: Autenticación LDAP
499 499 label_less_than_ago: hace menos de
500 500 label_list: Lista
501 501 label_loading: Cargando...
502 502 label_logged_as: Conectado como
503 503 label_login: Conexión
504 504 label_logout: Desconexión
505 505 label_max_size: Tamaño máximo
506 506 label_me: yo mismo
507 507 label_member: Miembro
508 508 label_member_new: Nuevo miembro
509 509 label_member_plural: Miembros
510 510 label_message_last: Último mensaje
511 511 label_message_new: Nuevo mensaje
512 512 label_message_plural: Mensajes
513 513 label_message_posted: Mensaje añadido
514 514 label_min_max_length: Longitud mín - máx
515 515 label_modification: "{{count}} modificación"
516 516 label_modification_plural: "{{count}} modificaciones"
517 517 label_modified: modificado
518 518 label_module_plural: Módulos
519 519 label_month: Mes
520 520 label_months_from: meses de
521 521 label_more: Más
522 522 label_more_than_ago: hace más de
523 523 label_my_account: Mi cuenta
524 524 label_my_page: Mi página
525 525 label_my_projects: Mis proyectos
526 526 label_new: Nuevo
527 527 label_new_statuses_allowed: Nuevos estados autorizados
528 528 label_news: Noticia
529 529 label_news_added: Noticia añadida
530 530 label_news_latest: Últimas noticias
531 531 label_news_new: Nueva noticia
532 532 label_news_plural: Noticias
533 533 label_news_view_all: Ver todas las noticias
534 534 label_next: Siguiente
535 535 label_no_change_option: (Sin cambios)
536 536 label_no_data: Ningún dato disponible
537 537 label_nobody: nadie
538 538 label_none: ninguno
539 539 label_not_contains: no contiene
540 540 label_not_equals: no igual
541 541 label_open_issues: abierta
542 542 label_open_issues_plural: abiertas
543 543 label_optional_description: Descripción opcional
544 544 label_options: Opciones
545 545 label_overall_activity: Actividad global
546 546 label_overview: Vistazo
547 547 label_password_lost: ¿Olvidaste la contraseña?
548 548 label_per_page: Por página
549 549 label_permissions: Permisos
550 550 label_permissions_report: Informe de permisos
551 551 label_personalize_page: Personalizar esta página
552 552 label_planning: Planificación
553 553 label_please_login: Conexión
554 554 label_plugins: Extensiones
555 555 label_precedes: anterior a
556 556 label_preferences: Preferencias
557 557 label_preview: Previsualizar
558 558 label_previous: Anterior
559 559 label_project: Proyecto
560 560 label_project_all: Todos los proyectos
561 561 label_project_latest: Últimos proyectos
562 562 label_project_new: Nuevo proyecto
563 563 label_project_plural: Proyectos
564 564 label_x_projects:
565 565 zero: sin proyectos
566 566 one: 1 proyecto
567 567 other: "{{count}} proyectos"
568 568 label_public_projects: Proyectos públicos
569 569 label_query: Consulta personalizada
570 570 label_query_new: Nueva consulta
571 571 label_query_plural: Consultas personalizadas
572 572 label_read: Leer...
573 573 label_register: Registrar
574 574 label_registered_on: Inscrito el
575 575 label_registration_activation_by_email: activación de cuenta por correo
576 576 label_registration_automatic_activation: activación automática de cuenta
577 577 label_registration_manual_activation: activación manual de cuenta
578 578 label_related_issues: Peticiones relacionadas
579 579 label_relates_to: relacionada con
580 580 label_relation_delete: Eliminar relación
581 581 label_relation_new: Nueva relación
582 582 label_renamed: renombrado
583 583 label_reply_plural: Respuestas
584 584 label_report: Informe
585 585 label_report_plural: Informes
586 586 label_reported_issues: Peticiones registradas por mí
587 587 label_repository: Repositorio
588 588 label_repository_plural: Repositorios
589 589 label_result_plural: Resultados
590 590 label_reverse_chronological_order: En orden cronológico inverso
591 591 label_revision: Revisión
592 592 label_revision_plural: Revisiones
593 593 label_roadmap: Planificación
594 594 label_roadmap_due_in: "Finaliza en {{value}}"
595 595 label_roadmap_no_issues: No hay peticiones para esta versión
596 596 label_roadmap_overdue: "{{value}} tarde"
597 597 label_role: Perfil
598 598 label_role_and_permissions: Perfiles y permisos
599 599 label_role_new: Nuevo perfil
600 600 label_role_plural: Perfiles
601 601 label_scm: SCM
602 602 label_search: Búsqueda
603 603 label_search_titles_only: Buscar sólo en títulos
604 604 label_send_information: Enviar información de la cuenta al usuario
605 605 label_send_test_email: Enviar un correo de prueba
606 606 label_settings: Configuración
607 607 label_show_completed_versions: Muestra las versiones terminadas
608 608 label_sort_by: "Ordenar por {{value}}"
609 609 label_sort_higher: Subir
610 610 label_sort_highest: Primero
611 611 label_sort_lower: Bajar
612 612 label_sort_lowest: Último
613 613 label_spent_time: Tiempo dedicado
614 614 label_start_to_end: principio a fin
615 615 label_start_to_start: principio a principio
616 616 label_statistics: Estadísticas
617 617 label_stay_logged_in: Recordar conexión
618 618 label_string: Texto
619 619 label_subproject_plural: Proyectos secundarios
620 620 label_text: Texto largo
621 621 label_theme: Tema
622 622 label_this_month: este mes
623 623 label_this_week: esta semana
624 624 label_this_year: este año
625 625 label_time_tracking: Control de tiempo
626 626 label_today: hoy
627 627 label_topic_plural: Temas
628 628 label_total: Total
629 629 label_tracker: Tipo
630 630 label_tracker_new: Nuevo tipo
631 631 label_tracker_plural: Tipos de peticiones
632 632 label_updated_time: "Actualizado hace {{value}}"
633 633 label_updated_time_by: "Actualizado por {{author}} hace {{age}}"
634 634 label_used_by: Utilizado por
635 635 label_user: Usuario
636 636 label_user_activity: "Actividad de {{value}}"
637 637 label_user_mail_no_self_notified: "No quiero ser avisado de cambios hechos por mí"
638 638 label_user_mail_option_all: "Para cualquier evento en todos mis proyectos"
639 639 label_user_mail_option_selected: "Para cualquier evento de los proyectos seleccionados..."
640 640 label_user_new: Nuevo usuario
641 641 label_user_plural: Usuarios
642 642 label_version: Versión
643 643 label_version_new: Nueva versión
644 644 label_version_plural: Versiones
645 645 label_view_diff: Ver diferencias
646 646 label_view_revisions: Ver las revisiones
647 647 label_watched_issues: Peticiones monitorizadas
648 648 label_week: Semana
649 649 label_wiki: Wiki
650 650 label_wiki_edit: Modificación Wiki
651 651 label_wiki_edit_plural: Modificaciones Wiki
652 652 label_wiki_page: Página Wiki
653 653 label_wiki_page_plural: Páginas Wiki
654 654 label_workflow: Flujo de trabajo
655 655 label_year: Año
656 656 label_yesterday: ayer
657 657 mail_body_account_activation_request: "Se ha inscrito un nuevo usuario ({{value}}). La cuenta está pendiende de aprobación:"
658 658 mail_body_account_information: Información sobre su cuenta
659 659 mail_body_account_information_external: "Puede usar su cuenta {{value}} para conectarse."
660 660 mail_body_lost_password: 'Para cambiar su contraseña, haga clic en el siguiente enlace:'
661 661 mail_body_register: 'Para activar su cuenta, haga clic en el siguiente enlace:'
662 662 mail_body_reminder: "{{count}} peticion(es) asignadas a finalizan en los próximos {{days}} días:"
663 663 mail_subject_account_activation_request: "Petición de activación de cuenta {{value}}"
664 664 mail_subject_lost_password: "Tu contraseña del {{value}}"
665 665 mail_subject_register: "Activación de la cuenta del {{value}}"
666 666 mail_subject_reminder: "{{count}} peticion(es) finalizan en los próximos {{days}} días"
667 667 notice_account_activated: Su cuenta ha sido activada. Ya puede conectarse.
668 668 notice_account_invalid_creditentials: Usuario o contraseña inválido.
669 669 notice_account_lost_email_sent: Se le ha enviado un correo con instrucciones para elegir una nueva contraseña.
670 670 notice_account_password_updated: Contraseña modificada correctamente.
671 671 notice_account_pending: "Su cuenta ha sido creada y está pendiende de la aprobación por parte del administrador."
672 672 notice_account_register_done: Cuenta creada correctamente. Para activarla, haga clic sobre el enlace que le ha sido enviado por correo.
673 673 notice_account_unknown_email: Usuario desconocido.
674 674 notice_account_updated: Cuenta actualizada correctamente.
675 675 notice_account_wrong_password: Contraseña incorrecta.
676 676 notice_can_t_change_password: Esta cuenta utiliza una fuente de autenticación externa. No es posible cambiar la contraseña.
677 677 notice_default_data_loaded: Configuración por defecto cargada correctamente.
678 678 notice_email_error: "Ha ocurrido un error mientras enviando el correo ({{value}})"
679 679 notice_email_sent: "Se ha enviado un correo a {{value}}"
680 680 notice_failed_to_save_issues: "Imposible grabar %s peticion(es) en {{count}} seleccionado: {{ids}}."
681 681 notice_feeds_access_key_reseted: Su clave de acceso para RSS ha sido reiniciada.
682 682 notice_file_not_found: La página a la que intenta acceder no existe.
683 683 notice_locking_conflict: Los datos han sido modificados por otro usuario.
684 684 notice_no_issue_selected: "Ninguna petición seleccionada. Por favor, compruebe la petición que quiere modificar"
685 685 notice_not_authorized: No tiene autorización para acceder a esta página.
686 686 notice_successful_connection: Conexión correcta.
687 687 notice_successful_create: Creación correcta.
688 688 notice_successful_delete: Borrado correcto.
689 689 notice_successful_update: Modificación correcta.
690 690 notice_unable_delete_version: No se puede borrar la versión
691 691 permission_add_issue_notes: Añadir notas
692 692 permission_add_issue_watchers: Añadir seguidores
693 693 permission_add_issues: Añadir peticiones
694 694 permission_add_messages: Enviar mensajes
695 695 permission_browse_repository: Hojear repositiorio
696 696 permission_comment_news: Comentar noticias
697 697 permission_commit_access: Acceso de escritura
698 698 permission_delete_issues: Borrar peticiones
699 699 permission_delete_messages: Borrar mensajes
700 700 permission_delete_own_messages: Borrar mensajes propios
701 701 permission_delete_wiki_pages: Borrar páginas wiki
702 702 permission_delete_wiki_pages_attachments: Borrar ficheros
703 703 permission_edit_issue_notes: Modificar notas
704 704 permission_edit_issues: Modificar peticiones
705 705 permission_edit_messages: Modificar mensajes
706 706 permission_edit_own_issue_notes: Modificar notas propias
707 707 permission_edit_own_messages: Editar mensajes propios
708 708 permission_edit_own_time_entries: Modificar tiempos dedicados propios
709 709 permission_edit_project: Modificar proyecto
710 710 permission_edit_time_entries: Modificar tiempos dedicados
711 711 permission_edit_wiki_pages: Modificar páginas wiki
712 712 permission_log_time: Anotar tiempo dedicado
713 713 permission_manage_boards: Administrar foros
714 714 permission_manage_categories: Administrar categorías de peticiones
715 715 permission_manage_documents: Administrar documentos
716 716 permission_manage_files: Administrar ficheros
717 717 permission_manage_issue_relations: Administrar relación con otras peticiones
718 718 permission_manage_members: Administrar miembros
719 719 permission_manage_news: Administrar noticias
720 720 permission_manage_public_queries: Administrar consultas públicas
721 721 permission_manage_repository: Administrar repositorio
722 722 permission_manage_versions: Administrar versiones
723 723 permission_manage_wiki: Administrar wiki
724 724 permission_move_issues: Mover peticiones
725 725 permission_protect_wiki_pages: Proteger páginas wiki
726 726 permission_rename_wiki_pages: Renombrar páginas wiki
727 727 permission_save_queries: Grabar consultas
728 728 permission_select_project_modules: Seleccionar módulos del proyecto
729 729 permission_view_calendar: Ver calendario
730 730 permission_view_changesets: Ver cambios
731 731 permission_view_documents: Ver documentos
732 732 permission_view_files: Ver ficheros
733 733 permission_view_gantt: Ver diagrama de Gantt
734 734 permission_view_issue_watchers: Ver lista de seguidores
735 735 permission_view_messages: Ver mensajes
736 736 permission_view_time_entries: Ver tiempo dedicado
737 737 permission_view_wiki_edits: Ver histórico del wiki
738 738 permission_view_wiki_pages: Ver wiki
739 739 project_module_boards: Foros
740 740 project_module_documents: Documentos
741 741 project_module_files: Ficheros
742 742 project_module_issue_tracking: Peticiones
743 743 project_module_news: Noticias
744 744 project_module_repository: Repositorio
745 745 project_module_time_tracking: Control de tiempo
746 746 project_module_wiki: Wiki
747 747 setting_activity_days_default: Días a mostrar en la actividad de proyecto
748 748 setting_app_subtitle: Subtítulo de la aplicación
749 749 setting_app_title: Título de la aplicación
750 750 setting_attachment_max_size: Tamaño máximo del fichero
751 751 setting_autofetch_changesets: Autorellenar los commits del repositorio
752 752 setting_autologin: Conexión automática
753 753 setting_bcc_recipients: Ocultar las copias de carbón (bcc)
754 754 setting_commit_fix_keywords: Palabras clave para la corrección
755 755 setting_commit_logs_encoding: Codificación de los mensajes de commit
756 756 setting_commit_ref_keywords: Palabras clave para la referencia
757 757 setting_cross_project_issue_relations: Permitir relacionar peticiones de distintos proyectos
758 758 setting_date_format: Formato de fecha
759 759 setting_default_language: Idioma por defecto
760 760 setting_default_projects_public: Los proyectos nuevos son públicos por defecto
761 761 setting_diff_max_lines_displayed: Número máximo de diferencias mostradas
762 762 setting_display_subprojects_issues: Mostrar por defecto peticiones de proy. secundarios en el principal
763 763 setting_emails_footer: Pie de mensajes
764 764 setting_enabled_scm: Activar SCM
765 765 setting_feeds_limit: Límite de contenido para sindicación
766 766 setting_gravatar_enabled: Usar iconos de usuario (Gravatar)
767 767 setting_host_name: Nombre y ruta del servidor
768 768 setting_issue_list_default_columns: Columnas por defecto para la lista de peticiones
769 769 setting_issues_export_limit: Límite de exportación de peticiones
770 770 setting_login_required: Se requiere identificación
771 771 setting_mail_from: Correo desde el que enviar mensajes
772 772 setting_mail_handler_api_enabled: Activar SW para mensajes entrantes
773 773 setting_mail_handler_api_key: Clave de la API
774 774 setting_per_page_options: Objetos por página
775 775 setting_plain_text_mail: sólo texto plano (no HTML)
776 776 setting_protocol: Protocolo
777 777 setting_repositories_encodings: Codificaciones del repositorio
778 778 setting_self_registration: Registro permitido
779 779 setting_sequential_project_identifiers: Generar identificadores de proyecto
780 780 setting_sys_api_enabled: Habilitar SW para la gestión del repositorio
781 781 setting_text_formatting: Formato de texto
782 782 setting_time_format: Formato de hora
783 783 setting_user_format: Formato de nombre de usuario
784 784 setting_welcome_text: Texto de bienvenida
785 785 setting_wiki_compression: Compresión del historial del Wiki
786 786 status_active: activo
787 787 status_locked: bloqueado
788 788 status_registered: registrado
789 789 text_are_you_sure: ¿Está seguro?
790 790 text_assign_time_entries_to_project: Asignar las horas al proyecto
791 791 text_caracters_maximum: "{{count}} caracteres como máximo."
792 792 text_caracters_minimum: "{{count}} caracteres como mínimo."
793 793 text_comma_separated: Múltiples valores permitidos (separados por coma).
794 794 text_default_administrator_account_changed: Cuenta de administrador por defecto modificada
795 795 text_destroy_time_entries: Borrar las horas
796 796 text_destroy_time_entries_question: Existen {{hours}} horas asignadas a la petición que quiere borrar. ¿Qué quiere hacer?
797 797 text_diff_truncated: '... Diferencia truncada por exceder el máximo tamaño visualizable.'
798 798 text_email_delivery_not_configured: "Las notificaciones están desactivadas porque el servidor de correo no está configurado.\nConfigure el servidor de SMTP en config/email.yml y reinicie la aplicación para activar los cambios."
799 799 text_enumeration_category_reassign_to: 'Reasignar al siguiente valor:'
800 800 text_enumeration_destroy_question: "{{count}} objetos con este valor asignado."
801 801 text_file_repository_writable: Se puede escribir en el repositorio
802 802 text_issue_added: "Petición {{id}} añadida por {{author}}."
803 803 text_issue_category_destroy_assignments: Dejar las peticiones sin categoría
804 804 text_issue_category_destroy_question: "Algunas peticiones ({{count}}) están asignadas a esta categoría. ¿Qué desea hacer?"
805 805 text_issue_category_reassign_to: Reasignar las peticiones a la categoría
806 806 text_issue_updated: "La petición {{id}} ha sido actualizada por {{author}}."
807 807 text_issues_destroy_confirmation: '¿Seguro que quiere borrar las peticiones seleccionadas?'
808 808 text_issues_ref_in_commit_messages: Referencia y petición de corrección en los mensajes
809 809 text_length_between: "Longitud entre {{min}} y {{max}} caracteres."
810 810 text_load_default_configuration: Cargar la configuración por defecto
811 811 text_min_max_length_info: 0 para ninguna restricción
812 812 text_no_configuration_data: "Todavía no se han configurado perfiles, ni tipos, estados y flujo de trabajo asociado a peticiones. Se recomiendo encarecidamente cargar la configuración por defecto. Una vez cargada, podrá modificarla."
813 813 text_project_destroy_confirmation: ¿Estás seguro de querer eliminar el proyecto?
814 814 text_project_identifier_info: 'Letras minúsculas (a-z), números y signos de puntuación permitidos.<br />Una vez guardado, el identificador no puede modificarse.'
815 815 text_reassign_time_entries: 'Reasignar las horas a esta petición:'
816 816 text_regexp_info: ej. ^[A-Z0-9]+$
817 817 text_repository_usernames_mapping: "Establezca la correspondencia entre los usuarios de Redmine y los presentes en el log del repositorio.\nLos usuarios con el mismo nombre o correo en Redmine y en el repositorio serán asociados automáticamente."
818 818 text_rmagick_available: RMagick disponible (opcional)
819 819 text_select_mail_notifications: Seleccionar los eventos a notificar
820 820 text_select_project_modules: 'Seleccione los módulos a activar para este proyecto:'
821 821 text_status_changed_by_changeset: "Aplicado en los cambios {{value}}"
822 822 text_subprojects_destroy_warning: "Los proyectos secundarios: {{value}} también se eliminarán"
823 823 text_tip_issue_begin_day: tarea que comienza este día
824 824 text_tip_issue_begin_end_day: tarea que comienza y termina este día
825 825 text_tip_issue_end_day: tarea que termina este día
826 826 text_tracker_no_workflow: No hay ningún flujo de trabajo definido para este tipo de petición
827 827 text_unallowed_characters: Caracteres no permitidos
828 828 text_user_mail_option: "De los proyectos no seleccionados, sólo recibirá notificaciones sobre elementos monitorizados o elementos en los que esté involucrado (por ejemplo, peticiones de las que usted sea autor o asignadas a usted)."
829 829 text_user_wrote: "{{value}} escribió:"
830 830 text_wiki_destroy_confirmation: ¿Seguro que quiere borrar el wiki y todo su contenido?
831 831 text_workflow_edit: Seleccionar un flujo de trabajo para actualizar
832 832 text_plugin_assets_writable: Se puede escribir en el directorio público de las extensiones
833 833 warning_attachments_not_saved: "No se han podido grabar {{count}} ficheros."
834 834 button_create_and_continue: Crear y continuar
835 835 text_custom_field_possible_values_info: 'Un valor en cada línea'
836 836 label_display: Mostrar
837 837 field_editable: Modificable
838 838 setting_repository_log_display_limit: Número máximo de revisiones mostradas en el fichero de trazas
839 839 setting_file_max_size_displayed: Tamaño máximo de los ficheros de texto mostrados
840 840 field_watcher: Seguidor
841 841 setting_openid: Permitir identificación y registro por OpenID
842 842 field_identity_url: URL de OpenID
843 843 label_login_with_open_id_option: o identifíquese con OpenID
844 844 field_content: Contenido
845 845 label_descending: Descendente
846 846 label_sort: Ordenar
847 847 label_ascending: Ascendente
848 848 label_date_from_to: Desde {{start}} hasta {{end}}
849 849 label_greater_or_equal: ">="
850 850 label_less_or_equal: <=
851 851 text_wiki_page_destroy_question: Esta página tiene {{descendants}} página(s) hija(s) y descendiente(s). ¿Qué desea hacer?
852 852 text_wiki_page_reassign_children: Reasignar páginas hijas a esta página
853 853 text_wiki_page_nullify_children: Dejar páginas hijas como páginas raíz
854 854 text_wiki_page_destroy_children: Eliminar páginas hijas y todos sus descendientes
855 855 setting_password_min_length: Longitud mínima de la contraseña
856 856 field_group_by: Agrupar resultados por
857 857 mail_subject_wiki_content_updated: "La página wiki '{{page}}' ha sido actualizada"
858 858 label_wiki_content_added: Página wiki añadida
859 859 mail_subject_wiki_content_added: "Se ha añadido la página wiki '{{page}}'."
860 860 mail_body_wiki_content_added: "{{author}} ha añadido la página wiki '{{page}}'."
861 861 label_wiki_content_updated: Página wiki actualizada
862 862 mail_body_wiki_content_updated: La página wiki '{{page}}' ha sido actualizada por {{author}}.
863 863 permission_add_project: Crear proyecto
864 864 setting_new_project_user_role_id: Permiso asignado a un usuario no-administrador para crear proyectos
865 865 label_view_all_revisions: Ver todas las revisiones
866 866 label_tag: Etiqueta
867 867 label_branch: Rama
868 868 error_no_tracker_in_project: Este proyecto no tiene asociados tipos de peticiones. Por favor, revise la configuración.
869 869 error_no_default_issue_status: No se ha definido un estado de petición por defecto. Por favor, revise la configuración (en "Administración" -> "Estados de las peticiones").
870 870 text_journal_changed: "{{label}} cambiado {{old}} por {{new}}"
871 871 text_journal_set_to: "{{label}} establecido a {{value}}"
872 872 text_journal_deleted: "{{label}} eliminado ({{old}})"
873 873 label_group_plural: Grupos
874 874 label_group: Grupo
875 875 label_group_new: Nuevo grupo
876 876 label_time_entry_plural: Tiempo dedicado
877 877 text_journal_added: "Añadido {{label}} {{value}}"
878 878 field_active: Activo
879 879 enumeration_system_activity: Actividad del sistema
880 880 permission_delete_issue_watchers: Borrar seguidores
881 881 version_status_closed: cerrado
882 882 version_status_locked: bloqueado
883 883 version_status_open: abierto
884 884 error_can_not_reopen_issue_on_closed_version: No se puede reabrir una petición asignada a una versión cerrada
885 885
886 886 label_user_anonymous: Anónimo
887 887 button_move_and_follow: Mover y seguir
888 888 setting_default_projects_modules: Módulos activados por defecto en proyectos nuevos
889 889 setting_gravatar_default: Imagen Gravatar por defecto
890 890 field_sharing: Compartir
891 891 button_copy_and_follow: Copiar y seguir
892 892 label_version_sharing_hierarchy: Con la jerarquía del proyecto
893 893 label_version_sharing_tree: Con el árbol del proyecto
894 894 label_version_sharing_descendants: Con proyectos hijo
895 895 label_version_sharing_system: Con todos los proyectos
896 896 label_version_sharing_none: No compartir
897 897 button_duplicate: Duplicar
898 898 error_can_not_archive_project: Este proyecto no puede ser archivado
899 899 label_copy_source: Fuente
900 900 setting_issue_done_ratio: Calcular el ratio de tareas realizadas con
901 901 setting_issue_done_ratio_issue_status: Usar el estado de tareas
902 902 error_issue_done_ratios_not_updated: Ratios de tareas realizadas no actualizado.
903 903 error_workflow_copy_target: Por favor, elija categoría(s) y perfil(es) destino
904 904 setting_issue_done_ratio_issue_field: Utilizar el campo de petición
905 905 label_copy_same_as_target: El mismo que el destino
906 906 label_copy_target: Destino
907 907 notice_issue_done_ratios_updated: Ratios de tareas realizadas actualizados.
908 908 error_workflow_copy_source: Por favor, elija una categoría o rol de origen
909 909 label_update_issue_done_ratios: Actualizar ratios de tareas realizadas
910 910 setting_start_of_week: Comenzar las semanas en
911 911 permission_view_issues: Ver peticiones
912 912 label_display_used_statuses_only: Sólo mostrar los estados usados por este tipo de petición
913 913 label_revision_id: Revisión {{value}}
914 914 label_api_access_key: Clave de acceso de la API
915 915 label_api_access_key_created_on: Clave de acceso de la API creada hace {{value}}
916 916 label_feeds_access_key: Clave de acceso RSS
917 917 notice_api_access_key_reseted: Clave de acceso a la API regenerada.
918 918 setting_rest_api_enabled: Activar servicio web REST
919 919 label_missing_api_access_key: Clave de acceso a la API ausente
920 920 label_missing_feeds_access_key: Clave de accesso RSS ausente
921 921 button_show: Mostrar
922 922 text_line_separated: Múltiples valores permitidos (un valor en cada línea).
923 923 setting_mail_handler_body_delimiters: Truncar correos tras una de estas líneas
924 924 permission_add_subprojects: Crear subproyectos
925 925 label_subproject_new: Nuevo subproyecto
926 926 text_own_membership_delete_confirmation: |-
927 927 Está a punto de eliminar algún o todos sus permisos y podría perder la posibilidad de modificar este proyecto tras hacerlo.
928 928 ¿Está seguro de querer continuar?
929 929 label_close_versions: Cerrar versiones completadas
930 930 label_board_sticky: Pegajoso
931 931 label_board_locked: Bloqueado
932 932 permission_export_wiki_pages: Exportar páginas wiki
933 933 setting_cache_formatted_text: Cachear texto formateado
934 934 permission_manage_project_activities: Gestionar actividades del proyecto
935 935 error_unable_delete_issue_status: Fue imposible eliminar el estado de la petición
936 936 label_profile: Perfil
937 937 permission_manage_subtasks: Gestionar subtareas
938 938 field_parent_issue: Tarea padre
939 939 label_subtask_plural: Subtareas
940 940 label_project_copy_notifications: Enviar notificaciones por correo electrónico durante la copia del proyecto
941 941 error_can_not_delete_custom_field: Fue imposible eliminar el campo personalizado
942 942 error_unable_to_connect: Fue imposible conectar con ({{value}})
943 943 error_can_not_remove_role: Este rol está en uso y no puede ser eliminado.
944 944 error_can_not_delete_tracker: Este tipo contiene peticiones y no puede ser eliminado.
945 945 field_principal: Principal
946 946 label_my_page_block: Bloque Mi página
947 947 notice_failed_to_save_members: "Fallo al guardar miembro(s): {{errors}}."
948 948 text_zoom_out: Alejar
949 949 text_zoom_in: Acercar
950 950 notice_unable_delete_time_entry: Fue imposible eliminar la entrada de tiempo dedicado.
951 951 label_overall_spent_time: Tiempo total dedicado
952 952 field_time_entries: Log time
953 953 project_module_gantt: Gantt
954 954 project_module_calendar: Calendar
955 955 button_edit_associated_wikipage: "Edit associated Wiki page: {{page_title}}"
956 956 text_are_you_sure_with_children: Delete issue and all child issues?
957 957 field_text: Text field
958 958 label_user_mail_option_only_owner: Only for things I am the owner of
959 959 setting_default_notification_option: Default notification option
960 960 label_user_mail_option_only_my_events: Only for things I watch or I'm involved in
961 961 label_user_mail_option_only_assigned: Only for things I am assigned to
962 962 label_user_mail_option_none: No events
963 963 field_member_of_group: Assignee's group
964 964 field_assigned_to_role: Assignee's role
965 notice_not_authorized_archived_project: The project you're trying to access has been archived.
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 NO CONTENT: modified file
The requested commit or file is too big and content was truncated. Show full diff
1 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