##// END OF EJS Templates
option to set maximum size of uploaded files...
Jean-Philippe Lang -
r128:6487c1803fa9
parent child
Show More
@@ -1,85 +1,89
1 # redMine - project management software
1 # redMine - project management software
2 # Copyright (C) 2006 Jean-Philippe Lang
2 # Copyright (C) 2006 Jean-Philippe Lang
3 #
3 #
4 # This program is free software; you can redistribute it and/or
4 # This program is free software; you can redistribute it and/or
5 # modify it under the terms of the GNU General Public License
5 # modify it under the terms of the GNU General Public License
6 # as published by the Free Software Foundation; either version 2
6 # as published by the Free Software Foundation; either version 2
7 # of the License, or (at your option) any later version.
7 # of the License, or (at your option) any later version.
8 #
8 #
9 # This program is distributed in the hope that it will be useful,
9 # This program is distributed in the hope that it will be useful,
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 # GNU General Public License for more details.
12 # GNU General Public License for more details.
13 #
13 #
14 # You should have received a copy of the GNU General Public License
14 # You should have received a copy of the GNU General Public License
15 # along with this program; if not, write to the Free Software
15 # along with this program; if not, write to the Free Software
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17
17
18 require "digest/md5"
18 require "digest/md5"
19
19
20 class Attachment < ActiveRecord::Base
20 class Attachment < ActiveRecord::Base
21 belongs_to :container, :polymorphic => true
21 belongs_to :container, :polymorphic => true
22 belongs_to :author, :class_name => "User", :foreign_key => "author_id"
22 belongs_to :author, :class_name => "User", :foreign_key => "author_id"
23
23
24 @@max_size = $RDM_ATTACHMENT_MAX_SIZE || 5*1024*1024
25 cattr_reader :max_size
26
24 validates_presence_of :container, :filename
27 validates_presence_of :container, :filename
25
28 validates_inclusion_of :filesize, :in => 1..@@max_size
29
26 def file=(incomming_file)
30 def file=(incomming_file)
27 unless incomming_file.nil?
31 unless incomming_file.nil?
28 @temp_file = incomming_file
32 @temp_file = incomming_file
29 if @temp_file.size > 0
33 if @temp_file.size > 0
30 self.filename = sanitize_filename(@temp_file.original_filename)
34 self.filename = sanitize_filename(@temp_file.original_filename)
31 self.disk_filename = DateTime.now.strftime("%y%m%d%H%M%S") + "_" + self.filename
35 self.disk_filename = DateTime.now.strftime("%y%m%d%H%M%S") + "_" + self.filename
32 self.content_type = @temp_file.content_type
36 self.content_type = @temp_file.content_type
33 self.filesize = @temp_file.size
37 self.filesize = @temp_file.size
34 end
38 end
35 end
39 end
36 end
40 end
37
41
38 def file
42 def file
39 nil
43 nil
40 end
44 end
41
45
42 # Copy temp file to its final location
46 # Copy temp file to its final location
43 def before_save
47 def before_save
44 if @temp_file && (@temp_file.size > 0)
48 if @temp_file && (@temp_file.size > 0)
45 logger.debug("saving '#{self.diskfile}'")
49 logger.debug("saving '#{self.diskfile}'")
46 File.open(diskfile, "wb") do |f|
50 File.open(diskfile, "wb") do |f|
47 f.write(@temp_file.read)
51 f.write(@temp_file.read)
48 end
52 end
49 self.digest = Digest::MD5.hexdigest(File.read(diskfile))
53 self.digest = Digest::MD5.hexdigest(File.read(diskfile))
50 end
54 end
51 end
55 end
52
56
53 # Deletes file on the disk
57 # Deletes file on the disk
54 def after_destroy
58 def after_destroy
55 if self.filename?
59 if self.filename?
56 File.delete(diskfile) if File.exist?(diskfile)
60 File.delete(diskfile) if File.exist?(diskfile)
57 end
61 end
58 end
62 end
59
63
60 # Returns file's location on disk
64 # Returns file's location on disk
61 def diskfile
65 def diskfile
62 "#{$RDM_STORAGE_PATH}/#{self.disk_filename}"
66 "#{$RDM_STORAGE_PATH}/#{self.disk_filename}"
63 end
67 end
64
68
65 def increment_download
69 def increment_download
66 increment!(:downloads)
70 increment!(:downloads)
67 end
71 end
68
72
69 # returns last created projects
73 # returns last created projects
70 def self.most_downloaded
74 def self.most_downloaded
71 find(:all, :limit => 5, :order => "downloads DESC")
75 find(:all, :limit => 5, :order => "downloads DESC")
72 end
76 end
73
77
74 private
78 private
75 def sanitize_filename(value)
79 def sanitize_filename(value)
76 # get only the filename, not the whole path
80 # get only the filename, not the whole path
77 just_filename = value.gsub(/^.*(\\|\/)/, '')
81 just_filename = value.gsub(/^.*(\\|\/)/, '')
78 # NOTE: File.basename doesn't work right with Windows paths on Unix
82 # NOTE: File.basename doesn't work right with Windows paths on Unix
79 # INCORRECT: just_filename = File.basename(value.gsub('\\\\', '/'))
83 # INCORRECT: just_filename = File.basename(value.gsub('\\\\', '/'))
80
84
81 # Finally, replace all non alphanumeric, underscore or periods with underscore
85 # Finally, replace all non alphanumeric, underscore or periods with underscore
82 @filename = just_filename.gsub(/[^\w\.\-]/,'_')
86 @filename = just_filename.gsub(/[^\w\.\-]/,'_')
83 end
87 end
84
88
85 end
89 end
@@ -1,37 +1,37
1 <div class="contextual">
1 <div class="contextual">
2 <%= link_to_if_authorized l(:button_edit), {:controller => 'documents', :action => 'edit', :id => @document}, :class => 'pic picEdit' %>
2 <%= link_to_if_authorized l(:button_edit), {:controller => 'documents', :action => 'edit', :id => @document}, :class => 'pic picEdit' %>
3 <%= link_to_if_authorized l(:button_delete), {:controller => 'documents', :action => 'destroy', :id => @document}, :confirm => l(:text_are_you_sure), :post => true, :class => 'pic picDelete' %>
3 <%= link_to_if_authorized l(:button_delete), {:controller => 'documents', :action => 'destroy', :id => @document}, :confirm => l(:text_are_you_sure), :post => true, :class => 'pic picDelete' %>
4 </div>
4 </div>
5
5
6 <h2><%= @document.title %></h2>
6 <h2><%= @document.title %></h2>
7
7
8 <p><em><%= @document.category.name %><br />
8 <p><em><%= @document.category.name %><br />
9 <%= format_date @document.created_on %></em></p>
9 <%= format_date @document.created_on %></em></p>
10 <%= textilizable @document.description %>
10 <%= textilizable @document.description %>
11 <br />
11 <br />
12
12
13 <h3><%= l(:label_attachment_plural) %></h3>
13 <h3><%= l(:label_attachment_plural) %></h3>
14 <ul class="documents">
14 <ul class="documents">
15 <% for attachment in @attachments %>
15 <% for attachment in @attachments %>
16 <li>
16 <li>
17 <div class="contextual">
17 <div class="contextual">
18 <%= link_to_if_authorized l(:button_delete), {:controller => 'documents', :action => 'destroy_attachment', :id => @document, :attachment_id => attachment}, :confirm => l(:text_are_you_sure), :post => true, :class => 'pic picDelete' %>
18 <%= link_to_if_authorized l(:button_delete), {:controller => 'documents', :action => 'destroy_attachment', :id => @document, :attachment_id => attachment}, :confirm => l(:text_are_you_sure), :post => true, :class => 'pic picDelete' %>
19 </div>
19 </div>
20 <%= link_to attachment.filename, :action => 'download', :id => @document, :attachment_id => attachment %>
20 <%= link_to attachment.filename, :action => 'download', :id => @document, :attachment_id => attachment %>
21 (<%= human_size attachment.filesize %>)<br />
21 (<%= human_size attachment.filesize %>)<br />
22 <em><%= attachment.author.display_name %>, <%= format_date(attachment.created_on) %></em><br />
22 <em><%= attachment.author.display_name %>, <%= format_date(attachment.created_on) %></em><br />
23 <%= lwr(:label_download, attachment.downloads) %>
23 <%= lwr(:label_download, attachment.downloads) %>
24 </li>
24 </li>
25 <% end %>
25 <% end %>
26 </ul>
26 </ul>
27 <br />
27 <br />
28
28
29
29
30 <% if authorize_for('documents', 'add_attachment') %>
30 <% if authorize_for('documents', 'add_attachment') %>
31 <%= start_form_tag ({ :controller => 'documents', :action => 'add_attachment', :id => @document }, :multipart => true, :class => "tabular") %>
31 <%= start_form_tag ({ :controller => 'documents', :action => 'add_attachment', :id => @document }, :multipart => true, :class => "tabular") %>
32 <p id="attachments_p"><label for="attachment_file"><%=l(:label_attachment)%>&nbsp;
32 <p id="attachments_p"><label for="attachment_file"><%=l(:label_attachment)%>&nbsp;
33 <%= link_to_function image_tag('add'), "addFileField()" %></label>
33 <%= link_to_function image_tag('add'), "addFileField()" %></label>
34 <%= file_field_tag 'attachments[]', :size => 30 %></p>
34 <%= file_field_tag 'attachments[]', :size => 30 %> <em>(<%= l(:label_max_size) %>: <%= human_size(Attachment.max_size) %>)</em></p>
35 <%= submit_tag l(:button_add) %>
35 <%= submit_tag l(:button_add) %>
36 <%= end_form_tag %>
36 <%= end_form_tag %>
37 <% end %>
37 <% end %>
@@ -1,107 +1,107
1 <div class="contextual">
1 <div class="contextual">
2 <%= l(:label_export_to) %><%= link_to 'PDF', {:action => 'export_pdf', :id => @issue}, :class => 'pic picPdf' %>
2 <%= l(:label_export_to) %><%= link_to 'PDF', {:action => 'export_pdf', :id => @issue}, :class => 'pic picPdf' %>
3 </div>
3 </div>
4
4
5 <h2><%= @issue.tracker.name %> #<%= @issue.id %> - <%=h @issue.subject %></h2>
5 <h2><%= @issue.tracker.name %> #<%= @issue.id %> - <%=h @issue.subject %></h2>
6
6
7 <div class="box">
7 <div class="box">
8 <table width="100%">
8 <table width="100%">
9 <tr>
9 <tr>
10 <td width="15%"><b><%=l(:field_status)%> :</b></td><td width="35%"><%= @issue.status.name %></td>
10 <td width="15%"><b><%=l(:field_status)%> :</b></td><td width="35%"><%= @issue.status.name %></td>
11 <td width="15%"><b><%=l(:field_priority)%> :</b></td><td width="35%"><%= @issue.priority.name %></td>
11 <td width="15%"><b><%=l(:field_priority)%> :</b></td><td width="35%"><%= @issue.priority.name %></td>
12 </tr>
12 </tr>
13 <tr>
13 <tr>
14 <td><b><%=l(:field_assigned_to)%> :</b></td><td><%= @issue.assigned_to ? @issue.assigned_to.name : "-" %></td>
14 <td><b><%=l(:field_assigned_to)%> :</b></td><td><%= @issue.assigned_to ? @issue.assigned_to.name : "-" %></td>
15 <td><b><%=l(:field_category)%> :</b></td><td><%=h @issue.category ? @issue.category.name : "-" %></td>
15 <td><b><%=l(:field_category)%> :</b></td><td><%=h @issue.category ? @issue.category.name : "-" %></td>
16 </tr>
16 </tr>
17 <tr>
17 <tr>
18 <td><b><%=l(:field_author)%> :</b></td><td><%= link_to_user @issue.author %></td>
18 <td><b><%=l(:field_author)%> :</b></td><td><%= link_to_user @issue.author %></td>
19 <td><b><%=l(:field_start_date)%> :</b></td><td><%= format_date(@issue.start_date) %></td>
19 <td><b><%=l(:field_start_date)%> :</b></td><td><%= format_date(@issue.start_date) %></td>
20 </tr>
20 </tr>
21 <tr>
21 <tr>
22 <td><b><%=l(:field_created_on)%> :</b></td><td><%= format_date(@issue.created_on) %></td>
22 <td><b><%=l(:field_created_on)%> :</b></td><td><%= format_date(@issue.created_on) %></td>
23 <td><b><%=l(:field_due_date)%> :</b></td><td><%= format_date(@issue.due_date) %></td>
23 <td><b><%=l(:field_due_date)%> :</b></td><td><%= format_date(@issue.due_date) %></td>
24 </tr>
24 </tr>
25 <tr>
25 <tr>
26 <td><b><%=l(:field_updated_on)%> :</b></td><td><%= format_date(@issue.updated_on) %></td>
26 <td><b><%=l(:field_updated_on)%> :</b></td><td><%= format_date(@issue.updated_on) %></td>
27 <td><b><%=l(:field_done_ratio)%> :</b></td><td><%= @issue.done_ratio %> %</td>
27 <td><b><%=l(:field_done_ratio)%> :</b></td><td><%= @issue.done_ratio %> %</td>
28 </tr>
28 </tr>
29 <tr>
29 <tr>
30 <% n = 0
30 <% n = 0
31 for custom_value in @custom_values %>
31 for custom_value in @custom_values %>
32 <td><b><%= custom_value.custom_field.name %> :</b></td><td><%=h show_value custom_value %></td>
32 <td><b><%= custom_value.custom_field.name %> :</b></td><td><%=h show_value custom_value %></td>
33 <% n = n + 1
33 <% n = n + 1
34 if (n > 1)
34 if (n > 1)
35 n = 0 %>
35 n = 0 %>
36 </tr><tr>
36 </tr><tr>
37 <%end
37 <%end
38 end %>
38 end %>
39 </tr>
39 </tr>
40 </table>
40 </table>
41 <hr />
41 <hr />
42 <br />
42 <br />
43
43
44 <b><%=l(:field_description)%> :</b><br /><br />
44 <b><%=l(:field_description)%> :</b><br /><br />
45 <%= textilizable @issue.description %>
45 <%= textilizable @issue.description %>
46 <br />
46 <br />
47
47
48 <div class="contextual">
48 <div class="contextual">
49 <%= link_to_if_authorized l(:button_edit), {:controller => 'issues', :action => 'edit', :id => @issue}, :class => 'pic picEdit' %>
49 <%= link_to_if_authorized l(:button_edit), {:controller => 'issues', :action => 'edit', :id => @issue}, :class => 'pic picEdit' %>
50 <%= link_to_if_authorized l(:button_move), {:controller => 'projects', :action => 'move_issues', :id => @project, "issue_ids[]" => @issue.id }, :class => 'pic picMove' %>
50 <%= link_to_if_authorized l(:button_move), {:controller => 'projects', :action => 'move_issues', :id => @project, "issue_ids[]" => @issue.id }, :class => 'pic picMove' %>
51 <%= link_to_if_authorized l(:button_delete), {:controller => 'issues', :action => 'destroy', :id => @issue}, :confirm => l(:text_are_you_sure), :post => true, :class => 'pic picDelete' %>
51 <%= link_to_if_authorized l(:button_delete), {:controller => 'issues', :action => 'destroy', :id => @issue}, :confirm => l(:text_are_you_sure), :post => true, :class => 'pic picDelete' %>
52 </div>
52 </div>
53
53
54 <% if authorize_for('issues', 'change_status') and @status_options and !@status_options.empty? %>
54 <% if authorize_for('issues', 'change_status') and @status_options and !@status_options.empty? %>
55 <%= start_form_tag ({:controller => 'issues', :action => 'change_status', :id => @issue}) %>
55 <%= start_form_tag ({:controller => 'issues', :action => 'change_status', :id => @issue}) %>
56 <%=l(:label_change_status)%> :
56 <%=l(:label_change_status)%> :
57 <select name="new_status_id">
57 <select name="new_status_id">
58 <%= options_from_collection_for_select @status_options, "id", "name" %>
58 <%= options_from_collection_for_select @status_options, "id", "name" %>
59 </select>
59 </select>
60 <%= submit_tag l(:button_change) %>
60 <%= submit_tag l(:button_change) %>
61 <%= end_form_tag %>
61 <%= end_form_tag %>
62 <% end %>
62 <% end %>
63 &nbsp;
63 &nbsp;
64 </div>
64 </div>
65
65
66 <div id="history" class="box">
66 <div id="history" class="box">
67 <h3><%=l(:label_history)%>
67 <h3><%=l(:label_history)%>
68 <% if @journals_count > @journals.length %>(<%= l(:label_last_changes, @journals.length) %>)<% end %></h3>
68 <% if @journals_count > @journals.length %>(<%= l(:label_last_changes, @journals.length) %>)<% end %></h3>
69 <%= render :partial => 'history', :locals => { :journals => @journals } %>
69 <%= render :partial => 'history', :locals => { :journals => @journals } %>
70 <% if @journals_count > @journals.length %>
70 <% if @journals_count > @journals.length %>
71 <p><center><small>[ <%= link_to l(:label_change_view_all), :action => 'history', :id => @issue %> ]</small></center></p>
71 <p><center><small>[ <%= link_to l(:label_change_view_all), :action => 'history', :id => @issue %> ]</small></center></p>
72 <% end %>
72 <% end %>
73 </div>
73 </div>
74
74
75 <div class="box">
75 <div class="box">
76 <h3><%=l(:label_attachment_plural)%></h3>
76 <h3><%=l(:label_attachment_plural)%></h3>
77 <table width="100%">
77 <table width="100%">
78 <% for attachment in @issue.attachments %>
78 <% for attachment in @issue.attachments %>
79 <tr>
79 <tr>
80 <td><%= link_to attachment.filename, { :action => 'download', :id => @issue, :attachment_id => attachment }, :class => 'icon attachment' %> (<%= human_size(attachment.filesize) %>)</td>
80 <td><%= link_to attachment.filename, { :action => 'download', :id => @issue, :attachment_id => attachment }, :class => 'icon attachment' %> (<%= human_size(attachment.filesize) %>)</td>
81 <td><%= format_date(attachment.created_on) %></td>
81 <td><%= format_date(attachment.created_on) %></td>
82 <td><%= attachment.author.display_name %></td>
82 <td><%= attachment.author.display_name %></td>
83 <td><div class="contextual"><%= link_to_if_authorized l(:button_delete), {:controller => 'issues', :action => 'destroy_attachment', :id => @issue, :attachment_id => attachment }, :confirm => l(:text_are_you_sure), :post => true, :class => 'pic picDelete' %></div></td>
83 <td><div class="contextual"><%= link_to_if_authorized l(:button_delete), {:controller => 'issues', :action => 'destroy_attachment', :id => @issue, :attachment_id => attachment }, :confirm => l(:text_are_you_sure), :post => true, :class => 'pic picDelete' %></div></td>
84 </tr>
84 </tr>
85 <% end %>
85 <% end %>
86 </table>
86 </table>
87 <br />
87 <br />
88 <% if authorize_for('issues', 'add_attachment') %>
88 <% if authorize_for('issues', 'add_attachment') %>
89 <%= start_form_tag ({ :controller => 'issues', :action => 'add_attachment', :id => @issue }, :multipart => true, :class => "tabular") %>
89 <%= start_form_tag ({ :controller => 'issues', :action => 'add_attachment', :id => @issue }, :multipart => true, :class => "tabular") %>
90 <p id="attachments_p"><label><%=l(:label_attachment_new)%>&nbsp;
90 <p id="attachments_p"><label><%=l(:label_attachment_new)%>&nbsp;
91 <%= link_to_function image_tag('add'), "addFileField()" %></label>
91 <%= link_to_function image_tag('add'), "addFileField()" %></label>
92 <%= file_field_tag 'attachments[]', :size => 30 %></p>
92 <%= file_field_tag 'attachments[]', :size => 30 %> <em>(<%= l(:label_max_size) %>: <%= human_size(Attachment.max_size) %>)</em></p>
93 <%= submit_tag l(:button_add) %>
93 <%= submit_tag l(:button_add) %>
94 <%= end_form_tag %>
94 <%= end_form_tag %>
95 <% end %>
95 <% end %>
96 </div>
96 </div>
97
97
98 <% if authorize_for('issues', 'add_note') %>
98 <% if authorize_for('issues', 'add_note') %>
99 <div class="box">
99 <div class="box">
100 <h3><%= l(:label_add_note) %></h3>
100 <h3><%= l(:label_add_note) %></h3>
101 <%= start_form_tag ({:controller => 'issues', :action => 'add_note', :id => @issue}, :class => "tabular" ) %>
101 <%= start_form_tag ({:controller => 'issues', :action => 'add_note', :id => @issue}, :class => "tabular" ) %>
102 <p><label for="notes"><%=l(:field_notes)%></label>
102 <p><label for="notes"><%=l(:field_notes)%></label>
103 <%= text_area_tag 'notes', '', :cols => 60, :rows => 10 %></p>
103 <%= text_area_tag 'notes', '', :cols => 60, :rows => 10 %></p>
104 <%= submit_tag l(:button_add) %>
104 <%= submit_tag l(:button_add) %>
105 <%= end_form_tag %>
105 <%= end_form_tag %>
106 </div>
106 </div>
107 <% end %>
107 <% end %>
@@ -1,15 +1,15
1 <h2><%=l(:label_document_new)%></h2>
1 <h2><%=l(:label_document_new)%></h2>
2
2
3 <%= start_form_tag( { :action => 'add_document', :id => @project }, :class => "tabular", :multipart => true) %>
3 <%= start_form_tag( { :action => 'add_document', :id => @project }, :class => "tabular", :multipart => true) %>
4 <%= render :partial => 'documents/form' %>
4 <%= render :partial => 'documents/form' %>
5
5
6 <div class="box">
6 <div class="box">
7 <p id="attachments_p"><label for="attachment_file"><%=l(:label_attachment)%>&nbsp;
7 <p id="attachments_p"><label for="attachment_file"><%=l(:label_attachment)%>&nbsp;
8 <%= link_to_function image_tag('add'), "addFileField()" %></label>
8 <%= link_to_function image_tag('add'), "addFileField()" %></label>
9 <%= file_field_tag 'attachments[]', :size => 30 %></p>
9 <%= file_field_tag 'attachments[]', :size => 30 %> <em>(<%= l(:label_max_size) %>: <%= human_size(Attachment.max_size) %>)</em></p>
10 </div>
10 </div>
11
11
12 <%= submit_tag l(:button_create) %>
12 <%= submit_tag l(:button_create) %>
13 <%= end_form_tag %>
13 <%= end_form_tag %>
14
14
15
15
@@ -1,15 +1,15
1 <h2><%=l(:label_attachment_new)%></h2>
1 <h2><%=l(:label_attachment_new)%></h2>
2
2
3 <%= error_messages_for 'attachment' %>
3 <%= error_messages_for 'attachment' %>
4 <div class="box">
4 <div class="box">
5 <%= start_form_tag ({ :action => 'add_file', :id => @project }, :multipart => true, :class => "tabular") %>
5 <%= start_form_tag ({ :action => 'add_file', :id => @project }, :multipart => true, :class => "tabular") %>
6
6
7 <p><label for="version_id"><%=l(:field_version)%> <span class="required">*</span></label>
7 <p><label for="version_id"><%=l(:field_version)%> <span class="required">*</span></label>
8 <%= select_tag "version_id", options_from_collection_for_select(@versions, "id", "name") %></p>
8 <%= select_tag "version_id", options_from_collection_for_select(@versions, "id", "name") %></p>
9
9
10 <p id="attachments_p"><label for="attachment_file"><%=l(:label_attachment)%>&nbsp;
10 <p id="attachments_p"><label for="attachment_file"><%=l(:label_attachment)%>&nbsp;
11 <%= link_to_function image_tag('add'), "addFileField()" %></label>
11 <%= link_to_function image_tag('add'), "addFileField()" %></label>
12 <%= file_field_tag 'attachments[]', :size => 30 %></p>
12 <%= file_field_tag 'attachments[]', :size => 30 %> <em>(<%= l(:label_max_size) %>: <%= human_size(Attachment.max_size) %>)</em></p>
13 </div>
13 </div>
14 <%= submit_tag l(:button_add) %>
14 <%= submit_tag l(:button_add) %>
15 <%= end_form_tag %> No newline at end of file
15 <%= end_form_tag %>
@@ -1,50 +1,50
1 <h2><%=l(:label_issue_new)%>: <%= @tracker.name %></h2>
1 <h2><%=l(:label_issue_new)%>: <%= @tracker.name %></h2>
2
2
3 <% labelled_tabular_form_for :issue, @issue, :url => {:action => 'add_issue'}, :html => {:multipart => true} do |f| %>
3 <% labelled_tabular_form_for :issue, @issue, :url => {:action => 'add_issue'}, :html => {:multipart => true} do |f| %>
4 <%= error_messages_for 'issue' %>
4 <%= error_messages_for 'issue' %>
5 <div class="box">
5 <div class="box">
6 <!--[form:issue]-->
6 <!--[form:issue]-->
7 <%= hidden_field_tag 'tracker_id', @tracker.id %>
7 <%= hidden_field_tag 'tracker_id', @tracker.id %>
8
8
9 <div class="splitcontentleft">
9 <div class="splitcontentleft">
10 <p><%= f.select :priority_id, (@priorities.collect {|p| [p.name, p.id]}), :required => true %></p>
10 <p><%= f.select :priority_id, (@priorities.collect {|p| [p.name, p.id]}), :required => true %></p>
11 <p><%= f.select :assigned_to_id, (@issue.project.members.collect {|m| [m.name, m.user_id]}), :include_blank => true %></p>
11 <p><%= f.select :assigned_to_id, (@issue.project.members.collect {|m| [m.name, m.user_id]}), :include_blank => true %></p>
12 <p><%= f.select :category_id, (@project.issue_categories.collect {|c| [c.name, c.id]}), :include_blank => true %></p>
12 <p><%= f.select :category_id, (@project.issue_categories.collect {|c| [c.name, c.id]}), :include_blank => true %></p>
13 </div>
13 </div>
14 <div class="splitcontentright">
14 <div class="splitcontentright">
15 <p><%= f.text_field :start_date, :size => 10 %><%= calendar_for('issue_start_date') %></p>
15 <p><%= f.text_field :start_date, :size => 10 %><%= calendar_for('issue_start_date') %></p>
16 <p><%= f.text_field :due_date, :size => 10 %><%= calendar_for('issue_due_date') %></p>
16 <p><%= f.text_field :due_date, :size => 10 %><%= calendar_for('issue_due_date') %></p>
17 <p><%= f.select :done_ratio, ((0..10).to_a.collect {|r| ["#{r*10} %", r*10] }) %></p>
17 <p><%= f.select :done_ratio, ((0..10).to_a.collect {|r| ["#{r*10} %", r*10] }) %></p>
18 </div>
18 </div>
19
19
20 <div class="clear">
20 <div class="clear">
21 <p><%= f.text_field :subject, :size => 80, :required => true %></p>
21 <p><%= f.text_field :subject, :size => 80, :required => true %></p>
22 <p><%= f.text_area :description, :cols => 60, :rows => 10, :required => true %></p>
22 <p><%= f.text_area :description, :cols => 60, :rows => 10, :required => true %></p>
23
23
24 <% for @custom_value in @custom_values %>
24 <% for @custom_value in @custom_values %>
25 <p><%= custom_field_tag_with_label @custom_value %></p>
25 <p><%= custom_field_tag_with_label @custom_value %></p>
26 <% end %>
26 <% end %>
27
27
28 <p id="attachments_p"><label for="attachment_file"><%=l(:label_attachment)%>&nbsp;
28 <p id="attachments_p"><label for="attachment_file"><%=l(:label_attachment)%>&nbsp;
29 <%= link_to_function image_tag('add'), "addFileField()" %></label>
29 <%= link_to_function image_tag('add'), "addFileField()" %></label>
30 <%= file_field_tag 'attachments[]', :size => 30 %></p>
30 <%= file_field_tag 'attachments[]', :size => 30 %> <em>(<%= l(:label_max_size) %>: <%= human_size(Attachment.max_size) %>)</em></p>
31
31
32 </div>
32 </div>
33 <!--[eoform:issue]-->
33 <!--[eoform:issue]-->
34 </div>
34 </div>
35 <%= submit_tag l(:button_create) %>
35 <%= submit_tag l(:button_create) %>
36 <% end %>
36 <% end %>
37
37
38 <% unless $RDM_TEXTILE_DISABLED %>
38 <% unless $RDM_TEXTILE_DISABLED %>
39 <%= javascript_include_tag 'jstoolbar' %>
39 <%= javascript_include_tag 'jstoolbar' %>
40 <script type="text/javascript">
40 <script type="text/javascript">
41 //<![CDATA[
41 //<![CDATA[
42 if (document.getElementById) {
42 if (document.getElementById) {
43 if (document.getElementById('issue_description')) {
43 if (document.getElementById('issue_description')) {
44 var commentTb = new jsToolBar(document.getElementById('issue_description'));
44 var commentTb = new jsToolBar(document.getElementById('issue_description'));
45 commentTb.draw();
45 commentTb.draw();
46 }
46 }
47 }
47 }
48 //]]>
48 //]]>
49 </script>
49 </script>
50 <% end %> No newline at end of file
50 <% end %>
@@ -1,65 +1,69
1 # redMine - project management software
1 # redMine - project management software
2 # Copyright (C) 2006 Jean-Philippe Lang
2 # Copyright (C) 2006 Jean-Philippe Lang
3 #
3 #
4 # This program is free software; you can redistribute it and/or
4 # This program is free software; you can redistribute it and/or
5 # modify it under the terms of the GNU General Public License
5 # modify it under the terms of the GNU General Public License
6 # as published by the Free Software Foundation; either version 2
6 # as published by the Free Software Foundation; either version 2
7 # of the License, or (at your option) any later version.
7 # of the License, or (at your option) any later version.
8 #
8 #
9 # This program is distributed in the hope that it will be useful,
9 # This program is distributed in the hope that it will be useful,
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 # GNU General Public License for more details.
12 # GNU General Public License for more details.
13 #
13 #
14 # You should have received a copy of the GNU General Public License
14 # You should have received a copy of the GNU General Public License
15 # along with this program; if not, write to the Free Software
15 # along with this program; if not, write to the Free Software
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17
17
18
18
19 # To set your own configuration, rename this file to config_custom.rb
19 # To set your own configuration, rename this file to config_custom.rb
20 # and edit parameters below
20 # and edit parameters below
21 # Don't forget to restart the application after any change.
21 # Don't forget to restart the application after any change.
22
22
23
23
24 # Application host name
24 # Application host name
25 # Used to provide absolute links in mail notifications
25 # Used to provide absolute links in mail notifications
26 # $RDM_HOST_NAME = "somenet.foo"
26 # $RDM_HOST_NAME = "somenet.foo"
27
27
28 # File storage path
28 # File storage path
29 # Directory used to store uploaded files
29 # Directory used to store uploaded files
30 # #{RAILS_ROOT} represents application's home directory
30 # #{RAILS_ROOT} represents application's home directory
31 # $RDM_STORAGE_PATH = "#{RAILS_ROOT}/files"
31 # $RDM_STORAGE_PATH = "#{RAILS_ROOT}/files"
32
32
33 # Set $RDM_LOGIN_REQUIRED to true if you want to force users to login
33 # Set $RDM_LOGIN_REQUIRED to true if you want to force users to login
34 # to access any page of the application
34 # to access any page of the application
35 # $RDM_LOGIN_REQUIRED = false
35 # $RDM_LOGIN_REQUIRED = false
36
36
37 # Uncomment to disable user self-registration
37 # Uncomment to disable user self-registration
38 # $RDM_SELF_REGISTRATION = false
38 # $RDM_SELF_REGISTRATION = false
39
39
40 # Default langage ('en', 'es', 'de', 'fr' are available)
40 # Default langage ('en', 'es', 'de', 'fr' are available)
41 # $RDM_DEFAULT_LANG = 'en'
41 # $RDM_DEFAULT_LANG = 'en'
42
42
43 # Email adress used to send mail notifications
43 # Email adress used to send mail notifications
44 # $RDM_MAIL_FROM = "redmine@somenet.foo"
44 # $RDM_MAIL_FROM = "redmine@somenet.foo"
45
45
46 # Page title
46 # Page title
47 # $RDM_HEADER_TITLE = "Title"
47 # $RDM_HEADER_TITLE = "Title"
48
48
49 # Page sub-title
49 # Page sub-title
50 # $RDM_HEADER_SUBTITLE = "Sub title"
50 # $RDM_HEADER_SUBTITLE = "Sub title"
51
51
52 # Welcome page title
52 # Welcome page title
53 # $RDM_WELCOME_TITLE = "Welcome"
53 # $RDM_WELCOME_TITLE = "Welcome"
54
54
55 # Welcome page text
55 # Welcome page text
56 # $RDM_WELCOME_TEXT = ""
56 # $RDM_WELCOME_TEXT = ""
57
57
58 # Signature displayed in footer
58 # Signature displayed in footer
59 # Email adresses will be automatically displayed as a mailto link
59 # Email adresses will be automatically displayed as a mailto link
60 # $RDM_FOOTER_SIG = "admin@somenet.foo"
60 # $RDM_FOOTER_SIG = "admin@somenet.foo"
61
61
62 # Textile formatting (only available if RedCloth is installed)
62 # Textile formatting (only available if RedCloth is installed)
63 # Textile formatting is automativaly disabled if RedCloth is not available
63 # Textile formatting is automativaly disabled if RedCloth is not available
64 # Set to true to manually disable.
64 # Set to true to manually disable.
65 # $RDM_TEXTILE_DISABLED = true
65 # $RDM_TEXTILE_DISABLED = true
66
67 # Maximum size for attachments (in bytes)
68 # Default to 5 MB
69 # $RDM_ATTACHMENT_MAX_SIZE = 5*1024*1024
@@ -1,356 +1,357
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: January,February,March,April,May,June,July,August,September,October,November,December
4 actionview_datehelper_select_month_names: January,February,March,April,May,June,July,August,September,October,November,December
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Mar,Apr,May,Jun,Jul,Aug,Sep,Oct,Nov,Dec
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Mar,Apr,May,Jun,Jul,Aug,Sep,Oct,Nov,Dec
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 day
8 actionview_datehelper_time_in_words_day: 1 day
9 actionview_datehelper_time_in_words_day_plural: %d days
9 actionview_datehelper_time_in_words_day_plural: %d days
10 actionview_datehelper_time_in_words_hour_about: about an hour
10 actionview_datehelper_time_in_words_hour_about: about an hour
11 actionview_datehelper_time_in_words_hour_about_plural: about %d hours
11 actionview_datehelper_time_in_words_hour_about_plural: about %d hours
12 actionview_datehelper_time_in_words_hour_about_single: about an hour
12 actionview_datehelper_time_in_words_hour_about_single: about an hour
13 actionview_datehelper_time_in_words_minute: 1 minute
13 actionview_datehelper_time_in_words_minute: 1 minute
14 actionview_datehelper_time_in_words_minute_half: half a minute
14 actionview_datehelper_time_in_words_minute_half: half a minute
15 actionview_datehelper_time_in_words_minute_less_than: less than a minute
15 actionview_datehelper_time_in_words_minute_less_than: less than a minute
16 actionview_datehelper_time_in_words_minute_plural: %d minutes
16 actionview_datehelper_time_in_words_minute_plural: %d minutes
17 actionview_datehelper_time_in_words_minute_single: 1 minute
17 actionview_datehelper_time_in_words_minute_single: 1 minute
18 actionview_datehelper_time_in_words_second_less_than: less than a second
18 actionview_datehelper_time_in_words_second_less_than: less than a second
19 actionview_datehelper_time_in_words_second_less_than_plural: less than %d seconds
19 actionview_datehelper_time_in_words_second_less_than_plural: less than %d seconds
20 actionview_instancetag_blank_option: Bitte auserwählt
20 actionview_instancetag_blank_option: Bitte auserwählt
21
21
22 activerecord_error_inclusion: ist nicht in der Liste eingeschlossen
22 activerecord_error_inclusion: ist nicht in der Liste eingeschlossen
23 activerecord_error_exclusion: ist reserviert
23 activerecord_error_exclusion: ist reserviert
24 activerecord_error_invalid: ist unzulässig
24 activerecord_error_invalid: ist unzulässig
25 activerecord_error_confirmation: bringt nicht Bestätigung zusammen
25 activerecord_error_confirmation: bringt nicht Bestätigung zusammen
26 activerecord_error_accepted: muß angenommen werden
26 activerecord_error_accepted: muß angenommen werden
27 activerecord_error_empty: kann nicht leer sein
27 activerecord_error_empty: kann nicht leer sein
28 activerecord_error_blank: kann nicht leer sein
28 activerecord_error_blank: kann nicht leer sein
29 activerecord_error_too_long: ist zu lang
29 activerecord_error_too_long: ist zu lang
30 activerecord_error_too_short: ist zu kurz
30 activerecord_error_too_short: ist zu kurz
31 activerecord_error_wrong_length: ist die falsche Länge
31 activerecord_error_wrong_length: ist die falsche Länge
32 activerecord_error_taken: ist bereits genommen worden
32 activerecord_error_taken: ist bereits genommen worden
33 activerecord_error_not_a_number: ist nicht eine Zahl
33 activerecord_error_not_a_number: ist nicht eine Zahl
34 activerecord_error_not_a_date: ist nicht ein gültiges Datum
34 activerecord_error_not_a_date: ist nicht ein gültiges Datum
35 activerecord_error_greater_than_start_date: muß als grösser sein beginnen Datum
35 activerecord_error_greater_than_start_date: muß als grösser sein beginnen Datum
36
36
37 general_fmt_age: %d yr
37 general_fmt_age: %d yr
38 general_fmt_age_plural: %d yrs
38 general_fmt_age_plural: %d yrs
39 general_fmt_date: %%b %%d, %%Y (%%a)
39 general_fmt_date: %%b %%d, %%Y (%%a)
40 general_fmt_datetime: %%b %%d, %%Y (%%a), %%I:%%M %%p
40 general_fmt_datetime: %%b %%d, %%Y (%%a), %%I:%%M %%p
41 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
41 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
42 general_fmt_time: %%I:%%M %%p
42 general_fmt_time: %%I:%%M %%p
43 general_text_No: 'Nein'
43 general_text_No: 'Nein'
44 general_text_Yes: 'Ja'
44 general_text_Yes: 'Ja'
45 general_text_no: 'nein'
45 general_text_no: 'nein'
46 general_text_yes: 'ja'
46 general_text_yes: 'ja'
47 general_lang_de: 'Deutsch'
47 general_lang_de: 'Deutsch'
48 general_csv_separator: ';'
48 general_csv_separator: ';'
49 general_day_names: Montag,Dienstag,Mittwoch,Donnerstag,Freitag,Samstag,Sonntag
49 general_day_names: Montag,Dienstag,Mittwoch,Donnerstag,Freitag,Samstag,Sonntag
50
50
51 notice_account_updated: Konto wurde erfolgreich aktualisiert.
51 notice_account_updated: Konto wurde erfolgreich aktualisiert.
52 notice_account_invalid_creditentials: Unzulässiger Benutzer oder Passwort
52 notice_account_invalid_creditentials: Unzulässiger Benutzer oder Passwort
53 notice_account_password_updated: Passwort wurde erfolgreich aktualisiert.
53 notice_account_password_updated: Passwort wurde erfolgreich aktualisiert.
54 notice_account_wrong_password: Falsches Passwort
54 notice_account_wrong_password: Falsches Passwort
55 notice_account_register_done: Konto wurde erfolgreich verursacht.
55 notice_account_register_done: Konto wurde erfolgreich verursacht.
56 notice_account_unknown_email: Unbekannter Benutzer.
56 notice_account_unknown_email: Unbekannter Benutzer.
57 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentisierung Quelle. Unmöglich, das Kennwort zu ändern.
57 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentisierung Quelle. Unmöglich, das Kennwort zu ändern.
58 notice_account_lost_email_sent: Ein email mit Anweisungen, ein neues Kennwort zu wählen ist dir geschickt worden.
58 notice_account_lost_email_sent: Ein email mit Anweisungen, ein neues Kennwort zu wählen ist dir geschickt worden.
59 notice_account_activated: Dein Konto ist aktiviert worden. Du kannst jetzt einloggen.
59 notice_account_activated: Dein Konto ist aktiviert worden. Du kannst jetzt einloggen.
60 notice_successful_create: Erfolgreiche Kreation.
60 notice_successful_create: Erfolgreiche Kreation.
61 notice_successful_update: Erfolgreiches Update.
61 notice_successful_update: Erfolgreiches Update.
62 notice_successful_delete: Erfolgreiche Auslassung.
62 notice_successful_delete: Erfolgreiche Auslassung.
63 notice_successful_connection: Erfolgreicher Anschluß.
63 notice_successful_connection: Erfolgreicher Anschluß.
64 notice_file_not_found: Erbetene Akte besteht nicht oder ist gelöscht worden.
64 notice_file_not_found: Erbetene Akte besteht nicht oder ist gelöscht worden.
65 notice_locking_conflict: Data have been updated by another user.
65 notice_locking_conflict: Data have been updated by another user.
66 notice_scm_error: Eintragung und/oder Neuausgabe besteht nicht im Behälter.
66 notice_scm_error: Eintragung und/oder Neuausgabe besteht nicht im Behälter.
67
67
68 mail_subject_lost_password: Dein redMine Kennwort
68 mail_subject_lost_password: Dein redMine Kennwort
69 mail_subject_register: redMine Kontoaktivierung
69 mail_subject_register: redMine Kontoaktivierung
70
70
71 gui_validation_error: 1 Störung
71 gui_validation_error: 1 Störung
72 gui_validation_error_plural: %d Störungen
72 gui_validation_error_plural: %d Störungen
73
73
74 field_name: Name
74 field_name: Name
75 field_description: Beschreibung
75 field_description: Beschreibung
76 field_summary: Zusammenfassung
76 field_summary: Zusammenfassung
77 field_is_required: Erforderlich
77 field_is_required: Erforderlich
78 field_firstname: Vorname
78 field_firstname: Vorname
79 field_lastname: Nachname
79 field_lastname: Nachname
80 field_mail: Email
80 field_mail: Email
81 field_filename: Datei
81 field_filename: Datei
82 field_filesize: Grootte
82 field_filesize: Grootte
83 field_downloads: Downloads
83 field_downloads: Downloads
84 field_author: Autor
84 field_author: Autor
85 field_created_on: Angelegt
85 field_created_on: Angelegt
86 field_updated_on: aktualisiert
86 field_updated_on: aktualisiert
87 field_field_format: Format
87 field_field_format: Format
88 field_is_for_all: Für alle Projekte
88 field_is_for_all: Für alle Projekte
89 field_possible_values: Mögliche Werte
89 field_possible_values: Mögliche Werte
90 field_regexp: Regulärer Ausdruck
90 field_regexp: Regulärer Ausdruck
91 field_min_length: Minimale Länge
91 field_min_length: Minimale Länge
92 field_max_length: Maximale Länge
92 field_max_length: Maximale Länge
93 field_value: Wert
93 field_value: Wert
94 field_category: Kategorie
94 field_category: Kategorie
95 field_title: Títel
95 field_title: Títel
96 field_project: Projekt
96 field_project: Projekt
97 field_issue: Antrag
97 field_issue: Antrag
98 field_status: Status
98 field_status: Status
99 field_notes: Anmerkungen
99 field_notes: Anmerkungen
100 field_is_closed: Problem erledigt
100 field_is_closed: Problem erledigt
101 field_is_default: Rückstellung status
101 field_is_default: Rückstellung status
102 field_html_color: Farbe
102 field_html_color: Farbe
103 field_tracker: Tracker
103 field_tracker: Tracker
104 field_subject: Thema
104 field_subject: Thema
105 field_due_date: Abgabedatum
105 field_due_date: Abgabedatum
106 field_assigned_to: Zugewiesen an
106 field_assigned_to: Zugewiesen an
107 field_priority: Priorität
107 field_priority: Priorität
108 field_fixed_version: Erledigt in Version
108 field_fixed_version: Erledigt in Version
109 field_user: Benutzer
109 field_user: Benutzer
110 field_role: Rolle
110 field_role: Rolle
111 field_homepage: Startseite
111 field_homepage: Startseite
112 field_is_public: Öffentlich
112 field_is_public: Öffentlich
113 field_parent: Subprojekt von
113 field_parent: Subprojekt von
114 field_is_in_chlog: Ansicht der Issues in der Historie
114 field_is_in_chlog: Ansicht der Issues in der Historie
115 field_login: Mitgliedsname
115 field_login: Mitgliedsname
116 field_mail_notification: Mailbenachrichtigung
116 field_mail_notification: Mailbenachrichtigung
117 field_admin: Administrator
117 field_admin: Administrator
118 field_locked: Gesperrt
118 field_locked: Gesperrt
119 field_last_login_on: Letzte Anmeldung
119 field_last_login_on: Letzte Anmeldung
120 field_language: Sprache
120 field_language: Sprache
121 field_effective_date: Datum
121 field_effective_date: Datum
122 field_password: Passwort
122 field_password: Passwort
123 field_new_password: Neues Passwort
123 field_new_password: Neues Passwort
124 field_password_confirmation: Bestätigung
124 field_password_confirmation: Bestätigung
125 field_version: Version
125 field_version: Version
126 field_type: Typ
126 field_type: Typ
127 field_host: Host
127 field_host: Host
128 field_port: Port
128 field_port: Port
129 field_account: Konto
129 field_account: Konto
130 field_base_dn: Base DN
130 field_base_dn: Base DN
131 field_attr_login: Mitgliedsnameattribut
131 field_attr_login: Mitgliedsnameattribut
132 field_attr_firstname: Vornamensattribut
132 field_attr_firstname: Vornamensattribut
133 field_attr_lastname: Namenattribut
133 field_attr_lastname: Namenattribut
134 field_attr_mail: Emailattribut
134 field_attr_mail: Emailattribut
135 field_onthefly: On-the-fly Benutzerkreation
135 field_onthefly: On-the-fly Benutzerkreation
136 field_start_date: Beginn
136 field_start_date: Beginn
137 field_done_ratio: %% Getan
137 field_done_ratio: %% Getan
138 field_hide_mail: Mein email address verstecken
138 field_hide_mail: Mein email address verstecken
139 field_comment: Anmerkung
139 field_comment: Anmerkung
140 field_url: URL
140 field_url: URL
141
141
142 label_user: Benutzer
142 label_user: Benutzer
143 label_user_plural: Benutzer
143 label_user_plural: Benutzer
144 label_user_new: Neuer Benutzer
144 label_user_new: Neuer Benutzer
145 label_project: Projekt
145 label_project: Projekt
146 label_project_new: Neues Projekt
146 label_project_new: Neues Projekt
147 label_project_plural: Projekte
147 label_project_plural: Projekte
148 label_project_latest: Neueste Projekte
148 label_project_latest: Neueste Projekte
149 label_issue: Antrag
149 label_issue: Antrag
150 label_issue_new: Neue Antrag
150 label_issue_new: Neue Antrag
151 label_issue_plural: Anträge
151 label_issue_plural: Anträge
152 label_issue_view_all: Alle Anträge ansehen
152 label_issue_view_all: Alle Anträge ansehen
153 label_document: Dokument
153 label_document: Dokument
154 label_document_new: Neues Dokument
154 label_document_new: Neues Dokument
155 label_document_plural: Dokumente
155 label_document_plural: Dokumente
156 label_role: Rolle
156 label_role: Rolle
157 label_role_plural: Rollen
157 label_role_plural: Rollen
158 label_role_new: Neue Rolle
158 label_role_new: Neue Rolle
159 label_role_and_permissions: Rollen und Rechte
159 label_role_and_permissions: Rollen und Rechte
160 label_member: Mitglied
160 label_member: Mitglied
161 label_member_new: Neues Mitglied
161 label_member_new: Neues Mitglied
162 label_member_plural: Mitglieder
162 label_member_plural: Mitglieder
163 label_tracker: Tracker
163 label_tracker: Tracker
164 label_tracker_plural: Tracker
164 label_tracker_plural: Tracker
165 label_tracker_new: Neuer Tracker
165 label_tracker_new: Neuer Tracker
166 label_workflow: Workflow
166 label_workflow: Workflow
167 label_issue_status: Antrag Status
167 label_issue_status: Antrag Status
168 label_issue_status_plural: Antrag Stati
168 label_issue_status_plural: Antrag Stati
169 label_issue_status_new: Neuer Status
169 label_issue_status_new: Neuer Status
170 label_issue_category: Antrag Kategorie
170 label_issue_category: Antrag Kategorie
171 label_issue_category_plural: Antrag Kategorien
171 label_issue_category_plural: Antrag Kategorien
172 label_issue_category_new: Neue Kategorie
172 label_issue_category_new: Neue Kategorie
173 label_custom_field: Benutzerdefiniertes Feld
173 label_custom_field: Benutzerdefiniertes Feld
174 label_custom_field_plural: Benutzerdefinierte Felder
174 label_custom_field_plural: Benutzerdefinierte Felder
175 label_custom_field_new: Neues Feld
175 label_custom_field_new: Neues Feld
176 label_enumerations: Enumerationen
176 label_enumerations: Enumerationen
177 label_enumeration_new: Neuer Wert
177 label_enumeration_new: Neuer Wert
178 label_information: Information
178 label_information: Information
179 label_information_plural: Informationen
179 label_information_plural: Informationen
180 label_please_login: Anmelden
180 label_please_login: Anmelden
181 label_register: Anmelden
181 label_register: Anmelden
182 label_password_lost: Passwort vergessen
182 label_password_lost: Passwort vergessen
183 label_home: Hauptseite
183 label_home: Hauptseite
184 label_my_page: Meine Seite
184 label_my_page: Meine Seite
185 label_my_account: Mein Konto
185 label_my_account: Mein Konto
186 label_my_projects: Meine Projekte
186 label_my_projects: Meine Projekte
187 label_administration: Administration
187 label_administration: Administration
188 label_login: Einloggen
188 label_login: Einloggen
189 label_logout: Abmelden
189 label_logout: Abmelden
190 label_help: Hilfe
190 label_help: Hilfe
191 label_reported_issues: Gemeldete Issues
191 label_reported_issues: Gemeldete Issues
192 label_assigned_to_me_issues: Mir zugewiesen
192 label_assigned_to_me_issues: Mir zugewiesen
193 label_last_login: Letzte Anmeldung
193 label_last_login: Letzte Anmeldung
194 label_last_updates: Letztes aktualisiertes
194 label_last_updates: Letztes aktualisiertes
195 label_last_updates_plural: %d Letztes aktualisiertes
195 label_last_updates_plural: %d Letztes aktualisiertes
196 label_registered_on: Angemeldet am
196 label_registered_on: Angemeldet am
197 label_activity: Aktivität
197 label_activity: Aktivität
198 label_new: Neue
198 label_new: Neue
199 label_logged_as: Angemeldet als
199 label_logged_as: Angemeldet als
200 label_environment: Environment
200 label_environment: Environment
201 label_authentication: Authentisierung
201 label_authentication: Authentisierung
202 label_auth_source: Authentisierung Modus
202 label_auth_source: Authentisierung Modus
203 label_auth_source_new: Neuer Authentisierung Modus
203 label_auth_source_new: Neuer Authentisierung Modus
204 label_auth_source_plural: Authentisierung Modi
204 label_auth_source_plural: Authentisierung Modi
205 label_subproject: Vorprojekt von
205 label_subproject: Vorprojekt von
206 label_subproject_plural: Vorprojekte
206 label_subproject_plural: Vorprojekte
207 label_min_max_length: Min - Max Länge
207 label_min_max_length: Min - Max Länge
208 label_list: Liste
208 label_list: Liste
209 label_date: Date
209 label_date: Date
210 label_integer: Zahl
210 label_integer: Zahl
211 label_boolean: Boolesch
211 label_boolean: Boolesch
212 label_string: Text
212 label_string: Text
213 label_text: Langer Text
213 label_text: Langer Text
214 label_attribute: Attribut
214 label_attribute: Attribut
215 label_attribute_plural: Attribute
215 label_attribute_plural: Attribute
216 label_download: %d Herunterlade
216 label_download: %d Herunterlade
217 label_download_plural: %d Herunterlade
217 label_download_plural: %d Herunterlade
218 label_no_data: Nichts anzuzeigen
218 label_no_data: Nichts anzuzeigen
219 label_change_status: Statuswechsel
219 label_change_status: Statuswechsel
220 label_history: Historie
220 label_history: Historie
221 label_attachment: Datei
221 label_attachment: Datei
222 label_attachment_new: Neue Datei
222 label_attachment_new: Neue Datei
223 label_attachment_delete: Löschungakten
223 label_attachment_delete: Löschungakten
224 label_attachment_plural: Dateien
224 label_attachment_plural: Dateien
225 label_report: Bericht
225 label_report: Bericht
226 label_report_plural: Berichte
226 label_report_plural: Berichte
227 label_news: Neuigkeit
227 label_news: Neuigkeit
228 label_news_new: Neuigkeite addieren
228 label_news_new: Neuigkeite addieren
229 label_news_plural: Neuigkeiten
229 label_news_plural: Neuigkeiten
230 label_news_latest: Letzte Neuigkeiten
230 label_news_latest: Letzte Neuigkeiten
231 label_news_view_all: Alle Neuigkeiten anzeigen
231 label_news_view_all: Alle Neuigkeiten anzeigen
232 label_change_log: Change log
232 label_change_log: Change log
233 label_settings: Konfiguration
233 label_settings: Konfiguration
234 label_overview: Übersicht
234 label_overview: Übersicht
235 label_version: Version
235 label_version: Version
236 label_version_new: Neue Version
236 label_version_new: Neue Version
237 label_version_plural: Versionen
237 label_version_plural: Versionen
238 label_confirmation: Bestätigung
238 label_confirmation: Bestätigung
239 label_export_to: Export zu
239 label_export_to: Export zu
240 label_read: Lesen...
240 label_read: Lesen...
241 label_public_projects: Öffentliche Projekte
241 label_public_projects: Öffentliche Projekte
242 label_open_issues: Geöffnet
242 label_open_issues: Geöffnet
243 label_open_issues_plural: Geöffnet
243 label_open_issues_plural: Geöffnet
244 label_closed_issues: Geschlossen
244 label_closed_issues: Geschlossen
245 label_closed_issues_plural: Geschlossen
245 label_closed_issues_plural: Geschlossen
246 label_total: Gesamtzahl
246 label_total: Gesamtzahl
247 label_permissions: Berechtigungen
247 label_permissions: Berechtigungen
248 label_current_status: Gegenwärtiger Status
248 label_current_status: Gegenwärtiger Status
249 label_new_statuses_allowed: Neue Status gewährten
249 label_new_statuses_allowed: Neue Status gewährten
250 label_all: Alle
250 label_all: Alle
251 label_none: Kein
251 label_none: Kein
252 label_next: Weiter
252 label_next: Weiter
253 label_previous: Zurück
253 label_previous: Zurück
254 label_used_by: Benutzt von
254 label_used_by: Benutzt von
255 label_details: Details...
255 label_details: Details...
256 label_add_note: Eine Anmerkung addieren
256 label_add_note: Eine Anmerkung addieren
257 label_per_page: Pro Seite
257 label_per_page: Pro Seite
258 label_calendar: Kalender
258 label_calendar: Kalender
259 label_months_from: Monate von
259 label_months_from: Monate von
260 label_gantt: Gantt
260 label_gantt: Gantt
261 label_internal: Intern
261 label_internal: Intern
262 label_last_changes: %d änderungen des Letzten
262 label_last_changes: %d änderungen des Letzten
263 label_change_view_all: Alle änderungen ansehen
263 label_change_view_all: Alle änderungen ansehen
264 label_personalize_page: Diese Seite personifizieren
264 label_personalize_page: Diese Seite personifizieren
265 label_comment: Anmerkung
265 label_comment: Anmerkung
266 label_comment_plural: Anmerkungen
266 label_comment_plural: Anmerkungen
267 label_comment_add: Anmerkung addieren
267 label_comment_add: Anmerkung addieren
268 label_comment_added: Anmerkung fügte hinzu
268 label_comment_added: Anmerkung fügte hinzu
269 label_comment_delete: Anmerkungen löschen
269 label_comment_delete: Anmerkungen löschen
270 label_query: Benutzerdefiniertes Frage
270 label_query: Benutzerdefiniertes Frage
271 label_query_plural: Benutzerdefinierte Fragen
271 label_query_plural: Benutzerdefinierte Fragen
272 label_query_new: Neue Frage
272 label_query_new: Neue Frage
273 label_filter_add: Filter addieren
273 label_filter_add: Filter addieren
274 label_filter_plural: Filter
274 label_filter_plural: Filter
275 label_equals: ist
275 label_equals: ist
276 label_not_equals: ist nicht
276 label_not_equals: ist nicht
277 label_in_less_than: an weniger als
277 label_in_less_than: an weniger als
278 label_in_more_than: an mehr als
278 label_in_more_than: an mehr als
279 label_in: an
279 label_in: an
280 label_today: heute
280 label_today: heute
281 label_less_than_ago: vor weniger als
281 label_less_than_ago: vor weniger als
282 label_more_than_ago: vor mehr als
282 label_more_than_ago: vor mehr als
283 label_ago: vor
283 label_ago: vor
284 label_contains: enthält
284 label_contains: enthält
285 label_not_contains: enthält nicht
285 label_not_contains: enthält nicht
286 label_day_plural: Tage
286 label_day_plural: Tage
287 label_repository: SVN Behälter
287 label_repository: SVN Behälter
288 label_browse: Grasen
288 label_browse: Grasen
289 label_modification: %d änderung
289 label_modification: %d änderung
290 label_modification_plural: %d änderungen
290 label_modification_plural: %d änderungen
291 label_revision: Neuausgabe
291 label_revision: Neuausgabe
292 label_revision_plural: Neuausgaben
292 label_revision_plural: Neuausgaben
293 label_added: hinzugefügt
293 label_added: hinzugefügt
294 label_modified: geändert
294 label_modified: geändert
295 label_deleted: gelöscht
295 label_deleted: gelöscht
296 label_latest_revision: Neueste Neuausgabe
296 label_latest_revision: Neueste Neuausgabe
297 label_view_revisions: Die Neuausgaben ansehen
297 label_view_revisions: Die Neuausgaben ansehen
298 label_max_size: Maximale Größe
298
299
299 button_login: Einloggen
300 button_login: Einloggen
300 button_submit: Einreichen
301 button_submit: Einreichen
301 button_save: Speichern
302 button_save: Speichern
302 button_check_all: Alles auswählen
303 button_check_all: Alles auswählen
303 button_uncheck_all: Alles abwählen
304 button_uncheck_all: Alles abwählen
304 button_delete: Löschen
305 button_delete: Löschen
305 button_create: Anlegen
306 button_create: Anlegen
306 button_test: Testen
307 button_test: Testen
307 button_edit: Bearbeiten
308 button_edit: Bearbeiten
308 button_add: Hinzufügen
309 button_add: Hinzufügen
309 button_change: Wechseln
310 button_change: Wechseln
310 button_apply: Anwenden
311 button_apply: Anwenden
311 button_clear: Zurücksetzen
312 button_clear: Zurücksetzen
312 button_lock: Verriegeln
313 button_lock: Verriegeln
313 button_unlock: Entriegeln
314 button_unlock: Entriegeln
314 button_download: Fernzuladen
315 button_download: Fernzuladen
315 button_list: Aufzulisten
316 button_list: Aufzulisten
316 button_view: Siehe
317 button_view: Siehe
317 button_move: Bewegen
318 button_move: Bewegen
318 button_back: Rückkehr
319 button_back: Rückkehr
319 button_cancel: Annullieren
320 button_cancel: Annullieren
320
321
321 text_select_mail_notifications: Aktionen für die Mailbenachrichtigung aktiviert werden soll.
322 text_select_mail_notifications: Aktionen für die Mailbenachrichtigung aktiviert werden soll.
322 text_regexp_info: eg. ^[A-Z0-9]+$
323 text_regexp_info: eg. ^[A-Z0-9]+$
323 text_min_max_length_info: 0 heisst keine Beschränkung
324 text_min_max_length_info: 0 heisst keine Beschränkung
324 text_possible_values_info: Werte trennten sich mit |
325 text_possible_values_info: Werte trennten sich mit |
325 text_project_destroy_confirmation: Sind sie sicher, daß sie das Projekt löschen wollen ?
326 text_project_destroy_confirmation: Sind sie sicher, daß sie das Projekt löschen wollen ?
326 text_workflow_edit: Auswahl Workflow zum Bearbeiten
327 text_workflow_edit: Auswahl Workflow zum Bearbeiten
327 text_are_you_sure: Sind sie sicher ?
328 text_are_you_sure: Sind sie sicher ?
328 text_journal_changed: geändert von %s zu %s
329 text_journal_changed: geändert von %s zu %s
329 text_journal_set_to: gestellt zu %s
330 text_journal_set_to: gestellt zu %s
330 text_journal_deleted: gelöscht
331 text_journal_deleted: gelöscht
331 text_tip_task_begin_day: Aufgabe, die an diesem Tag beginnt
332 text_tip_task_begin_day: Aufgabe, die an diesem Tag beginnt
332 text_tip_task_end_day: Aufgabe, die an diesem Tag beendet
333 text_tip_task_end_day: Aufgabe, die an diesem Tag beendet
333 text_tip_task_begin_end_day: Aufgabe, die an diesem Tag beginnt und beendet
334 text_tip_task_begin_end_day: Aufgabe, die an diesem Tag beginnt und beendet
334
335
335 default_role_manager: Manager
336 default_role_manager: Manager
336 default_role_developper: Developer
337 default_role_developper: Developer
337 default_role_reporter: Reporter
338 default_role_reporter: Reporter
338 default_tracker_bug: Fehler
339 default_tracker_bug: Fehler
339 default_tracker_feature: Feature
340 default_tracker_feature: Feature
340 default_tracker_support: Support
341 default_tracker_support: Support
341 default_issue_status_new: Neu
342 default_issue_status_new: Neu
342 default_issue_status_assigned: Zugewiesen
343 default_issue_status_assigned: Zugewiesen
343 default_issue_status_resolved: Gelöst
344 default_issue_status_resolved: Gelöst
344 default_issue_status_feedback: Feedback
345 default_issue_status_feedback: Feedback
345 default_issue_status_closed: Erledigt
346 default_issue_status_closed: Erledigt
346 default_issue_status_rejected: Abgewiesen
347 default_issue_status_rejected: Abgewiesen
347 default_doc_category_user: Benutzerdokumentation
348 default_doc_category_user: Benutzerdokumentation
348 default_doc_category_tech: Technische Dokumentation
349 default_doc_category_tech: Technische Dokumentation
349 default_priority_low: Niedrig
350 default_priority_low: Niedrig
350 default_priority_normal: Normal
351 default_priority_normal: Normal
351 default_priority_high: Hoch
352 default_priority_high: Hoch
352 default_priority_urgent: Dringend
353 default_priority_urgent: Dringend
353 default_priority_immediate: Sofort
354 default_priority_immediate: Sofort
354
355
355 enumeration_issue_priorities: Issue-Prioritäten
356 enumeration_issue_priorities: Issue-Prioritäten
356 enumeration_doc_categories: Dokumentenkategorien
357 enumeration_doc_categories: Dokumentenkategorien
@@ -1,356 +1,357
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: January,February,March,April,May,June,July,August,September,October,November,December
4 actionview_datehelper_select_month_names: January,February,March,April,May,June,July,August,September,October,November,December
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Mar,Apr,May,Jun,Jul,Aug,Sep,Oct,Nov,Dec
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Mar,Apr,May,Jun,Jul,Aug,Sep,Oct,Nov,Dec
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 day
8 actionview_datehelper_time_in_words_day: 1 day
9 actionview_datehelper_time_in_words_day_plural: %d days
9 actionview_datehelper_time_in_words_day_plural: %d days
10 actionview_datehelper_time_in_words_hour_about: about an hour
10 actionview_datehelper_time_in_words_hour_about: about an hour
11 actionview_datehelper_time_in_words_hour_about_plural: about %d hours
11 actionview_datehelper_time_in_words_hour_about_plural: about %d hours
12 actionview_datehelper_time_in_words_hour_about_single: about an hour
12 actionview_datehelper_time_in_words_hour_about_single: about an hour
13 actionview_datehelper_time_in_words_minute: 1 minute
13 actionview_datehelper_time_in_words_minute: 1 minute
14 actionview_datehelper_time_in_words_minute_half: half a minute
14 actionview_datehelper_time_in_words_minute_half: half a minute
15 actionview_datehelper_time_in_words_minute_less_than: less than a minute
15 actionview_datehelper_time_in_words_minute_less_than: less than a minute
16 actionview_datehelper_time_in_words_minute_plural: %d minutes
16 actionview_datehelper_time_in_words_minute_plural: %d minutes
17 actionview_datehelper_time_in_words_minute_single: 1 minute
17 actionview_datehelper_time_in_words_minute_single: 1 minute
18 actionview_datehelper_time_in_words_second_less_than: less than a second
18 actionview_datehelper_time_in_words_second_less_than: less than a second
19 actionview_datehelper_time_in_words_second_less_than_plural: less than %d seconds
19 actionview_datehelper_time_in_words_second_less_than_plural: less than %d seconds
20 actionview_instancetag_blank_option: Please select
20 actionview_instancetag_blank_option: Please select
21
21
22 activerecord_error_inclusion: is not included in the list
22 activerecord_error_inclusion: is not included in the list
23 activerecord_error_exclusion: is reserved
23 activerecord_error_exclusion: is reserved
24 activerecord_error_invalid: is invalid
24 activerecord_error_invalid: is invalid
25 activerecord_error_confirmation: doesn't match confirmation
25 activerecord_error_confirmation: doesn't match confirmation
26 activerecord_error_accepted: must be accepted
26 activerecord_error_accepted: must be accepted
27 activerecord_error_empty: can't be empty
27 activerecord_error_empty: can't be empty
28 activerecord_error_blank: can't be blank
28 activerecord_error_blank: can't be blank
29 activerecord_error_too_long: is too long
29 activerecord_error_too_long: is too long
30 activerecord_error_too_short: is too short
30 activerecord_error_too_short: is too short
31 activerecord_error_wrong_length: is the wrong length
31 activerecord_error_wrong_length: is the wrong length
32 activerecord_error_taken: has already been taken
32 activerecord_error_taken: has already been taken
33 activerecord_error_not_a_number: is not a number
33 activerecord_error_not_a_number: is not a number
34 activerecord_error_not_a_date: is not a valid date
34 activerecord_error_not_a_date: is not a valid date
35 activerecord_error_greater_than_start_date: must be greater than start date
35 activerecord_error_greater_than_start_date: must be greater than start date
36
36
37 general_fmt_age: %d yr
37 general_fmt_age: %d yr
38 general_fmt_age_plural: %d yrs
38 general_fmt_age_plural: %d yrs
39 general_fmt_date: %%m/%%d/%%Y
39 general_fmt_date: %%m/%%d/%%Y
40 general_fmt_datetime: %%m/%%d/%%Y %%I:%%M %%p
40 general_fmt_datetime: %%m/%%d/%%Y %%I:%%M %%p
41 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
41 general_fmt_datetime_short: %%b %%d, %%I:%%M %%p
42 general_fmt_time: %%I:%%M %%p
42 general_fmt_time: %%I:%%M %%p
43 general_text_No: 'No'
43 general_text_No: 'No'
44 general_text_Yes: 'Yes'
44 general_text_Yes: 'Yes'
45 general_text_no: 'no'
45 general_text_no: 'no'
46 general_text_yes: 'yes'
46 general_text_yes: 'yes'
47 general_lang_en: 'English'
47 general_lang_en: 'English'
48 general_csv_separator: ','
48 general_csv_separator: ','
49 general_day_names: Monday,Tuesday,Wednesday,Thursday,Friday,Saturday,Sunday
49 general_day_names: Monday,Tuesday,Wednesday,Thursday,Friday,Saturday,Sunday
50
50
51 notice_account_updated: Account was successfully updated.
51 notice_account_updated: Account was successfully updated.
52 notice_account_invalid_creditentials: Invalid user or password
52 notice_account_invalid_creditentials: Invalid user or password
53 notice_account_password_updated: Password was successfully updated.
53 notice_account_password_updated: Password was successfully updated.
54 notice_account_wrong_password: Wrong password
54 notice_account_wrong_password: Wrong password
55 notice_account_register_done: Account was successfully created.
55 notice_account_register_done: Account was successfully created.
56 notice_account_unknown_email: Unknown user.
56 notice_account_unknown_email: Unknown user.
57 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
57 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
58 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
58 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
59 notice_account_activated: Your account has been activated. You can now log in.
59 notice_account_activated: Your account has been activated. You can now log in.
60 notice_successful_create: Successful creation.
60 notice_successful_create: Successful creation.
61 notice_successful_update: Successful update.
61 notice_successful_update: Successful update.
62 notice_successful_delete: Successful deletion.
62 notice_successful_delete: Successful deletion.
63 notice_successful_connection: Successful connection.
63 notice_successful_connection: Successful connection.
64 notice_file_not_found: Requested file doesn't exist or has been deleted.
64 notice_file_not_found: Requested file doesn't exist or has been deleted.
65 notice_locking_conflict: Data have been updated by another user.
65 notice_locking_conflict: Data have been updated by another user.
66 notice_scm_error: Entry and/or revision doesn't exist in the repository.
66 notice_scm_error: Entry and/or revision doesn't exist in the repository.
67
67
68 mail_subject_lost_password: Your redMine password
68 mail_subject_lost_password: Your redMine password
69 mail_subject_register: redMine account activation
69 mail_subject_register: redMine account activation
70
70
71 gui_validation_error: 1 error
71 gui_validation_error: 1 error
72 gui_validation_error_plural: %d errors
72 gui_validation_error_plural: %d errors
73
73
74 field_name: Name
74 field_name: Name
75 field_description: Description
75 field_description: Description
76 field_summary: Summary
76 field_summary: Summary
77 field_is_required: Required
77 field_is_required: Required
78 field_firstname: Firstname
78 field_firstname: Firstname
79 field_lastname: Lastname
79 field_lastname: Lastname
80 field_mail: Email
80 field_mail: Email
81 field_filename: File
81 field_filename: File
82 field_filesize: Size
82 field_filesize: Size
83 field_downloads: Downloads
83 field_downloads: Downloads
84 field_author: Author
84 field_author: Author
85 field_created_on: Created
85 field_created_on: Created
86 field_updated_on: Updated
86 field_updated_on: Updated
87 field_field_format: Format
87 field_field_format: Format
88 field_is_for_all: For all projects
88 field_is_for_all: For all projects
89 field_possible_values: Possible values
89 field_possible_values: Possible values
90 field_regexp: Regular expression
90 field_regexp: Regular expression
91 field_min_length: Minimum length
91 field_min_length: Minimum length
92 field_max_length: Maximum length
92 field_max_length: Maximum length
93 field_value: Value
93 field_value: Value
94 field_category: Category
94 field_category: Category
95 field_title: Title
95 field_title: Title
96 field_project: Project
96 field_project: Project
97 field_issue: Issue
97 field_issue: Issue
98 field_status: Status
98 field_status: Status
99 field_notes: Notes
99 field_notes: Notes
100 field_is_closed: Issue closed
100 field_is_closed: Issue closed
101 field_is_default: Default status
101 field_is_default: Default status
102 field_html_color: Color
102 field_html_color: Color
103 field_tracker: Tracker
103 field_tracker: Tracker
104 field_subject: Subject
104 field_subject: Subject
105 field_due_date: Due date
105 field_due_date: Due date
106 field_assigned_to: Assigned to
106 field_assigned_to: Assigned to
107 field_priority: Priority
107 field_priority: Priority
108 field_fixed_version: Fixed version
108 field_fixed_version: Fixed version
109 field_user: User
109 field_user: User
110 field_role: Role
110 field_role: Role
111 field_homepage: Homepage
111 field_homepage: Homepage
112 field_is_public: Public
112 field_is_public: Public
113 field_parent: Subproject of
113 field_parent: Subproject of
114 field_is_in_chlog: Issues displayed in changelog
114 field_is_in_chlog: Issues displayed in changelog
115 field_login: Login
115 field_login: Login
116 field_mail_notification: Mail notifications
116 field_mail_notification: Mail notifications
117 field_admin: Administrator
117 field_admin: Administrator
118 field_locked: Locked
118 field_locked: Locked
119 field_last_login_on: Last connection
119 field_last_login_on: Last connection
120 field_language: Language
120 field_language: Language
121 field_effective_date: Date
121 field_effective_date: Date
122 field_password: Password
122 field_password: Password
123 field_new_password: New password
123 field_new_password: New password
124 field_password_confirmation: Confirmation
124 field_password_confirmation: Confirmation
125 field_version: Version
125 field_version: Version
126 field_type: Type
126 field_type: Type
127 field_host: Host
127 field_host: Host
128 field_port: Port
128 field_port: Port
129 field_account: Account
129 field_account: Account
130 field_base_dn: Base DN
130 field_base_dn: Base DN
131 field_attr_login: Login attribute
131 field_attr_login: Login attribute
132 field_attr_firstname: Firstname attribute
132 field_attr_firstname: Firstname attribute
133 field_attr_lastname: Lastname attribute
133 field_attr_lastname: Lastname attribute
134 field_attr_mail: Email attribute
134 field_attr_mail: Email attribute
135 field_onthefly: On-the-fly user creation
135 field_onthefly: On-the-fly user creation
136 field_start_date: Start
136 field_start_date: Start
137 field_done_ratio: %% Done
137 field_done_ratio: %% Done
138 field_hide_mail: Hide my email address
138 field_hide_mail: Hide my email address
139 field_comment: Comment
139 field_comment: Comment
140 field_url: URL
140 field_url: URL
141
141
142 label_user: User
142 label_user: User
143 label_user_plural: Users
143 label_user_plural: Users
144 label_user_new: New user
144 label_user_new: New user
145 label_project: Project
145 label_project: Project
146 label_project_new: New project
146 label_project_new: New project
147 label_project_plural: Projects
147 label_project_plural: Projects
148 label_project_latest: Latest projects
148 label_project_latest: Latest projects
149 label_issue: Issue
149 label_issue: Issue
150 label_issue_new: New issue
150 label_issue_new: New issue
151 label_issue_plural: Issues
151 label_issue_plural: Issues
152 label_issue_view_all: View all issues
152 label_issue_view_all: View all issues
153 label_document: Document
153 label_document: Document
154 label_document_new: New document
154 label_document_new: New document
155 label_document_plural: Documents
155 label_document_plural: Documents
156 label_role: Role
156 label_role: Role
157 label_role_plural: Roles
157 label_role_plural: Roles
158 label_role_new: New role
158 label_role_new: New role
159 label_role_and_permissions: Roles and permissions
159 label_role_and_permissions: Roles and permissions
160 label_member: Member
160 label_member: Member
161 label_member_new: New member
161 label_member_new: New member
162 label_member_plural: Members
162 label_member_plural: Members
163 label_tracker: Tracker
163 label_tracker: Tracker
164 label_tracker_plural: Trackers
164 label_tracker_plural: Trackers
165 label_tracker_new: New tracker
165 label_tracker_new: New tracker
166 label_workflow: Workflow
166 label_workflow: Workflow
167 label_issue_status: Issue status
167 label_issue_status: Issue status
168 label_issue_status_plural: Issue statuses
168 label_issue_status_plural: Issue statuses
169 label_issue_status_new: New status
169 label_issue_status_new: New status
170 label_issue_category: Issue category
170 label_issue_category: Issue category
171 label_issue_category_plural: Issue categories
171 label_issue_category_plural: Issue categories
172 label_issue_category_new: New category
172 label_issue_category_new: New category
173 label_custom_field: Custom field
173 label_custom_field: Custom field
174 label_custom_field_plural: Custom fields
174 label_custom_field_plural: Custom fields
175 label_custom_field_new: New custom field
175 label_custom_field_new: New custom field
176 label_enumerations: Enumerations
176 label_enumerations: Enumerations
177 label_enumeration_new: New value
177 label_enumeration_new: New value
178 label_information: Information
178 label_information: Information
179 label_information_plural: Information
179 label_information_plural: Information
180 label_please_login: Please login
180 label_please_login: Please login
181 label_register: Register
181 label_register: Register
182 label_password_lost: Lost password
182 label_password_lost: Lost password
183 label_home: Home
183 label_home: Home
184 label_my_page: My page
184 label_my_page: My page
185 label_my_account: My account
185 label_my_account: My account
186 label_my_projects: My projects
186 label_my_projects: My projects
187 label_administration: Administration
187 label_administration: Administration
188 label_login: Login
188 label_login: Login
189 label_logout: Logout
189 label_logout: Logout
190 label_help: Help
190 label_help: Help
191 label_reported_issues: Reported issues
191 label_reported_issues: Reported issues
192 label_assigned_to_me_issues: Issues assigned to me
192 label_assigned_to_me_issues: Issues assigned to me
193 label_last_login: Last connection
193 label_last_login: Last connection
194 label_last_updates: Last updated
194 label_last_updates: Last updated
195 label_last_updates_plural: %d last updated
195 label_last_updates_plural: %d last updated
196 label_registered_on: Registered on
196 label_registered_on: Registered on
197 label_activity: Activity
197 label_activity: Activity
198 label_new: New
198 label_new: New
199 label_logged_as: Logged as
199 label_logged_as: Logged as
200 label_environment: Environment
200 label_environment: Environment
201 label_authentication: Authentication
201 label_authentication: Authentication
202 label_auth_source: Authentication mode
202 label_auth_source: Authentication mode
203 label_auth_source_new: New authentication mode
203 label_auth_source_new: New authentication mode
204 label_auth_source_plural: Authentication modes
204 label_auth_source_plural: Authentication modes
205 label_subproject: Subproject
205 label_subproject: Subproject
206 label_subproject_plural: Subprojects
206 label_subproject_plural: Subprojects
207 label_min_max_length: Min - Max length
207 label_min_max_length: Min - Max length
208 label_list: List
208 label_list: List
209 label_date: Date
209 label_date: Date
210 label_integer: Integer
210 label_integer: Integer
211 label_boolean: Boolean
211 label_boolean: Boolean
212 label_string: Text
212 label_string: Text
213 label_text: Long text
213 label_text: Long text
214 label_attribute: Attribute
214 label_attribute: Attribute
215 label_attribute_plural: Attributes
215 label_attribute_plural: Attributes
216 label_download: %d Download
216 label_download: %d Download
217 label_download_plural: %d Downloads
217 label_download_plural: %d Downloads
218 label_no_data: No data to display
218 label_no_data: No data to display
219 label_change_status: Change status
219 label_change_status: Change status
220 label_history: History
220 label_history: History
221 label_attachment: File
221 label_attachment: File
222 label_attachment_new: New file
222 label_attachment_new: New file
223 label_attachment_delete: Delete file
223 label_attachment_delete: Delete file
224 label_attachment_plural: Files
224 label_attachment_plural: Files
225 label_report: Report
225 label_report: Report
226 label_report_plural: Reports
226 label_report_plural: Reports
227 label_news: News
227 label_news: News
228 label_news_new: Add news
228 label_news_new: Add news
229 label_news_plural: News
229 label_news_plural: News
230 label_news_latest: Latest news
230 label_news_latest: Latest news
231 label_news_view_all: View all news
231 label_news_view_all: View all news
232 label_change_log: Change log
232 label_change_log: Change log
233 label_settings: Settings
233 label_settings: Settings
234 label_overview: Overview
234 label_overview: Overview
235 label_version: Version
235 label_version: Version
236 label_version_new: New version
236 label_version_new: New version
237 label_version_plural: Versions
237 label_version_plural: Versions
238 label_confirmation: Confirmation
238 label_confirmation: Confirmation
239 label_export_to: Export to
239 label_export_to: Export to
240 label_read: Read...
240 label_read: Read...
241 label_public_projects: Public projects
241 label_public_projects: Public projects
242 label_open_issues: Open
242 label_open_issues: Open
243 label_open_issues_plural: Open
243 label_open_issues_plural: Open
244 label_closed_issues: Closed
244 label_closed_issues: Closed
245 label_closed_issues_plural: Closed
245 label_closed_issues_plural: Closed
246 label_total: Total
246 label_total: Total
247 label_permissions: Permissions
247 label_permissions: Permissions
248 label_current_status: Current status
248 label_current_status: Current status
249 label_new_statuses_allowed: New statuses allowed
249 label_new_statuses_allowed: New statuses allowed
250 label_all: All
250 label_all: All
251 label_none: None
251 label_none: None
252 label_next: Next
252 label_next: Next
253 label_previous: Previous
253 label_previous: Previous
254 label_used_by: Used by
254 label_used_by: Used by
255 label_details: Details...
255 label_details: Details...
256 label_add_note: Add a note
256 label_add_note: Add a note
257 label_per_page: Per page
257 label_per_page: Per page
258 label_calendar: Calendar
258 label_calendar: Calendar
259 label_months_from: months from
259 label_months_from: months from
260 label_gantt: Gantt
260 label_gantt: Gantt
261 label_internal: Internal
261 label_internal: Internal
262 label_last_changes: last %d changes
262 label_last_changes: last %d changes
263 label_change_view_all: View all changes
263 label_change_view_all: View all changes
264 label_personalize_page: Personalize this page
264 label_personalize_page: Personalize this page
265 label_comment: Comment
265 label_comment: Comment
266 label_comment_plural: Comments
266 label_comment_plural: Comments
267 label_comment_add: Add a comment
267 label_comment_add: Add a comment
268 label_comment_added: Comment added
268 label_comment_added: Comment added
269 label_comment_delete: Delete comments
269 label_comment_delete: Delete comments
270 label_query: Custom query
270 label_query: Custom query
271 label_query_plural: Custom queries
271 label_query_plural: Custom queries
272 label_query_new: New query
272 label_query_new: New query
273 label_filter_add: Add filter
273 label_filter_add: Add filter
274 label_filter_plural: Filters
274 label_filter_plural: Filters
275 label_equals: is
275 label_equals: is
276 label_not_equals: is not
276 label_not_equals: is not
277 label_in_less_than: in less than
277 label_in_less_than: in less than
278 label_in_more_than: in more than
278 label_in_more_than: in more than
279 label_in: in
279 label_in: in
280 label_today: today
280 label_today: today
281 label_less_than_ago: less than days ago
281 label_less_than_ago: less than days ago
282 label_more_than_ago: more than days ago
282 label_more_than_ago: more than days ago
283 label_ago: days ago
283 label_ago: days ago
284 label_contains: contains
284 label_contains: contains
285 label_not_contains: doesn't contain
285 label_not_contains: doesn't contain
286 label_day_plural: days
286 label_day_plural: days
287 label_repository: SVN Repository
287 label_repository: SVN Repository
288 label_browse: Browse
288 label_browse: Browse
289 label_modification: %d change
289 label_modification: %d change
290 label_modification_plural: %d changes
290 label_modification_plural: %d changes
291 label_revision: Revision
291 label_revision: Revision
292 label_revision_plural: Revisions
292 label_revision_plural: Revisions
293 label_added: added
293 label_added: added
294 label_modified: modified
294 label_modified: modified
295 label_deleted: deleted
295 label_deleted: deleted
296 label_latest_revision: Latest revision
296 label_latest_revision: Latest revision
297 label_view_revisions: View revisions
297 label_view_revisions: View revisions
298 label_max_size: Maximum size
298
299
299 button_login: Login
300 button_login: Login
300 button_submit: Submit
301 button_submit: Submit
301 button_save: Save
302 button_save: Save
302 button_check_all: Check all
303 button_check_all: Check all
303 button_uncheck_all: Uncheck all
304 button_uncheck_all: Uncheck all
304 button_delete: Delete
305 button_delete: Delete
305 button_create: Create
306 button_create: Create
306 button_test: Test
307 button_test: Test
307 button_edit: Edit
308 button_edit: Edit
308 button_add: Add
309 button_add: Add
309 button_change: Change
310 button_change: Change
310 button_apply: Apply
311 button_apply: Apply
311 button_clear: Clear
312 button_clear: Clear
312 button_lock: Lock
313 button_lock: Lock
313 button_unlock: Unlock
314 button_unlock: Unlock
314 button_download: Download
315 button_download: Download
315 button_list: List
316 button_list: List
316 button_view: View
317 button_view: View
317 button_move: Move
318 button_move: Move
318 button_back: Back
319 button_back: Back
319 button_cancel: Cancel
320 button_cancel: Cancel
320
321
321 text_select_mail_notifications: Select actions for which mail notifications should be sent.
322 text_select_mail_notifications: Select actions for which mail notifications should be sent.
322 text_regexp_info: eg. ^[A-Z0-9]+$
323 text_regexp_info: eg. ^[A-Z0-9]+$
323 text_min_max_length_info: 0 means no restriction
324 text_min_max_length_info: 0 means no restriction
324 text_possible_values_info: values separated with |
325 text_possible_values_info: values separated with |
325 text_project_destroy_confirmation: Are you sure you want to delete this project and all related data ?
326 text_project_destroy_confirmation: Are you sure you want to delete this project and all related data ?
326 text_workflow_edit: Select a role and a tracker to edit the workflow
327 text_workflow_edit: Select a role and a tracker to edit the workflow
327 text_are_you_sure: Are you sure ?
328 text_are_you_sure: Are you sure ?
328 text_journal_changed: changed from %s to %s
329 text_journal_changed: changed from %s to %s
329 text_journal_set_to: set to %s
330 text_journal_set_to: set to %s
330 text_journal_deleted: deleted
331 text_journal_deleted: deleted
331 text_tip_task_begin_day: task beginning this day
332 text_tip_task_begin_day: task beginning this day
332 text_tip_task_end_day: task ending this day
333 text_tip_task_end_day: task ending this day
333 text_tip_task_begin_end_day: task beginning and ending this day
334 text_tip_task_begin_end_day: task beginning and ending this day
334
335
335 default_role_manager: Manager
336 default_role_manager: Manager
336 default_role_developper: Developer
337 default_role_developper: Developer
337 default_role_reporter: Reporter
338 default_role_reporter: Reporter
338 default_tracker_bug: Bug
339 default_tracker_bug: Bug
339 default_tracker_feature: Feature
340 default_tracker_feature: Feature
340 default_tracker_support: Support
341 default_tracker_support: Support
341 default_issue_status_new: New
342 default_issue_status_new: New
342 default_issue_status_assigned: Assigned
343 default_issue_status_assigned: Assigned
343 default_issue_status_resolved: Resolved
344 default_issue_status_resolved: Resolved
344 default_issue_status_feedback: Feedback
345 default_issue_status_feedback: Feedback
345 default_issue_status_closed: Closed
346 default_issue_status_closed: Closed
346 default_issue_status_rejected: Rejected
347 default_issue_status_rejected: Rejected
347 default_doc_category_user: User documentation
348 default_doc_category_user: User documentation
348 default_doc_category_tech: Technical documentation
349 default_doc_category_tech: Technical documentation
349 default_priority_low: Low
350 default_priority_low: Low
350 default_priority_normal: Normal
351 default_priority_normal: Normal
351 default_priority_high: High
352 default_priority_high: High
352 default_priority_urgent: Urgent
353 default_priority_urgent: Urgent
353 default_priority_immediate: Immediate
354 default_priority_immediate: Immediate
354
355
355 enumeration_issue_priorities: Issue priorities
356 enumeration_issue_priorities: Issue priorities
356 enumeration_doc_categories: Document categories
357 enumeration_doc_categories: Document categories
@@ -1,356 +1,357
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: Enero,Febrero,Marzo,Abril,Mayo,Junio,Julio,Agosto,Septiembre,Octubre,Noviembre,Diciembre
4 actionview_datehelper_select_month_names: Enero,Febrero,Marzo,Abril,Mayo,Junio,Julio,Agosto,Septiembre,Octubre,Noviembre,Diciembre
5 actionview_datehelper_select_month_names_abbr: Ene,Feb,Mar,Abr,Mayo,Jun,Jul,Ago,Sep,Oct,Nov,Dic
5 actionview_datehelper_select_month_names_abbr: Ene,Feb,Mar,Abr,Mayo,Jun,Jul,Ago,Sep,Oct,Nov,Dic
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 day
8 actionview_datehelper_time_in_words_day: 1 day
9 actionview_datehelper_time_in_words_day_plural: %d days
9 actionview_datehelper_time_in_words_day_plural: %d days
10 actionview_datehelper_time_in_words_hour_about: about an hour
10 actionview_datehelper_time_in_words_hour_about: about an hour
11 actionview_datehelper_time_in_words_hour_about_plural: about %d hours
11 actionview_datehelper_time_in_words_hour_about_plural: about %d hours
12 actionview_datehelper_time_in_words_hour_about_single: about an hour
12 actionview_datehelper_time_in_words_hour_about_single: about an hour
13 actionview_datehelper_time_in_words_minute: 1 minute
13 actionview_datehelper_time_in_words_minute: 1 minute
14 actionview_datehelper_time_in_words_minute_half: half a minute
14 actionview_datehelper_time_in_words_minute_half: half a minute
15 actionview_datehelper_time_in_words_minute_less_than: less than a minute
15 actionview_datehelper_time_in_words_minute_less_than: less than a minute
16 actionview_datehelper_time_in_words_minute_plural: %d minutes
16 actionview_datehelper_time_in_words_minute_plural: %d minutes
17 actionview_datehelper_time_in_words_minute_single: 1 minute
17 actionview_datehelper_time_in_words_minute_single: 1 minute
18 actionview_datehelper_time_in_words_second_less_than: less than a second
18 actionview_datehelper_time_in_words_second_less_than: less than a second
19 actionview_datehelper_time_in_words_second_less_than_plural: less than %d seconds
19 actionview_datehelper_time_in_words_second_less_than_plural: less than %d seconds
20 actionview_instancetag_blank_option: Please select
20 actionview_instancetag_blank_option: Please select
21
21
22 activerecord_error_inclusion: is not included in the list
22 activerecord_error_inclusion: is not included in the list
23 activerecord_error_exclusion: is reserved
23 activerecord_error_exclusion: is reserved
24 activerecord_error_invalid: is invalid
24 activerecord_error_invalid: is invalid
25 activerecord_error_confirmation: doesn't match confirmation
25 activerecord_error_confirmation: doesn't match confirmation
26 activerecord_error_accepted: must be accepted
26 activerecord_error_accepted: must be accepted
27 activerecord_error_empty: can't be empty
27 activerecord_error_empty: can't be empty
28 activerecord_error_blank: can't be blank
28 activerecord_error_blank: can't be blank
29 activerecord_error_too_long: is too long
29 activerecord_error_too_long: is too long
30 activerecord_error_too_short: is too short
30 activerecord_error_too_short: is too short
31 activerecord_error_wrong_length: is the wrong length
31 activerecord_error_wrong_length: is the wrong length
32 activerecord_error_taken: has already been taken
32 activerecord_error_taken: has already been taken
33 activerecord_error_not_a_number: is not a number
33 activerecord_error_not_a_number: is not a number
34 activerecord_error_not_a_date: no es una fecha válida
34 activerecord_error_not_a_date: no es una fecha válida
35 activerecord_error_greater_than_start_date: debe ser la fecha mayor que del comienzo
35 activerecord_error_greater_than_start_date: debe ser la fecha mayor que del comienzo
36
36
37 general_fmt_age: %d año
37 general_fmt_age: %d año
38 general_fmt_age_plural: %d años
38 general_fmt_age_plural: %d años
39 general_fmt_date: %%d/%%m/%%Y
39 general_fmt_date: %%d/%%m/%%Y
40 general_fmt_datetime: %%d/%%m/%%Y %%H:%%M
40 general_fmt_datetime: %%d/%%m/%%Y %%H:%%M
41 general_fmt_datetime_short: %%d/%%m %%H:%%M
41 general_fmt_datetime_short: %%d/%%m %%H:%%M
42 general_fmt_time: %%H:%%M
42 general_fmt_time: %%H:%%M
43 general_text_No: 'No'
43 general_text_No: 'No'
44 general_text_Yes: 'Sí'
44 general_text_Yes: 'Sí'
45 general_text_no: 'no'
45 general_text_no: 'no'
46 general_text_yes: 'sí'
46 general_text_yes: 'sí'
47 general_lang_es: 'Español'
47 general_lang_es: 'Español'
48 general_csv_separator: ';'
48 general_csv_separator: ';'
49 general_day_names: Lunes,Martes,Miércoles,Jueves,Viernes,Sábado,Domingo
49 general_day_names: Lunes,Martes,Miércoles,Jueves,Viernes,Sábado,Domingo
50
50
51 notice_account_updated: Account was successfully updated.
51 notice_account_updated: Account was successfully updated.
52 notice_account_invalid_creditentials: Invalid user or password
52 notice_account_invalid_creditentials: Invalid user or password
53 notice_account_password_updated: Password was successfully updated.
53 notice_account_password_updated: Password was successfully updated.
54 notice_account_wrong_password: Wrong password
54 notice_account_wrong_password: Wrong password
55 notice_account_register_done: Account was successfully created.
55 notice_account_register_done: Account was successfully created.
56 notice_account_unknown_email: Unknown user.
56 notice_account_unknown_email: Unknown user.
57 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
57 notice_can_t_change_password: This account uses an external authentication source. Impossible to change the password.
58 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
58 notice_account_lost_email_sent: An email with instructions to choose a new password has been sent to you.
59 notice_account_activated: Your account has been activated. You can now log in.
59 notice_account_activated: Your account has been activated. You can now log in.
60 notice_successful_create: Successful creation.
60 notice_successful_create: Successful creation.
61 notice_successful_update: Successful update.
61 notice_successful_update: Successful update.
62 notice_successful_delete: Successful deletion.
62 notice_successful_delete: Successful deletion.
63 notice_successful_connection: Successful connection.
63 notice_successful_connection: Successful connection.
64 notice_file_not_found: Requested file doesn't exist or has been deleted.
64 notice_file_not_found: Requested file doesn't exist or has been deleted.
65 notice_locking_conflict: Data have been updated by another user.
65 notice_locking_conflict: Data have been updated by another user.
66 notice_scm_error: La entrada y/o la revisión no existe en el depósito.
66 notice_scm_error: La entrada y/o la revisión no existe en el depósito.
67
67
68 mail_subject_lost_password: Tu contraseña del redMine
68 mail_subject_lost_password: Tu contraseña del redMine
69 mail_subject_register: Activación de la cuenta del redMine
69 mail_subject_register: Activación de la cuenta del redMine
70
70
71 gui_validation_error: 1 error
71 gui_validation_error: 1 error
72 gui_validation_error_plural: %d errores
72 gui_validation_error_plural: %d errores
73
73
74 field_name: Nombre
74 field_name: Nombre
75 field_description: Descripción
75 field_description: Descripción
76 field_summary: Resumen
76 field_summary: Resumen
77 field_is_required: Obligatorio
77 field_is_required: Obligatorio
78 field_firstname: Nombre
78 field_firstname: Nombre
79 field_lastname: Apellido
79 field_lastname: Apellido
80 field_mail: Email
80 field_mail: Email
81 field_filename: Fichero
81 field_filename: Fichero
82 field_filesize: Tamaño
82 field_filesize: Tamaño
83 field_downloads: Telecargas
83 field_downloads: Telecargas
84 field_author: Autor
84 field_author: Autor
85 field_created_on: Creado
85 field_created_on: Creado
86 field_updated_on: Actualizado
86 field_updated_on: Actualizado
87 field_field_format: Formato
87 field_field_format: Formato
88 field_is_for_all: Para todos los proyectos
88 field_is_for_all: Para todos los proyectos
89 field_possible_values: Valores posibles
89 field_possible_values: Valores posibles
90 field_regexp: Expresión regular
90 field_regexp: Expresión regular
91 field_min_length: Longitud mínima
91 field_min_length: Longitud mínima
92 field_max_length: Longitud máxima
92 field_max_length: Longitud máxima
93 field_value: Valor
93 field_value: Valor
94 field_category: Categoría
94 field_category: Categoría
95 field_title: Título
95 field_title: Título
96 field_project: Proyecto
96 field_project: Proyecto
97 field_issue: Petición
97 field_issue: Petición
98 field_status: Estatuto
98 field_status: Estatuto
99 field_notes: Notas
99 field_notes: Notas
100 field_is_closed: Petición resuelta
100 field_is_closed: Petición resuelta
101 field_is_default: Estatuto por defecto
101 field_is_default: Estatuto por defecto
102 field_html_color: Color
102 field_html_color: Color
103 field_tracker: Tracker
103 field_tracker: Tracker
104 field_subject: Tema
104 field_subject: Tema
105 field_due_date: Fecha debida
105 field_due_date: Fecha debida
106 field_assigned_to: Asignado a
106 field_assigned_to: Asignado a
107 field_priority: Prioridad
107 field_priority: Prioridad
108 field_fixed_version: Versión corregida
108 field_fixed_version: Versión corregida
109 field_user: Usuario
109 field_user: Usuario
110 field_role: Papel
110 field_role: Papel
111 field_homepage: Sitio web
111 field_homepage: Sitio web
112 field_is_public: Público
112 field_is_public: Público
113 field_parent: Proyecto secundario de
113 field_parent: Proyecto secundario de
114 field_is_in_chlog: Consultar las peticiones en el histórico
114 field_is_in_chlog: Consultar las peticiones en el histórico
115 field_login: Identificador
115 field_login: Identificador
116 field_mail_notification: Notificación por mail
116 field_mail_notification: Notificación por mail
117 field_admin: Administrador
117 field_admin: Administrador
118 field_locked: Cerrado
118 field_locked: Cerrado
119 field_last_login_on: Última conexión
119 field_last_login_on: Última conexión
120 field_language: Lengua
120 field_language: Lengua
121 field_effective_date: Fecha
121 field_effective_date: Fecha
122 field_password: Contraseña
122 field_password: Contraseña
123 field_new_password: Nueva contraseña
123 field_new_password: Nueva contraseña
124 field_password_confirmation: Confirmación
124 field_password_confirmation: Confirmación
125 field_version: Versión
125 field_version: Versión
126 field_type: Tipo
126 field_type: Tipo
127 field_host: Anfitrión
127 field_host: Anfitrión
128 field_port: Puerto
128 field_port: Puerto
129 field_account: Cuenta
129 field_account: Cuenta
130 field_base_dn: Base DN
130 field_base_dn: Base DN
131 field_attr_login: Cualidad del identificador
131 field_attr_login: Cualidad del identificador
132 field_attr_firstname: Cualidad del nombre
132 field_attr_firstname: Cualidad del nombre
133 field_attr_lastname: Cualidad del apellido
133 field_attr_lastname: Cualidad del apellido
134 field_attr_mail: Cualidad del Email
134 field_attr_mail: Cualidad del Email
135 field_onthefly: Creación del usuario On-the-fly
135 field_onthefly: Creación del usuario On-the-fly
136 field_start_date: Comienzo
136 field_start_date: Comienzo
137 field_done_ratio: %% Realizado
137 field_done_ratio: %% Realizado
138 field_hide_mail: Ocultar mi email address
138 field_hide_mail: Ocultar mi email address
139 field_comment: Comentario
139 field_comment: Comentario
140 field_url: URL
140 field_url: URL
141
141
142 label_user: Usuario
142 label_user: Usuario
143 label_user_plural: Usuarios
143 label_user_plural: Usuarios
144 label_user_new: Nuevo usuario
144 label_user_new: Nuevo usuario
145 label_project: Proyecto
145 label_project: Proyecto
146 label_project_new: Nuevo proyecto
146 label_project_new: Nuevo proyecto
147 label_project_plural: Proyectos
147 label_project_plural: Proyectos
148 label_project_latest: Los proyectos más últimos
148 label_project_latest: Los proyectos más últimos
149 label_issue: Petición
149 label_issue: Petición
150 label_issue_new: Nueva petición
150 label_issue_new: Nueva petición
151 label_issue_plural: Peticiones
151 label_issue_plural: Peticiones
152 label_issue_view_all: Ver todas las peticiones
152 label_issue_view_all: Ver todas las peticiones
153 label_document: Documento
153 label_document: Documento
154 label_document_new: Nuevo documento
154 label_document_new: Nuevo documento
155 label_document_plural: Documentos
155 label_document_plural: Documentos
156 label_role: Papel
156 label_role: Papel
157 label_role_plural: Papeles
157 label_role_plural: Papeles
158 label_role_new: Nuevo papel
158 label_role_new: Nuevo papel
159 label_role_and_permissions: Papeles y permisos
159 label_role_and_permissions: Papeles y permisos
160 label_member: Miembro
160 label_member: Miembro
161 label_member_new: Nuevo miembro
161 label_member_new: Nuevo miembro
162 label_member_plural: Miembros
162 label_member_plural: Miembros
163 label_tracker: Tracker
163 label_tracker: Tracker
164 label_tracker_plural: Trackers
164 label_tracker_plural: Trackers
165 label_tracker_new: Nuevo tracker
165 label_tracker_new: Nuevo tracker
166 label_workflow: Workflow
166 label_workflow: Workflow
167 label_issue_status: Estatuto de petición
167 label_issue_status: Estatuto de petición
168 label_issue_status_plural: Estatutos de las peticiones
168 label_issue_status_plural: Estatutos de las peticiones
169 label_issue_status_new: Nuevo estatuto
169 label_issue_status_new: Nuevo estatuto
170 label_issue_category: Categoría de las peticiones
170 label_issue_category: Categoría de las peticiones
171 label_issue_category_plural: Categorías de las peticiones
171 label_issue_category_plural: Categorías de las peticiones
172 label_issue_category_new: Nueva categoría
172 label_issue_category_new: Nueva categoría
173 label_custom_field: Campo personalizado
173 label_custom_field: Campo personalizado
174 label_custom_field_plural: Campos personalizados
174 label_custom_field_plural: Campos personalizados
175 label_custom_field_new: Nuevo campo personalizado
175 label_custom_field_new: Nuevo campo personalizado
176 label_enumerations: Listas de valores
176 label_enumerations: Listas de valores
177 label_enumeration_new: Nuevo valor
177 label_enumeration_new: Nuevo valor
178 label_information: Informacion
178 label_information: Informacion
179 label_information_plural: Informaciones
179 label_information_plural: Informaciones
180 label_please_login: Conexión
180 label_please_login: Conexión
181 label_register: Registrar
181 label_register: Registrar
182 label_password_lost: ¿Olvidaste la contraseña?
182 label_password_lost: ¿Olvidaste la contraseña?
183 label_home: Acogida
183 label_home: Acogida
184 label_my_page: Mi página
184 label_my_page: Mi página
185 label_my_account: Mi cuenta
185 label_my_account: Mi cuenta
186 label_my_projects: Mis proyectos
186 label_my_projects: Mis proyectos
187 label_administration: Administración
187 label_administration: Administración
188 label_login: Conexión
188 label_login: Conexión
189 label_logout: Desconexión
189 label_logout: Desconexión
190 label_help: Ayuda
190 label_help: Ayuda
191 label_reported_issues: Peticiones registradas
191 label_reported_issues: Peticiones registradas
192 label_assigned_to_me_issues: Peticiones que me están asignadas
192 label_assigned_to_me_issues: Peticiones que me están asignadas
193 label_last_login: Última conexión
193 label_last_login: Última conexión
194 label_last_updates: Actualizado
194 label_last_updates: Actualizado
195 label_last_updates_plural: %d Actualizados
195 label_last_updates_plural: %d Actualizados
196 label_registered_on: Inscrito el
196 label_registered_on: Inscrito el
197 label_activity: Actividad
197 label_activity: Actividad
198 label_new: Nuevo
198 label_new: Nuevo
199 label_logged_as: Conectado como
199 label_logged_as: Conectado como
200 label_environment: Environment
200 label_environment: Environment
201 label_authentication: Autentificación
201 label_authentication: Autentificación
202 label_auth_source: Modo de la autentificación
202 label_auth_source: Modo de la autentificación
203 label_auth_source_new: Nuevo modo de la autentificación
203 label_auth_source_new: Nuevo modo de la autentificación
204 label_auth_source_plural: Modos de la autentificación
204 label_auth_source_plural: Modos de la autentificación
205 label_subproject: Proyecto secundario
205 label_subproject: Proyecto secundario
206 label_subproject_plural: Proyectos secundarios
206 label_subproject_plural: Proyectos secundarios
207 label_min_max_length: Longitud mín - máx
207 label_min_max_length: Longitud mín - máx
208 label_list: Lista
208 label_list: Lista
209 label_date: Fecha
209 label_date: Fecha
210 label_integer: Número
210 label_integer: Número
211 label_boolean: Boleano
211 label_boolean: Boleano
212 label_string: Texto
212 label_string: Texto
213 label_text: Texto largo
213 label_text: Texto largo
214 label_attribute: Cualidad
214 label_attribute: Cualidad
215 label_attribute_plural: Cualidades
215 label_attribute_plural: Cualidades
216 label_download: %d Telecarga
216 label_download: %d Telecarga
217 label_download_plural: %d Telecargas
217 label_download_plural: %d Telecargas
218 label_no_data: Ningunos datos a exhibir
218 label_no_data: Ningunos datos a exhibir
219 label_change_status: Cambiar el estatuto
219 label_change_status: Cambiar el estatuto
220 label_history: Histórico
220 label_history: Histórico
221 label_attachment: Fichero
221 label_attachment: Fichero
222 label_attachment_new: Nuevo fichero
222 label_attachment_new: Nuevo fichero
223 label_attachment_delete: Suprimir el fichero
223 label_attachment_delete: Suprimir el fichero
224 label_attachment_plural: Ficheros
224 label_attachment_plural: Ficheros
225 label_report: Informe
225 label_report: Informe
226 label_report_plural: Informes
226 label_report_plural: Informes
227 label_news: Noticia
227 label_news: Noticia
228 label_news_new: Nueva noticia
228 label_news_new: Nueva noticia
229 label_news_plural: Noticias
229 label_news_plural: Noticias
230 label_news_latest: Últimas noticias
230 label_news_latest: Últimas noticias
231 label_news_view_all: Ver todas las noticias
231 label_news_view_all: Ver todas las noticias
232 label_change_log: Cambios
232 label_change_log: Cambios
233 label_settings: Configuración
233 label_settings: Configuración
234 label_overview: Vistazo
234 label_overview: Vistazo
235 label_version: Versión
235 label_version: Versión
236 label_version_new: Nueva versión
236 label_version_new: Nueva versión
237 label_version_plural: Versiónes
237 label_version_plural: Versiónes
238 label_confirmation: Confirmación
238 label_confirmation: Confirmación
239 label_export_to: Exportar a
239 label_export_to: Exportar a
240 label_read: Leer...
240 label_read: Leer...
241 label_public_projects: Proyectos publicos
241 label_public_projects: Proyectos publicos
242 label_open_issues: Abierta
242 label_open_issues: Abierta
243 label_open_issues_plural: Abiertas
243 label_open_issues_plural: Abiertas
244 label_closed_issues: Cerrada
244 label_closed_issues: Cerrada
245 label_closed_issues_plural: Cerradas
245 label_closed_issues_plural: Cerradas
246 label_total: Total
246 label_total: Total
247 label_permissions: Permisos
247 label_permissions: Permisos
248 label_current_status: Estado actual
248 label_current_status: Estado actual
249 label_new_statuses_allowed: Nuevos estatutos autorizados
249 label_new_statuses_allowed: Nuevos estatutos autorizados
250 label_all: Todos
250 label_all: Todos
251 label_none: Ninguno
251 label_none: Ninguno
252 label_next: Próximo
252 label_next: Próximo
253 label_previous: Precedente
253 label_previous: Precedente
254 label_used_by: Utilizado por
254 label_used_by: Utilizado por
255 label_details: Detalles...
255 label_details: Detalles...
256 label_add_note: Agregar una nota
256 label_add_note: Agregar una nota
257 label_per_page: Por la página
257 label_per_page: Por la página
258 label_calendar: Calendario
258 label_calendar: Calendario
259 label_months_from: meses de
259 label_months_from: meses de
260 label_gantt: Gantt
260 label_gantt: Gantt
261 label_internal: Interno
261 label_internal: Interno
262 label_last_changes: %d cambios del último
262 label_last_changes: %d cambios del último
263 label_change_view_all: Ver todos los cambios
263 label_change_view_all: Ver todos los cambios
264 label_personalize_page: Personalizar esta página
264 label_personalize_page: Personalizar esta página
265 label_comment: Comentario
265 label_comment: Comentario
266 label_comment_plural: Comentarios
266 label_comment_plural: Comentarios
267 label_comment_add: Agregar un comentario
267 label_comment_add: Agregar un comentario
268 label_comment_added: Comentario agregó
268 label_comment_added: Comentario agregó
269 label_comment_delete: Suprimir comentarios
269 label_comment_delete: Suprimir comentarios
270 label_query: Pregunta personalizada
270 label_query: Pregunta personalizada
271 label_query_plural: Preguntas personalizadas
271 label_query_plural: Preguntas personalizadas
272 label_query_new: Nueva preguntas
272 label_query_new: Nueva preguntas
273 label_filter_add: Agregar el filtro
273 label_filter_add: Agregar el filtro
274 label_filter_plural: Filtros
274 label_filter_plural: Filtros
275 label_equals: igual
275 label_equals: igual
276 label_not_equals: no igual
276 label_not_equals: no igual
277 label_in_less_than: en menos que
277 label_in_less_than: en menos que
278 label_in_more_than: en más que
278 label_in_more_than: en más que
279 label_in: en
279 label_in: en
280 label_today: hoy
280 label_today: hoy
281 label_less_than_ago: hace menos de
281 label_less_than_ago: hace menos de
282 label_more_than_ago: hace más de
282 label_more_than_ago: hace más de
283 label_ago: hace
283 label_ago: hace
284 label_contains: contiene
284 label_contains: contiene
285 label_not_contains: no contiene
285 label_not_contains: no contiene
286 label_day_plural: días
286 label_day_plural: días
287 label_repository: Depósito SVN
287 label_repository: Depósito SVN
288 label_browse: Hojear
288 label_browse: Hojear
289 label_modification: %d modificación
289 label_modification: %d modificación
290 label_modification_plural: %d modificaciones
290 label_modification_plural: %d modificaciones
291 label_revision: Revisión
291 label_revision: Revisión
292 label_revision_plural: Revisiones
292 label_revision_plural: Revisiones
293 label_added: agregado
293 label_added: agregado
294 label_modified: modificado
294 label_modified: modificado
295 label_deleted: suprimido
295 label_deleted: suprimido
296 label_latest_revision: La revisión más última
296 label_latest_revision: La revisión más última
297 label_view_revisions: Ver las revisiones
297 label_view_revisions: Ver las revisiones
298 label_max_size: Tamaño máximo
298
299
299 button_login: Conexión
300 button_login: Conexión
300 button_submit: Someter
301 button_submit: Someter
301 button_save: Validar
302 button_save: Validar
302 button_check_all: Seleccionar todo
303 button_check_all: Seleccionar todo
303 button_uncheck_all: No seleccionar nada
304 button_uncheck_all: No seleccionar nada
304 button_delete: Suprimir
305 button_delete: Suprimir
305 button_create: Crear
306 button_create: Crear
306 button_test: Testar
307 button_test: Testar
307 button_edit: Modificar
308 button_edit: Modificar
308 button_add: Añadir
309 button_add: Añadir
309 button_change: Cambiar
310 button_change: Cambiar
310 button_apply: Aplicar
311 button_apply: Aplicar
311 button_clear: Anular
312 button_clear: Anular
312 button_lock: Bloquear
313 button_lock: Bloquear
313 button_unlock: Desbloquear
314 button_unlock: Desbloquear
314 button_download: Telecargar
315 button_download: Telecargar
315 button_list: Listar
316 button_list: Listar
316 button_view: Ver
317 button_view: Ver
317 button_move: Mover
318 button_move: Mover
318 button_back: Atrás
319 button_back: Atrás
319 button_cancel: Cancelar
320 button_cancel: Cancelar
320
321
321 text_select_mail_notifications: Seleccionar las actividades que necesitan la activación de la notificación por mail.
322 text_select_mail_notifications: Seleccionar las actividades que necesitan la activación de la notificación por mail.
322 text_regexp_info: eg. ^[A-Z0-9]+$
323 text_regexp_info: eg. ^[A-Z0-9]+$
323 text_min_max_length_info: 0 para ninguna restricción
324 text_min_max_length_info: 0 para ninguna restricción
324 text_possible_values_info: Los valores se separaron con |
325 text_possible_values_info: Los valores se separaron con |
325 text_project_destroy_confirmation: ¿ Estás seguro de querer eliminar el proyecto ?
326 text_project_destroy_confirmation: ¿ Estás seguro de querer eliminar el proyecto ?
326 text_workflow_edit: Seleccionar un workflow para actualizar
327 text_workflow_edit: Seleccionar un workflow para actualizar
327 text_are_you_sure: ¿ Estás seguro ?
328 text_are_you_sure: ¿ Estás seguro ?
328 text_journal_changed: cambiado de %s a %s
329 text_journal_changed: cambiado de %s a %s
329 text_journal_set_to: fijado a %s
330 text_journal_set_to: fijado a %s
330 text_journal_deleted: suprimido
331 text_journal_deleted: suprimido
331 text_tip_task_begin_day: tarea que comienza este día
332 text_tip_task_begin_day: tarea que comienza este día
332 text_tip_task_end_day: tarea que termina este día
333 text_tip_task_end_day: tarea que termina este día
333 text_tip_task_begin_end_day: tarea que comienza y termina este día
334 text_tip_task_begin_end_day: tarea que comienza y termina este día
334
335
335 default_role_manager: Manager
336 default_role_manager: Manager
336 default_role_developper: Desarrollador
337 default_role_developper: Desarrollador
337 default_role_reporter: Informador
338 default_role_reporter: Informador
338 default_tracker_bug: Anomalía
339 default_tracker_bug: Anomalía
339 default_tracker_feature: Evolución
340 default_tracker_feature: Evolución
340 default_tracker_support: Asistencia
341 default_tracker_support: Asistencia
341 default_issue_status_new: Nuevo
342 default_issue_status_new: Nuevo
342 default_issue_status_assigned: Asignada
343 default_issue_status_assigned: Asignada
343 default_issue_status_resolved: Resuelta
344 default_issue_status_resolved: Resuelta
344 default_issue_status_feedback: Comentario
345 default_issue_status_feedback: Comentario
345 default_issue_status_closed: Cerrada
346 default_issue_status_closed: Cerrada
346 default_issue_status_rejected: Rechazada
347 default_issue_status_rejected: Rechazada
347 default_doc_category_user: Documentación del usuario
348 default_doc_category_user: Documentación del usuario
348 default_doc_category_tech: Documentación tecnica
349 default_doc_category_tech: Documentación tecnica
349 default_priority_low: Bajo
350 default_priority_low: Bajo
350 default_priority_normal: Normal
351 default_priority_normal: Normal
351 default_priority_high: Alto
352 default_priority_high: Alto
352 default_priority_urgent: Urgente
353 default_priority_urgent: Urgente
353 default_priority_immediate: Ahora
354 default_priority_immediate: Ahora
354
355
355 enumeration_issue_priorities: Prioridad de las peticiones
356 enumeration_issue_priorities: Prioridad de las peticiones
356 enumeration_doc_categories: Categorías del documento
357 enumeration_doc_categories: Categorías del documento
@@ -1,357 +1,358
1 _gloc_rule_default: '|n| n<=1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n<=1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: Janvier,Février,Mars,Avril,Mai,Juin,Juillet,Août,Septembre,Octobre,Novembre,Décembre
4 actionview_datehelper_select_month_names: Janvier,Février,Mars,Avril,Mai,Juin,Juillet,Août,Septembre,Octobre,Novembre,Décembre
5 actionview_datehelper_select_month_names_abbr: Jan,Fév,Mars,Avril,Mai,Juin,Juil,Août,Sept,Oct,Nov,Déc
5 actionview_datehelper_select_month_names_abbr: Jan,Fév,Mars,Avril,Mai,Juin,Juil,Août,Sept,Oct,Nov,Déc
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 jour
8 actionview_datehelper_time_in_words_day: 1 jour
9 actionview_datehelper_time_in_words_day_plural: %d jours
9 actionview_datehelper_time_in_words_day_plural: %d jours
10 actionview_datehelper_time_in_words_hour_about: about an hour
10 actionview_datehelper_time_in_words_hour_about: about an hour
11 actionview_datehelper_time_in_words_hour_about_plural: about %d hours
11 actionview_datehelper_time_in_words_hour_about_plural: about %d hours
12 actionview_datehelper_time_in_words_hour_about_single: about an hour
12 actionview_datehelper_time_in_words_hour_about_single: about an hour
13 actionview_datehelper_time_in_words_minute: 1 minute
13 actionview_datehelper_time_in_words_minute: 1 minute
14 actionview_datehelper_time_in_words_minute_half: 30 secondes
14 actionview_datehelper_time_in_words_minute_half: 30 secondes
15 actionview_datehelper_time_in_words_minute_less_than: moins d'une minute
15 actionview_datehelper_time_in_words_minute_less_than: moins d'une minute
16 actionview_datehelper_time_in_words_minute_plural: %d minutes
16 actionview_datehelper_time_in_words_minute_plural: %d minutes
17 actionview_datehelper_time_in_words_minute_single: 1 minute
17 actionview_datehelper_time_in_words_minute_single: 1 minute
18 actionview_datehelper_time_in_words_second_less_than: moins d'une seconde
18 actionview_datehelper_time_in_words_second_less_than: moins d'une seconde
19 actionview_datehelper_time_in_words_second_less_than_plural: moins de %d secondes
19 actionview_datehelper_time_in_words_second_less_than_plural: moins de %d secondes
20 actionview_instancetag_blank_option: Choisir
20 actionview_instancetag_blank_option: Choisir
21
21
22 activerecord_error_inclusion: n'est pas inclus dans la liste
22 activerecord_error_inclusion: n'est pas inclus dans la liste
23 activerecord_error_exclusion: est reservé
23 activerecord_error_exclusion: est reservé
24 activerecord_error_invalid: est invalide
24 activerecord_error_invalid: est invalide
25 activerecord_error_confirmation: ne correspond pas à la confirmation
25 activerecord_error_confirmation: ne correspond pas à la confirmation
26 activerecord_error_accepted: doit être accepté
26 activerecord_error_accepted: doit être accepté
27 activerecord_error_empty: doit être renseigné
27 activerecord_error_empty: doit être renseigné
28 activerecord_error_blank: doit être renseigné
28 activerecord_error_blank: doit être renseigné
29 activerecord_error_too_long: est trop long
29 activerecord_error_too_long: est trop long
30 activerecord_error_too_short: est trop court
30 activerecord_error_too_short: est trop court
31 activerecord_error_wrong_length: n'est pas de la bonne longueur
31 activerecord_error_wrong_length: n'est pas de la bonne longueur
32 activerecord_error_taken: est déjà utilisé
32 activerecord_error_taken: est déjà utilisé
33 activerecord_error_not_a_number: n'est pas un nombre
33 activerecord_error_not_a_number: n'est pas un nombre
34 activerecord_error_not_a_date: n'est pas une date valide
34 activerecord_error_not_a_date: n'est pas une date valide
35 activerecord_error_greater_than_start_date: doit être postérieur à la date de début
35 activerecord_error_greater_than_start_date: doit être postérieur à la date de début
36
36
37 general_fmt_age: %d an
37 general_fmt_age: %d an
38 general_fmt_age_plural: %d ans
38 general_fmt_age_plural: %d ans
39 general_fmt_date: %%d/%%m/%%Y
39 general_fmt_date: %%d/%%m/%%Y
40 general_fmt_datetime: %%d/%%m/%%Y %%H:%%M
40 general_fmt_datetime: %%d/%%m/%%Y %%H:%%M
41 general_fmt_datetime_short: %%d/%%m %%H:%%M
41 general_fmt_datetime_short: %%d/%%m %%H:%%M
42 general_fmt_time: %%H:%%M
42 general_fmt_time: %%H:%%M
43 general_text_No: 'Non'
43 general_text_No: 'Non'
44 general_text_Yes: 'Oui'
44 general_text_Yes: 'Oui'
45 general_text_no: 'non'
45 general_text_no: 'non'
46 general_text_yes: 'oui'
46 general_text_yes: 'oui'
47 general_lang_fr: 'Français'
47 general_lang_fr: 'Français'
48 general_csv_separator: ';'
48 general_csv_separator: ';'
49 general_day_names: Lundi,Mardi,Mercredi,Jeudi,Vendredi,Samedi,Dimanche
49 general_day_names: Lundi,Mardi,Mercredi,Jeudi,Vendredi,Samedi,Dimanche
50
50
51 notice_account_updated: Le compte a été mis à jour avec succès.
51 notice_account_updated: Le compte a été mis à jour avec succès.
52 notice_account_invalid_creditentials: Identifiant ou mot de passe invalide.
52 notice_account_invalid_creditentials: Identifiant ou mot de passe invalide.
53 notice_account_password_updated: Mot de passe mis à jour avec succès.
53 notice_account_password_updated: Mot de passe mis à jour avec succès.
54 notice_account_wrong_password: Mot de passe incorrect
54 notice_account_wrong_password: Mot de passe incorrect
55 notice_account_register_done: Un message contenant les instructions pour activer votre compte vous a été envoyé.
55 notice_account_register_done: Un message contenant les instructions pour activer votre compte vous a été envoyé.
56 notice_account_unknown_email: Aucun compte ne correspond à cette adresse.
56 notice_account_unknown_email: Aucun compte ne correspond à cette adresse.
57 notice_can_t_change_password: Ce compte utilise une authentification externe. Impossible de changer le mot de passe.
57 notice_can_t_change_password: Ce compte utilise une authentification externe. Impossible de changer le mot de passe.
58 notice_account_lost_email_sent: Un message contenant les instructions pour choisir un nouveau mot de passe vous a été envoyé.
58 notice_account_lost_email_sent: Un message contenant les instructions pour choisir un nouveau mot de passe vous a été envoyé.
59 notice_account_activated: Votre compte a été activé. Vous pouvez à présent vous connecter.
59 notice_account_activated: Votre compte a été activé. Vous pouvez à présent vous connecter.
60 notice_successful_create: Création effectuée avec succès.
60 notice_successful_create: Création effectuée avec succès.
61 notice_successful_update: Mise à jour effectuée avec succès.
61 notice_successful_update: Mise à jour effectuée avec succès.
62 notice_successful_delete: Suppression effectuée avec succès.
62 notice_successful_delete: Suppression effectuée avec succès.
63 notice_successful_connection: Connection réussie.
63 notice_successful_connection: Connection réussie.
64 notice_file_not_found: Le fichier demandé n'existe pas ou a été supprimé.
64 notice_file_not_found: Le fichier demandé n'existe pas ou a été supprimé.
65 notice_locking_conflict: Les données ont été mises à jour par un autre utilisateur. Mise à jour impossible.
65 notice_locking_conflict: Les données ont été mises à jour par un autre utilisateur. Mise à jour impossible.
66 notice_scm_error: L'entrée et/ou la révision demandée n'existe pas dans le dépôt.
66 notice_scm_error: L'entrée et/ou la révision demandée n'existe pas dans le dépôt.
67
67
68 mail_subject_lost_password: Votre mot de passe redMine
68 mail_subject_lost_password: Votre mot de passe redMine
69 mail_subject_register: Activation de votre compte redMine
69 mail_subject_register: Activation de votre compte redMine
70
70
71 gui_validation_error: 1 erreur
71 gui_validation_error: 1 erreur
72 gui_validation_error_plural: %d erreurs
72 gui_validation_error_plural: %d erreurs
73
73
74 field_name: Nom
74 field_name: Nom
75 field_description: Description
75 field_description: Description
76 field_summary: Résumé
76 field_summary: Résumé
77 field_is_required: Obligatoire
77 field_is_required: Obligatoire
78 field_firstname: Prénom
78 field_firstname: Prénom
79 field_lastname: Nom
79 field_lastname: Nom
80 field_mail: Email
80 field_mail: Email
81 field_filename: Fichier
81 field_filename: Fichier
82 field_filesize: Taille
82 field_filesize: Taille
83 field_downloads: Téléchargements
83 field_downloads: Téléchargements
84 field_author: Auteur
84 field_author: Auteur
85 field_created_on: Créé
85 field_created_on: Créé
86 field_updated_on: Mis à jour
86 field_updated_on: Mis à jour
87 field_field_format: Format
87 field_field_format: Format
88 field_is_for_all: Pour tous les projets
88 field_is_for_all: Pour tous les projets
89 field_possible_values: Valeurs possibles
89 field_possible_values: Valeurs possibles
90 field_regexp: Expression régulière
90 field_regexp: Expression régulière
91 field_min_length: Longueur minimum
91 field_min_length: Longueur minimum
92 field_max_length: Longueur maximum
92 field_max_length: Longueur maximum
93 field_value: Valeur
93 field_value: Valeur
94 field_category: Catégorie
94 field_category: Catégorie
95 field_title: Titre
95 field_title: Titre
96 field_project: Projet
96 field_project: Projet
97 field_issue: Demande
97 field_issue: Demande
98 field_status: Statut
98 field_status: Statut
99 field_notes: Notes
99 field_notes: Notes
100 field_is_closed: Demande fermée
100 field_is_closed: Demande fermée
101 field_is_default: Statut par défaut
101 field_is_default: Statut par défaut
102 field_html_color: Couleur
102 field_html_color: Couleur
103 field_tracker: Tracker
103 field_tracker: Tracker
104 field_subject: Sujet
104 field_subject: Sujet
105 field_due_date: Date d'échéance
105 field_due_date: Date d'échéance
106 field_assigned_to: Assigné à
106 field_assigned_to: Assigné à
107 field_priority: Priorité
107 field_priority: Priorité
108 field_fixed_version: Version corrigée
108 field_fixed_version: Version corrigée
109 field_user: Utilisateur
109 field_user: Utilisateur
110 field_role: Rôle
110 field_role: Rôle
111 field_homepage: Site web
111 field_homepage: Site web
112 field_is_public: Public
112 field_is_public: Public
113 field_parent: Sous-projet de
113 field_parent: Sous-projet de
114 field_is_in_chlog: Demandes affichées dans l'historique
114 field_is_in_chlog: Demandes affichées dans l'historique
115 field_login: Identifiant
115 field_login: Identifiant
116 field_mail_notification: Notifications par mail
116 field_mail_notification: Notifications par mail
117 field_admin: Administrateur
117 field_admin: Administrateur
118 field_locked: Verrouillé
118 field_locked: Verrouillé
119 field_last_login_on: Dernière connexion
119 field_last_login_on: Dernière connexion
120 field_language: Langue
120 field_language: Langue
121 field_effective_date: Date
121 field_effective_date: Date
122 field_password: Mot de passe
122 field_password: Mot de passe
123 field_new_password: Nouveau mot de passe
123 field_new_password: Nouveau mot de passe
124 field_password_confirmation: Confirmation
124 field_password_confirmation: Confirmation
125 field_version: Version
125 field_version: Version
126 field_type: Type
126 field_type: Type
127 field_host: Hôte
127 field_host: Hôte
128 field_port: Port
128 field_port: Port
129 field_account: Compte
129 field_account: Compte
130 field_base_dn: Base DN
130 field_base_dn: Base DN
131 field_attr_login: Attribut Identifiant
131 field_attr_login: Attribut Identifiant
132 field_attr_firstname: Attribut Prénom
132 field_attr_firstname: Attribut Prénom
133 field_attr_lastname: Attribut Nom
133 field_attr_lastname: Attribut Nom
134 field_attr_mail: Attribut Email
134 field_attr_mail: Attribut Email
135 field_onthefly: Création des utilisateurs à la volée
135 field_onthefly: Création des utilisateurs à la volée
136 field_start_date: Début
136 field_start_date: Début
137 field_done_ratio: %% Réalisé
137 field_done_ratio: %% Réalisé
138 field_auth_source: Mode d'authentification
138 field_auth_source: Mode d'authentification
139 field_hide_mail: Cacher mon adresse mail
139 field_hide_mail: Cacher mon adresse mail
140 field_comment: Commentaire
140 field_comment: Commentaire
141 field_url: URL
141 field_url: URL
142
142
143 label_user: Utilisateur
143 label_user: Utilisateur
144 label_user_plural: Utilisateurs
144 label_user_plural: Utilisateurs
145 label_user_new: Nouvel utilisateur
145 label_user_new: Nouvel utilisateur
146 label_project: Projet
146 label_project: Projet
147 label_project_new: Nouveau projet
147 label_project_new: Nouveau projet
148 label_project_plural: Projets
148 label_project_plural: Projets
149 label_project_latest: Derniers projets
149 label_project_latest: Derniers projets
150 label_issue: Demande
150 label_issue: Demande
151 label_issue_new: Nouvelle demande
151 label_issue_new: Nouvelle demande
152 label_issue_plural: Demandes
152 label_issue_plural: Demandes
153 label_issue_view_all: Voir toutes les demandes
153 label_issue_view_all: Voir toutes les demandes
154 label_document: Document
154 label_document: Document
155 label_document_new: Nouveau document
155 label_document_new: Nouveau document
156 label_document_plural: Documents
156 label_document_plural: Documents
157 label_role: Rôle
157 label_role: Rôle
158 label_role_plural: Rôles
158 label_role_plural: Rôles
159 label_role_new: Nouveau rôle
159 label_role_new: Nouveau rôle
160 label_role_and_permissions: Rôles et permissions
160 label_role_and_permissions: Rôles et permissions
161 label_member: Membre
161 label_member: Membre
162 label_member_new: Nouveau membre
162 label_member_new: Nouveau membre
163 label_member_plural: Membres
163 label_member_plural: Membres
164 label_tracker: Tracker
164 label_tracker: Tracker
165 label_tracker_plural: Trackers
165 label_tracker_plural: Trackers
166 label_tracker_new: Nouveau tracker
166 label_tracker_new: Nouveau tracker
167 label_workflow: Workflow
167 label_workflow: Workflow
168 label_issue_status: Statut de demandes
168 label_issue_status: Statut de demandes
169 label_issue_status_plural: Statuts de demandes
169 label_issue_status_plural: Statuts de demandes
170 label_issue_status_new: Nouveau statut
170 label_issue_status_new: Nouveau statut
171 label_issue_category: Catégorie de demandes
171 label_issue_category: Catégorie de demandes
172 label_issue_category_plural: Catégories de demandes
172 label_issue_category_plural: Catégories de demandes
173 label_issue_category_new: Nouvelle catégorie
173 label_issue_category_new: Nouvelle catégorie
174 label_custom_field: Champ personnalisé
174 label_custom_field: Champ personnalisé
175 label_custom_field_plural: Champs personnalisés
175 label_custom_field_plural: Champs personnalisés
176 label_custom_field_new: Nouveau champ personnalisé
176 label_custom_field_new: Nouveau champ personnalisé
177 label_enumerations: Listes de valeurs
177 label_enumerations: Listes de valeurs
178 label_enumeration_new: Nouvelle valeur
178 label_enumeration_new: Nouvelle valeur
179 label_information: Information
179 label_information: Information
180 label_information_plural: Informations
180 label_information_plural: Informations
181 label_please_login: Identification
181 label_please_login: Identification
182 label_register: S'enregistrer
182 label_register: S'enregistrer
183 label_password_lost: Mot de passe perdu
183 label_password_lost: Mot de passe perdu
184 label_home: Accueil
184 label_home: Accueil
185 label_my_page: Ma page
185 label_my_page: Ma page
186 label_my_account: Mon compte
186 label_my_account: Mon compte
187 label_my_projects: Mes projets
187 label_my_projects: Mes projets
188 label_administration: Administration
188 label_administration: Administration
189 label_login: Connexion
189 label_login: Connexion
190 label_logout: Déconnexion
190 label_logout: Déconnexion
191 label_help: Aide
191 label_help: Aide
192 label_reported_issues: Demandes soumises
192 label_reported_issues: Demandes soumises
193 label_assigned_to_me_issues: Demandes qui me sont assignées
193 label_assigned_to_me_issues: Demandes qui me sont assignées
194 label_last_login: Dernière connexion
194 label_last_login: Dernière connexion
195 label_last_updates: Dernière mise à jour
195 label_last_updates: Dernière mise à jour
196 label_last_updates_plural: %d dernières mises à jour
196 label_last_updates_plural: %d dernières mises à jour
197 label_registered_on: Inscrit le
197 label_registered_on: Inscrit le
198 label_activity: Activité
198 label_activity: Activité
199 label_new: Nouveau
199 label_new: Nouveau
200 label_logged_as: Connecté en tant que
200 label_logged_as: Connecté en tant que
201 label_environment: Environnement
201 label_environment: Environnement
202 label_authentication: Authentification
202 label_authentication: Authentification
203 label_auth_source: Mode d'authentification
203 label_auth_source: Mode d'authentification
204 label_auth_source_new: Nouveau mode d'authentification
204 label_auth_source_new: Nouveau mode d'authentification
205 label_auth_source_plural: Modes d'authentification
205 label_auth_source_plural: Modes d'authentification
206 label_subproject: Sous-projet
206 label_subproject: Sous-projet
207 label_subproject_plural: Sous-projets
207 label_subproject_plural: Sous-projets
208 label_min_max_length: Longueurs mini - maxi
208 label_min_max_length: Longueurs mini - maxi
209 label_list: Liste
209 label_list: Liste
210 label_date: Date
210 label_date: Date
211 label_integer: Entier
211 label_integer: Entier
212 label_boolean: Booléen
212 label_boolean: Booléen
213 label_string: Texte
213 label_string: Texte
214 label_text: Texte long
214 label_text: Texte long
215 label_attribute: Attribut
215 label_attribute: Attribut
216 label_attribute_plural: Attributs
216 label_attribute_plural: Attributs
217 label_download: %d Téléchargement
217 label_download: %d Téléchargement
218 label_download_plural: %d Téléchargements
218 label_download_plural: %d Téléchargements
219 label_no_data: Aucune donnée à afficher
219 label_no_data: Aucune donnée à afficher
220 label_change_status: Changer le statut
220 label_change_status: Changer le statut
221 label_history: Historique
221 label_history: Historique
222 label_attachment: Fichier
222 label_attachment: Fichier
223 label_attachment_new: Nouveau fichier
223 label_attachment_new: Nouveau fichier
224 label_attachment_delete: Supprimer le fichier
224 label_attachment_delete: Supprimer le fichier
225 label_attachment_plural: Fichiers
225 label_attachment_plural: Fichiers
226 label_report: Rapport
226 label_report: Rapport
227 label_report_plural: Rapports
227 label_report_plural: Rapports
228 label_news: Annonce
228 label_news: Annonce
229 label_news_new: Nouvelle annonce
229 label_news_new: Nouvelle annonce
230 label_news_plural: Annonces
230 label_news_plural: Annonces
231 label_news_latest: Dernières annonces
231 label_news_latest: Dernières annonces
232 label_news_view_all: Voir toutes les annonces
232 label_news_view_all: Voir toutes les annonces
233 label_change_log: Historique
233 label_change_log: Historique
234 label_settings: Configuration
234 label_settings: Configuration
235 label_overview: Aperçu
235 label_overview: Aperçu
236 label_version: Version
236 label_version: Version
237 label_version_new: Nouvelle version
237 label_version_new: Nouvelle version
238 label_version_plural: Versions
238 label_version_plural: Versions
239 label_confirmation: Confirmation
239 label_confirmation: Confirmation
240 label_export_to: Exporter en
240 label_export_to: Exporter en
241 label_read: Lire...
241 label_read: Lire...
242 label_public_projects: Projets publics
242 label_public_projects: Projets publics
243 label_open_issues: ouvert
243 label_open_issues: ouvert
244 label_open_issues_plural: ouverts
244 label_open_issues_plural: ouverts
245 label_closed_issues: fermé
245 label_closed_issues: fermé
246 label_closed_issues_plural: fermés
246 label_closed_issues_plural: fermés
247 label_total: Total
247 label_total: Total
248 label_permissions: Permissions
248 label_permissions: Permissions
249 label_current_status: Statut actuel
249 label_current_status: Statut actuel
250 label_new_statuses_allowed: Nouveaux statuts autorisés
250 label_new_statuses_allowed: Nouveaux statuts autorisés
251 label_all: tous
251 label_all: tous
252 label_none: aucun
252 label_none: aucun
253 label_next: Suivant
253 label_next: Suivant
254 label_previous: Précédent
254 label_previous: Précédent
255 label_used_by: Utilisé par
255 label_used_by: Utilisé par
256 label_details: Détails...
256 label_details: Détails...
257 label_add_note: Ajouter une note
257 label_add_note: Ajouter une note
258 label_per_page: Par page
258 label_per_page: Par page
259 label_calendar: Calendrier
259 label_calendar: Calendrier
260 label_months_from: mois depuis
260 label_months_from: mois depuis
261 label_gantt: Gantt
261 label_gantt: Gantt
262 label_internal: Interne
262 label_internal: Interne
263 label_last_changes: %d derniers changements
263 label_last_changes: %d derniers changements
264 label_change_view_all: Voir tous les changements
264 label_change_view_all: Voir tous les changements
265 label_personalize_page: Personnaliser cette page
265 label_personalize_page: Personnaliser cette page
266 label_comment: Commentaire
266 label_comment: Commentaire
267 label_comment_plural: Commentaires
267 label_comment_plural: Commentaires
268 label_comment_add: Ajouter un commentaire
268 label_comment_add: Ajouter un commentaire
269 label_comment_added: Commentaire ajouté
269 label_comment_added: Commentaire ajouté
270 label_comment_delete: Supprimer les commentaires
270 label_comment_delete: Supprimer les commentaires
271 label_query: Rapport personnalisé
271 label_query: Rapport personnalisé
272 label_query_plural: Rapports personnalisés
272 label_query_plural: Rapports personnalisés
273 label_query_new: Nouveau rapport
273 label_query_new: Nouveau rapport
274 label_filter_add: Ajouter le filtre
274 label_filter_add: Ajouter le filtre
275 label_filter_plural: Filtres
275 label_filter_plural: Filtres
276 label_equals: égal
276 label_equals: égal
277 label_not_equals: différent
277 label_not_equals: différent
278 label_in_less_than: dans moins de
278 label_in_less_than: dans moins de
279 label_in_more_than: dans plus de
279 label_in_more_than: dans plus de
280 label_in: dans
280 label_in: dans
281 label_today: aujourd'hui
281 label_today: aujourd'hui
282 label_less_than_ago: il y a moins de
282 label_less_than_ago: il y a moins de
283 label_more_than_ago: il y a plus de
283 label_more_than_ago: il y a plus de
284 label_ago: il y a
284 label_ago: il y a
285 label_contains: contient
285 label_contains: contient
286 label_not_contains: ne contient pas
286 label_not_contains: ne contient pas
287 label_day_plural: jours
287 label_day_plural: jours
288 label_repository: Dépôt SVN
288 label_repository: Dépôt SVN
289 label_browse: Parcourir
289 label_browse: Parcourir
290 label_modification: %d modification
290 label_modification: %d modification
291 label_modification_plural: %d modifications
291 label_modification_plural: %d modifications
292 label_revision: Révision
292 label_revision: Révision
293 label_revision_plural: Révisions
293 label_revision_plural: Révisions
294 label_added: ajouté
294 label_added: ajouté
295 label_modified: modifié
295 label_modified: modifié
296 label_deleted: supprimé
296 label_deleted: supprimé
297 label_latest_revision: Dernière révision
297 label_latest_revision: Dernière révision
298 label_view_revisions: Voir les révisions
298 label_view_revisions: Voir les révisions
299 label_max_size: Taille maximale
299
300
300 button_login: Connexion
301 button_login: Connexion
301 button_submit: Soumettre
302 button_submit: Soumettre
302 button_save: Sauvegarder
303 button_save: Sauvegarder
303 button_check_all: Tout cocher
304 button_check_all: Tout cocher
304 button_uncheck_all: Tout décocher
305 button_uncheck_all: Tout décocher
305 button_delete: Supprimer
306 button_delete: Supprimer
306 button_create: Créer
307 button_create: Créer
307 button_test: Tester
308 button_test: Tester
308 button_edit: Modifier
309 button_edit: Modifier
309 button_add: Ajouter
310 button_add: Ajouter
310 button_change: Changer
311 button_change: Changer
311 button_apply: Appliquer
312 button_apply: Appliquer
312 button_clear: Effacer
313 button_clear: Effacer
313 button_lock: Verrouiller
314 button_lock: Verrouiller
314 button_unlock: Déverrouiller
315 button_unlock: Déverrouiller
315 button_download: Télécharger
316 button_download: Télécharger
316 button_list: Lister
317 button_list: Lister
317 button_view: Voir
318 button_view: Voir
318 button_move: Déplacer
319 button_move: Déplacer
319 button_back: Retour
320 button_back: Retour
320 button_cancel: Annuler
321 button_cancel: Annuler
321
322
322 text_select_mail_notifications: Sélectionner les actions pour lesquelles la notification par mail doit être activée.
323 text_select_mail_notifications: Sélectionner les actions pour lesquelles la notification par mail doit être activée.
323 text_regexp_info: ex. ^[A-Z0-9]+$
324 text_regexp_info: ex. ^[A-Z0-9]+$
324 text_min_max_length_info: 0 pour aucune restriction
325 text_min_max_length_info: 0 pour aucune restriction
325 text_possible_values_info: valeurs séparées par |
326 text_possible_values_info: valeurs séparées par |
326 text_project_destroy_confirmation: Etes-vous sûr de vouloir supprimer ce projet et tout ce qui lui est rattaché ?
327 text_project_destroy_confirmation: Etes-vous sûr de vouloir supprimer ce projet et tout ce qui lui est rattaché ?
327 text_workflow_edit: Sélectionner un tracker et un rôle pour éditer le workflow
328 text_workflow_edit: Sélectionner un tracker et un rôle pour éditer le workflow
328 text_are_you_sure: Etes-vous sûr ?
329 text_are_you_sure: Etes-vous sûr ?
329 text_journal_changed: changé de %s à %s
330 text_journal_changed: changé de %s à %s
330 text_journal_set_to: mis à %s
331 text_journal_set_to: mis à %s
331 text_journal_deleted: supprimé
332 text_journal_deleted: supprimé
332 text_tip_task_begin_day: tâche commençant ce jour
333 text_tip_task_begin_day: tâche commençant ce jour
333 text_tip_task_end_day: tâche finissant ce jour
334 text_tip_task_end_day: tâche finissant ce jour
334 text_tip_task_begin_end_day: tâche commençant et finissant ce jour
335 text_tip_task_begin_end_day: tâche commençant et finissant ce jour
335
336
336 default_role_manager: Manager
337 default_role_manager: Manager
337 default_role_developper: Développeur
338 default_role_developper: Développeur
338 default_role_reporter: Rapporteur
339 default_role_reporter: Rapporteur
339 default_tracker_bug: Anomalie
340 default_tracker_bug: Anomalie
340 default_tracker_feature: Evolution
341 default_tracker_feature: Evolution
341 default_tracker_support: Assistance
342 default_tracker_support: Assistance
342 default_issue_status_new: Nouveau
343 default_issue_status_new: Nouveau
343 default_issue_status_assigned: Assigné
344 default_issue_status_assigned: Assigné
344 default_issue_status_resolved: Résolu
345 default_issue_status_resolved: Résolu
345 default_issue_status_feedback: Commentaire
346 default_issue_status_feedback: Commentaire
346 default_issue_status_closed: Fermé
347 default_issue_status_closed: Fermé
347 default_issue_status_rejected: Rejeté
348 default_issue_status_rejected: Rejeté
348 default_doc_category_user: Documentation utilisateur
349 default_doc_category_user: Documentation utilisateur
349 default_doc_category_tech: Documentation technique
350 default_doc_category_tech: Documentation technique
350 default_priority_low: Bas
351 default_priority_low: Bas
351 default_priority_normal: Normal
352 default_priority_normal: Normal
352 default_priority_high: Haut
353 default_priority_high: Haut
353 default_priority_urgent: Urgent
354 default_priority_urgent: Urgent
354 default_priority_immediate: Immédiat
355 default_priority_immediate: Immédiat
355
356
356 enumeration_issue_priorities: Priorités des demandes
357 enumeration_issue_priorities: Priorités des demandes
357 enumeration_doc_categories: Catégories des documents
358 enumeration_doc_categories: Catégories des documents
General Comments 0
You need to be logged in to leave comments. Login now