Issue #56, remove boostrap app

This commit is contained in:
Roberto Rosario
2014-10-21 12:30:54 -04:00
parent 966a49a938
commit 2f01904217
95 changed files with 0 additions and 10557 deletions

View File

@@ -1,8 +0,0 @@
from __future__ import absolute_import
from .models import AccessEntry, DefaultAccessEntry
def cleanup():
AccessEntry.objects.all().delete()
DefaultAccessEntry.objects.all().delete()

View File

@@ -5,11 +5,9 @@ import logging
from django.db import models
from django.utils.importlib import import_module
from bootstrap.classes import BootstrapModel, Cleanup
from navigation.api import register_top_menu
from project_setup.api import register_setup
from project_tools.api import register_tool
from rest_api.classes import APIEndPoint
logger = logging.getLogger(__name__)
@@ -48,22 +46,5 @@ class App(object):
logger.debug('menu_link: %s' % link)
register_top_menu(name='%s.%s' % (app_name, index), link=link)
for cleanup_function in getattr(registration, 'cleanup_functions', []):
logger.debug('cleanup_function: %s' % cleanup_function)
Cleanup(cleanup_function)
for bootstrap_model in getattr(registration, 'bootstrap_models', []):
logger.debug('bootstrap_model: %s' % bootstrap_model)
BootstrapModel(model_name=bootstrap_model.get('name'), app_name=app_name, sanitize=bootstrap_model.get('sanitize', True), dependencies=bootstrap_model.get('dependencies'))
version_0_api_services = getattr(registration, 'version_0_api_services', [])
logger.debug('version_0_api_services: %s' % version_0_api_services)
if version_0_api_services:
api_endpoint = APIEndPoint(app_name)
for service in version_0_api_services:
api_endpoint.add_service(**service)
def __unicode__(self):
return unicode(self.label)

View File

@@ -1,7 +0,0 @@
from __future__ import absolute_import
from django.contrib import admin
from .models import BootstrapSetup
admin.site.register(BootstrapSetup)

View File

@@ -1,172 +0,0 @@
from __future__ import absolute_import
from itertools import chain
import logging
from django.core import serializers
from django.db import models
from django.utils.datastructures import SortedDict
from .exceptions import ExistingData, NotABootstrapSetup
from .literals import (FIXTURE_TYPE_PK_NULLIFIER, FIXTURE_TYPE_MODEL_PROCESS,
FIXTURE_METADATA_REMARK_CHARACTER, BOOTSTRAP_SETUP_MAGIC_NUMBER)
from .utils import toposort2
logger = logging.getLogger(__name__)
class Cleanup(object):
"""
Class to store all the registered cleanup functions in one place.
"""
_registry = {}
@classmethod
def execute_all(cls):
for cleanup in cls._registry.values():
cleanup.function()
def __init__(self, function):
self.function = function
self.__class__._registry[id(self)] = self
class BootstrapModel(object):
"""
Class used to keep track of all the models to be dumped to create a
bootstrap setup from the current setup in use.
"""
_registry = SortedDict()
@classmethod
def get_magic_number(cls):
return '%s %s' % (FIXTURE_METADATA_REMARK_CHARACTER, BOOTSTRAP_SETUP_MAGIC_NUMBER)
@classmethod
def check_magic_number(cls, data):
if not data.startswith(cls.get_magic_number()):
raise NotABootstrapSetup
@classmethod
def check_for_data(cls):
for model in cls.get_all():
model_instance = models.get_model(model.app_name, model.model_name)
if model_instance.objects.all().count():
raise ExistingData
@classmethod
def get_all(cls, sort_by_dependencies=False):
"""
Return all boostrap models, sorted by dependencies optionally.
"""
if not sort_by_dependencies:
return cls._registry.values()
else:
return (cls.get_by_name(name) for name in list(chain.from_iterable(toposort2(cls.get_dependency_dict()))))
@classmethod
def get_dependency_dict(cls):
"""
Return a dictionary where the key is the model name and it's value
is a list of models upon which it depends.
"""
result = {}
for instance in cls.get_all():
result[instance.get_fullname()] = set(instance.dependencies)
logger.debug('result: %s' % result)
return result
@classmethod
def get_by_name(cls, name):
"""
Return a BootstrapModel instance by the fullname of the model it
represents.
"""
return cls._registry[name]
def get_fullname(self):
"""
Return a the full app name + model name of the model represented
by the instance.
"""
return '.'.join([self.app_name, self.model_name])
def get_model_instance(self):
"""
Returns an actual Model class instance of the model.
"""
return models.get_model(self.app_name, self.model_name)
def __init__(self, model_name, app_name=None, sanitize=True, dependencies=None):
app_name_splitted = None
if '.' in model_name:
app_name_splitted, model_name = model_name.split('.')
self.app_name = app_name_splitted or app_name
if not self.app_name:
raise Exception('Pass either a dotted app plus model name or a model name and a separate app name')
self.model_name = model_name
self.sanitize = sanitize
self.dependencies = dependencies if dependencies else []
self.__class__._registry[self.get_fullname()] = self
def dump(self, serialization_format):
result = serializers.serialize(serialization_format, self.get_model_instance().objects.all(), indent=4, use_natural_keys=True)
logger.debug('result: "%s"' % result)
if self.sanitize:
# Remove primary key values
result = FIXTURE_TYPE_PK_NULLIFIER[serialization_format](result)
# Do any clean up required on the fixture
result = FIXTURE_TYPE_MODEL_PROCESS[serialization_format](result)
return result
class FixtureMetadata(object):
"""
Class to automatically create and extract metadata from a bootstrap
fixture.
"""
_registry = SortedDict()
@classmethod
def get_all(cls):
return cls._registry.values()
@classmethod
def generate_all(cls, fixture_instance):
result = []
for fixture_metadata in cls.get_all():
result.append(fixture_metadata.generate(fixture_instance))
return '\n'.join(result)
@classmethod
def read_all(cls, data):
result = {}
for instance in cls.get_all():
single_result = instance.read_value(data)
if single_result:
result[instance.property_name] = single_result
return result
def __init__(self, literal, generate_function, read_function=None, property_name=None):
self.literal = literal
self.generate_function = generate_function
self.property_name = property_name
self.read_function = read_function or (lambda x: x)
self.__class__._registry[id(self)] = self
def get_with_remark(self):
return '%s %s' % (FIXTURE_METADATA_REMARK_CHARACTER, self.literal)
def generate(self, fixture_instance):
return '%s: %s' % (self.get_with_remark(), self.generate_function(fixture_instance))
def read_value(self, fixture_data):
if self.property_name:
for line in fixture_data.splitlines(False):
if line.startswith(self.get_with_remark()):
# TODO: replace the "+ 4" with a space and next character finding algo
return self.read_function(line[len(self.literal) + 4:])

View File

@@ -1,18 +0,0 @@
from __future__ import absolute_import
class ExistingData(Exception):
"""
Raised when an attempt to execute a bootstrap setup is made and there is
existing data that would be corrupted or damaged by the loading the
bootstrap's fixture.
"""
pass
class NotABootstrapSetup(Exception):
"""
Raised when an attempting to import a bootstrap setup without a proper
magic number metadata
"""
pass

View File

@@ -1,56 +0,0 @@
from __future__ import absolute_import
import logging
from django import forms
from django.utils.translation import ugettext_lazy as _
from common.forms import DetailForm
from .models import BootstrapSetup
logger = logging.getLogger(__name__)
class BootstrapSetupForm(forms.ModelForm):
class Meta:
model = BootstrapSetup
widgets = {
'description': forms.widgets.Textarea(attrs={
'rows': 5, 'cols': 80}
)
}
class BootstrapSetupForm_view(DetailForm):
class Meta:
model = BootstrapSetup
widgets = {
'description': forms.widgets.Textarea(attrs={
'rows': 5, 'cols': 80}
)
}
class BootstrapSetupForm_edit(BootstrapSetupForm):
class Meta(BootstrapSetupForm.Meta):
model = BootstrapSetup
exclude = ('type',)
class BootstrapSetupForm_dump(BootstrapSetupForm):
class Meta(BootstrapSetupForm.Meta):
model = BootstrapSetup
exclude = ('fixture',)
class BootstrapFileImportForm(forms.Form):
file = forms.FileField(
label=_(u'Bootstrap setup file'),
)
class BootstrapURLImportForm(forms.Form):
url = forms.URLField(
label=_(u'Bootstrap setup URL'),
)

View File

@@ -1,23 +0,0 @@
from __future__ import absolute_import
from django.utils.translation import ugettext_lazy as _
from .permissions import (PERMISSION_BOOTSTRAP_VIEW, PERMISSION_BOOTSTRAP_CREATE,
PERMISSION_BOOTSTRAP_EDIT, PERMISSION_BOOTSTRAP_DELETE,
PERMISSION_BOOTSTRAP_EXECUTE, PERMISSION_BOOTSTRAP_DUMP,
PERMISSION_NUKE_DATABASE, PERMISSION_BOOTSTRAP_EXPORT,
PERMISSION_BOOTSTRAP_IMPORT, PERMISSION_BOOTSTRAP_REPOSITORY_SYNC)
link_bootstrap_setup_tool = {'text': _(u'Bootstrap'), 'view': 'bootstrap:bootstrap_setup_list', 'icon': 'lightning.png', 'permissions': [PERMISSION_BOOTSTRAP_VIEW]}
link_bootstrap_setup_list = {'text': _(u'Bootstrap setup list'), 'view': 'bootstrap:bootstrap_setup_list', 'famfam': 'lightning', 'permissions': [PERMISSION_BOOTSTRAP_VIEW]}
link_bootstrap_setup_create = {'text': _(u'Create new bootstrap setup'), 'view': 'bootstrap:bootstrap_setup_create', 'famfam': 'lightning_add', 'permissions': [PERMISSION_BOOTSTRAP_CREATE]}
link_bootstrap_setup_edit = {'text': _(u'Edit'), 'view': 'bootstrap:bootstrap_setup_edit', 'args': 'object.pk', 'famfam': 'pencil', 'permissions': [PERMISSION_BOOTSTRAP_EDIT]}
link_bootstrap_setup_delete = {'text': _(u'Delete'), 'view': 'bootstrap:bootstrap_setup_delete', 'args': 'object.pk', 'famfam': 'lightning_delete', 'permissions': [PERMISSION_BOOTSTRAP_DELETE]}
link_bootstrap_setup_view = {'text': _(u'Details'), 'view': 'bootstrap:bootstrap_setup_view', 'args': 'object.pk', 'famfam': 'lightning', 'permissions': [PERMISSION_BOOTSTRAP_VIEW]}
link_bootstrap_setup_execute = {'text': _(u'Execute'), 'view': 'bootstrap:bootstrap_setup_execute', 'args': 'object.pk', 'famfam': 'lightning_go', 'permissions': [PERMISSION_BOOTSTRAP_EXECUTE]}
link_bootstrap_setup_dump = {'text': _(u'Dump current setup'), 'view': 'bootstrap:bootstrap_setup_dump', 'famfam': 'arrow_down', 'permissions': [PERMISSION_BOOTSTRAP_DUMP]}
link_bootstrap_setup_export = {'text': _(u'Export'), 'view': 'bootstrap:bootstrap_setup_export', 'args': 'object.pk', 'famfam': 'disk', 'permissions': [PERMISSION_BOOTSTRAP_EXPORT]}
link_bootstrap_setup_import_from_file = {'text': _(u'Import from file'), 'view': 'bootstrap:bootstrap_setup_import_from_file', 'famfam': 'folder', 'permissions': [PERMISSION_BOOTSTRAP_IMPORT]}
link_bootstrap_setup_import_from_url = {'text': _(u'Import from URL'), 'view': 'bootstrap:bootstrap_setup_import_from_url', 'famfam': 'world', 'permissions': [PERMISSION_BOOTSTRAP_IMPORT]}
link_bootstrap_setup_repository_sync = {'text': _(u'Sync with repository'), 'view': 'bootstrap:bootstrap_setup_repository_sync', 'famfam': 'world', 'permissions': [PERMISSION_BOOTSTRAP_REPOSITORY_SYNC]}
link_erase_database = {'text': _(u'Erase database'), 'view': 'bootstrap:erase_database_view', 'icon': 'radioactivity.png', 'permissions': [PERMISSION_NUKE_DATABASE]}

View File

@@ -1,79 +0,0 @@
from __future__ import absolute_import
import re
try:
import yaml
except ImportError:
YAML_AVAILABLE = False
else:
YAML_AVAILABLE = True
from django.utils.translation import ugettext_lazy as _
FIXTURE_TYPE_JSON = 'json'
FIXTURE_TYPE_YAML = 'yaml'
FIXTURE_TYPE_BETTER_YAML = 'better_yaml'
FIXTURE_TYPE_XML = 'xml'
FIXTURE_TYPES_CHOICES = (
(FIXTURE_TYPE_JSON, _(u'JSON')),
# Disabing XML until a way to specify a null pk is found
# (FIXTURE_TYPE_XML, _(u'XML')),
)
FIXTURE_FILE_TYPE = {
FIXTURE_TYPE_JSON: 'json',
FIXTURE_TYPE_YAML: 'yaml',
FIXTURE_TYPE_BETTER_YAML: 'better_yaml',
FIXTURE_TYPE_XML: 'xml',
}
FIXTURE_TYPE_PK_NULLIFIER = {
FIXTURE_TYPE_JSON: lambda x: re.sub('"pk": [0-9]{1,5}', '"pk": null', x),
FIXTURE_TYPE_YAML: lambda x: re.sub('pk: [0-9]{1,5}', 'pk: null', x),
FIXTURE_TYPE_BETTER_YAML: lambda x: re.sub('[0-9]{1,5}:', 'null:', x),
FIXTURE_TYPE_XML: lambda x: re.sub('pk="[0-9]{1,5}"', 'pk=null', x),
}
FIXTURE_TYPE_EMPTY_FIXTURE = {
FIXTURE_TYPE_JSON: lambda x: x.startswith('[]') or x == ',',
FIXTURE_TYPE_YAML: lambda x: x.startswith('[]'),
FIXTURE_TYPE_BETTER_YAML: lambda x: x.startswith('{}'),
FIXTURE_TYPE_XML: lambda x: x,
}
FIXTURE_TYPE_MODEL_PROCESS = {
FIXTURE_TYPE_JSON: lambda x: '%s,' % x[2:-2],
FIXTURE_TYPE_YAML: lambda x: x,
FIXTURE_TYPE_BETTER_YAML: lambda x: x,
FIXTURE_TYPE_XML: lambda x: x,
}
FIXTURE_TYPE_FIXTURE_PROCESS = {
FIXTURE_TYPE_JSON: lambda x: '[\n%s\n]' % x[:-1], # Enclose in [], remove last comma
FIXTURE_TYPE_YAML: lambda x: x,
FIXTURE_TYPE_BETTER_YAML: lambda x: x,
FIXTURE_TYPE_XML: lambda x: x,
}
COMMAND_LOADDATA = 'loaddata'
if YAML_AVAILABLE:
FIXTURE_TYPES_CHOICES += (FIXTURE_TYPE_YAML, _(u'YAML')),
FIXTURE_TYPES_CHOICES += (FIXTURE_TYPE_BETTER_YAML, _(u'Better YAML')),
# better_yaml is not working with natural keys
BOOTSTRAP_EXTENSION = 'txt'
BOOTSTRAP_REPOSITORY_INDEX_FILE = '_repo_index.txt'
BOOTSTRAP_REPOSITORY_URL = 'http://bootstrap.mayan-edms.com'
BOOTSTRAP_SETUP_MAGIC_NUMBER = 'bootstrap setup'
DATETIME_STRING_FORMAT = '%a, %d %b %Y %H:%M:%S +0000'
FIXTURE_METADATA_CREATED = 'created'
FIXTURE_METADATA_DESCRIPTION = 'description'
FIXTURE_METADATA_EDITED = 'edited'
FIXTURE_METADATA_FORMAT = 'format'
FIXTURE_METADATA_MAYAN_VERSION = 'mayan_edms_version'
FIXTURE_METADATA_NAME = 'name'
FIXTURE_METADATA_REMARK_CHARACTER = '#'
FIXTURE_METADATA_SLUG = 'slug'

View File

@@ -1,329 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
# Mohammed ALDOUB <voulnet@gmail.com>, 2013
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Arabic (http://www.transifex.com/projects/p/mayan-edms/language/ar/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: ar\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr "Bootstrap setup file"
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr "Bootstrap setup URL"
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr "Bootstrap"
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "Better YAML"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr "These are the actual database structure creation instructions."
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr "Database bootstrap"
#: permissions.py:9
msgid "View bootstrap setups"
msgstr "View bootstrap setups"
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr "Create bootstrap setups"
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr "Edit bootstrap setups"
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr "Delete bootstrap setups"
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr "Execute bootstrap setups"
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr "Dump the current project\\s setup into a bootstrap setup"
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr "Export bootstrap setups as files"
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr "Import new bootstrap setups"
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr "Sync the local bootstrap setups with a published repository"
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr "مسح قاعدة البيانات والوئايق بالكامل"
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr "Provides pre configured setups for indexes, document types, tags, etc."
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr "Bootstrap setup created successfully"
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr "Error creating bootstrap setup."
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr "Bootstrap setup edited successfully"
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr "Error editing bootstrap setup."
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr "Bootstrap setup: %s deleted successfully."
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr "Are you sure you with to delete the bootstrap setup: %s?"
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr "Cannot execute bootstrap setup, there is existing data. Erase all data and try again."
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr "Error executing bootstrap setup; %s"
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr "Bootstrap setup \"%s\" executed successfully."
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr "Are you sure you wish to execute the database bootstrap setup named: %s?"
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr "Error dumping configuration into a bootstrap setup; %s"
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr "Bootstrap setup created successfully."
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr "Bootstrap setup imported successfully."
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr "File is not a bootstrap setup."
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr "Error importing bootstrap setup from file; %s."
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr "Import bootstrap setup from file"
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr "Data from URL is not a bootstrap setup."
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr "Error importing bootstrap setup from URL; %s."
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr "Import bootstrap setup from URL"
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr "Error erasing database; %s"
#: views.py:301
msgid "Database erased successfully."
msgstr "مسح قاعدة البيانات بنجاح."
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr "هل أنت متأكد أنك ترغب في مسح قاعدة البيانات والوثائق بأكملها؟"
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr "سيتم فقدان كافة الوثائق والمصادر، وأنواع البيانات الوصفية، والكلمات الاستدلالية، والفهارس وسجلات و لن تستطيع ارجاعها!"
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr "Bootstrap repository successfully synchronized."
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr "Bootstrap repository synchronization error: %(error)s"
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr "Are you sure you wish to synchronize with the bootstrap repository?"
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,329 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
# Pavlin Koldamov <pkoldamov@gmail.com>, 2012
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Bulgarian (http://www.transifex.com/projects/p/mayan-edms/language/bg/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: bg\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "Подобрен YAML"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr "Това са текущите инструкции за създаване на структурата на базата данни."
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr "Изтрийте цялата база данни за съхраняване и документното пространство"
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr "Грешка при изтриване на база данни; %s"
#: views.py:301
msgid "Database erased successfully."
msgstr "Базата данни е изтрита успешно."
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr "Сигурен ли сте, че искате да изтриете цялата база данни и документното пространство?"
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,329 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
# www.ping.ba <jomer@ping.ba>, 2013
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Bosnian (Bosnia and Herzegovina) (http://www.transifex.com/projects/p/mayan-edms/language/bs_BA/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: bs_BA\n"
"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr "datoteka bootstrap setup-a"
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr "URL bootstrap setup-a"
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr "Bootstrap"
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "Bolji YAML"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr "Ovo su istrukcije za kreiranje stvarne strukture baze podataka."
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr "Bootstrap baze podataka"
#: permissions.py:9
msgid "View bootstrap setups"
msgstr "Pregledati bootstrap setup-e"
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr "Kreirati bootstrap setup-e"
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr "Izmjeniti bootstrap setup-e"
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr "Obrisati bootstrap setup-e"
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr "Izvršiti bootstrap setup-e"
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr "Prebaciti setup trenutnog/ih projekata u bootstrap setup"
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr "Eksport bootstrap setup-a kao datoteka"
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr "Import novog bootstrap setup-a"
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr "Sinhronizirati lokalne bootstrap setup-e sa objavljenim repozitorijem"
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr "Obrisati čitavu bazu podataka i spremište dokumenata"
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr "Obezbjeđuje prekonfigurisane postavke za indekse, dokumente tipove, tagove, itd."
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr "Bootstrap setup uspješno kreiran"
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr "Greška kreiranja bootstrap setup-a."
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr "Bootstrap setup uspješno izmjenjen."
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr "Greška imjene bootstrap setup-a."
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr "Bootstrap setup: %s uspješno obrisan."
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr "Bootstrap setup: %(bootstrap)s, greška brisanja: %(error)s"
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr "Jeste li sigurni da želite izbrisati bootstrap setup: %s?"
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr "Bootstrap setup se ne može izvršiti, postoje podaci. Izbrisati sve podatke i pokušati ponovo."
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr "Greška izvršavanja bootstrap setup-a; %s"
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr "Bootstrap setup \"%s\" uspješno izvršen."
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr "Jeste li sigurni da želite izvršiti bootstrap setup baze podataka koji se zove: %s?"
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr "Greška prebacivanja configuracije u bootstrap setup; %s"
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr "Bootstrap setup uspješno kreiran."
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr "Bootstrap setup uspješno importovan."
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr "Datoteka nije bootstrap setup."
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr "Greška importa bootstrap setup-a iz datoteke; %s."
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr "Importovati bootstrap setup iz datoteke"
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr "Podaci iz URL nisu bootstrap setup."
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr "Greška importovanja bootstrap setup-a sa URL; %s."
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr "Importovati bootstrap setup sa URL"
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr "Greška brisanja baze podataka; %s"
#: views.py:301
msgid "Database erased successfully."
msgstr "Baza podataka uspješno obrisana."
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr "Jeste li sigurni da želite obrisati čitavu bazu podataka i spremište dokumenata?"
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr "Svi dokumenti, izvori, metadata, tipovi metadata, setovi, tagovi, indeksi and logovi će biti nepovratno izgubljeni!"
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr "Bootstrap repozitorij uspješno sinhronizovan."
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr "Greška sinhronizacije bootstrap repozitorija: %(error)s"
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr "Jeste li sigurni da želite sinhronizovati sa bootstrap repozitorijem?"
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Danish (http://www.transifex.com/projects/p/mayan-edms/language/da/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: da\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: German (Switzerland) (http://www.transifex.com/projects/p/mayan-edms/language/de_CH/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: de_CH\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,330 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
# Mathias Behrle <mbehrle@m9s.biz>, 2014
# Tobias Paepke <tobias.paepke@paepke.net>, 2014
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: German (Germany) (http://www.transifex.com/projects/p/mayan-edms/language/de_DE/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: de_DE\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr "Bootrap-Setup Datei"
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr "Boostrap-Setup URL"
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr "Bootstrap"
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "Better YAML"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr "Dies sind die aktuellen Anweisungen für die Erzeugung der Datenbank-Struktur."
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr "Datenbank Bootstrap"
#: permissions.py:9
msgid "View bootstrap setups"
msgstr "Bootstrap Setups anzeigen"
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr "Bootstrap-Setups erstellen"
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr "Bootstrap Setups bearbeiten"
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr "Bootstrap Setups löschen"
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr "Bootstrap Setups ausführen"
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr "Auszug des aktuellen Projekt-Setups in ein Bootstrap-Setup erstellen"
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr "Bootstrap-Setups als Datei exportieren"
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr "Import neuer Bootstrap-Setups"
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr "Synchronisieren des lokalen Bootstrap-Setups mit einem publizierten Repository"
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr "Löschen der gesamten Datenbank und des Dokumenten-Speichers"
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr "Stellt vorkonfigurierte Setups für Indices, Dokumenten-Typen, Tags, usw. bereit."
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr "Boostrap-Setup erfolgreich erstellt"
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr "Fehler beim Erstellen des Bootstrap-Setups."
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr "Bootstrap-Setup erfolgreich bearbeitet"
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr "Fehler beim Bearbeiten des Bootstrap-Setups."
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr "Boostrap-Setup %s erfolgreich gelöscht."
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr "Fehler %(error)s beim Löschen des Bootstrap-Setups %(bootstrap)s"
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr "Sind Sie sich sicher, das Sie das Bootstrap-Setup \"%s\" wirklich löschen möchten?"
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr "Kann das Bootstrap-Setup nicht auführen, da es bestehende Daten gibt. Es müssen zuerst alle Daten gelöscht und dann der Vorgang noch einmal versucht werden."
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr "Fehler beim Ausführen der Bootstrap-Setup %s"
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr "Bootstrap-Setup \"%s\" erfolgreich ausgeführt."
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr "Sind Sie sicher, dass Sie das Datenbank-Bootstrap-Setup \"%s\" ausführen wollen?"
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr "Fehler beim Erstellen des Auszugs der Konfiguration in das Bootstrap-Setup %s"
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr "Boostrap-Setup erfolgreich erstellt."
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr "Boostrap-Setup erfolgreich importiert."
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr "Datei ist kein Bootstrap Setup."
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr "Fehler beim Import des Bootstrap-Setup aus Datei %s."
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr "Bootstrap-Setup aus Datei importieren"
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr "Daten von URL sind kein Bootstrap-Setup."
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr "Fehler beim Import des Bootstrap-Setup von der URL %s."
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr "Import Bootstrap-Setup von URL"
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr "Fehler beim löschen der Datenbank %s"
#: views.py:301
msgid "Database erased successfully."
msgstr "Datenbank erfolgreich gelöscht."
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr "Sind Sie sicher, dass die gesamte Datenbank und der Dokumenten-Speicher gelöscht werden sollen?"
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr "Alle Dokumente, Quellen, Metadaten-Typen, -Sets, Tags, Indices und Protokolle werden unwiderruflich gelöscht!"
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr "Bootstrap Repository erfolgreich synchronisiert."
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr "Fehler bei der Synchronisation des Bootstrap-Repositories: %(error)s"
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr "Sind Sie sich sicher, das Sie mit dem Bootstrap-Repository synchronisieren wollen?"
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,352 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2012-12-12 06:04+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: English (http://www.transifex.com/projects/p/mayan-edms/"
"language/en/)\n"
"Language: en\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr "Bootstrap setup file"
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr "Bootstrap setup URL"
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr "Bootstrap"
#: links.py:12
#, fuzzy
msgid "Bootstrap setup list"
msgstr "bootstrap setup list"
#: links.py:13
#, fuzzy
msgid "Create new bootstrap setup"
msgstr "create new bootstrap setup"
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
#, fuzzy
msgid "Delete"
msgstr "delete"
#: links.py:16
#, fuzzy
msgid "Details"
msgstr "details"
#: links.py:17
#, fuzzy
msgid "Execute"
msgstr "execute"
#: links.py:18
#, fuzzy
msgid "Dump current setup"
msgstr "dump current setup"
#: links.py:19
#, fuzzy
msgid "Export"
msgstr "export"
#: links.py:20
#, fuzzy
msgid "Import from file"
msgstr "import from file"
#: links.py:21
#, fuzzy
msgid "Import from URL"
msgstr "import from URL"
#: links.py:22
#, fuzzy
msgid "Sync with repository"
msgstr "sync with repository"
#: links.py:23
#, fuzzy
msgid "Erase database"
msgstr "erase database"
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "Better YAML"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
#, fuzzy
msgid "Description"
msgstr "description"
#: models.py:33
#, fuzzy
msgid "Fixture"
msgstr "fixture"
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr "These are the actual database structure creation instructions."
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
#, fuzzy
msgid "Creation date and time"
msgstr "creation date and time"
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
#, fuzzy
msgid "Bootstrap setup"
msgstr "bootstrap setup"
#: models.py:105 views.py:32
#, fuzzy
msgid "Bootstrap setups"
msgstr "bootstrap setups"
#: permissions.py:7
msgid "Database bootstrap"
msgstr "Database bootstrap"
#: permissions.py:9
msgid "View bootstrap setups"
msgstr "View bootstrap setups"
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr "Create bootstrap setups"
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr "Edit bootstrap setups"
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr "Delete bootstrap setups"
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr "Execute bootstrap setups"
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr "Dump the current project\\s setup into a bootstrap setup"
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr "Export bootstrap setups as files"
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr "Import new bootstrap setups"
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr "Sync the local bootstrap setups with a published repository"
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr "Erase the entire database and document storage"
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr "Provides pre configured setups for indexes, document types, tags, etc."
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr "Bootstrap setup created successfully"
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr "Error creating bootstrap setup."
#: views.py:59
#, fuzzy
msgid "Create bootstrap"
msgstr "create bootstrap"
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr "Bootstrap setup edited successfully"
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr "Error editing bootstrap setup."
#: views.py:87
#, fuzzy, python-format
msgid "Edit bootstrap setup: %s"
msgstr "edit bootstrap setup: %s"
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr "Bootstrap setup: %s deleted successfully."
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr "Are you sure you with to delete the bootstrap setup: %s?"
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr "Error executing bootstrap setup; %s"
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr "Bootstrap setup \"%s\" executed successfully."
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr "Error dumping configuration into a bootstrap setup; %s"
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr "Bootstrap setup created successfully."
#: views.py:207
#, fuzzy
msgid "Dump current configuration into a bootstrap setup"
msgstr "dump current configuration into a bootstrap setup"
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr "Bootstrap setup imported successfully."
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr "File is not a bootstrap setup."
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr "Error importing bootstrap setup from file; %s."
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr "Import bootstrap setup from file"
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr "Data from URL is not a bootstrap setup."
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr "Error importing bootstrap setup from URL; %s."
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr "Import bootstrap setup from URL"
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr "Error erasing database; %s"
#: views.py:301
msgid "Database erased successfully."
msgstr "Database erased successfully."
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
"Are you sure you wish to erase the entire database and document storage?"
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr "Bootstrap repository successfully synchronized."
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr "Bootstrap repository synchronization error: %(error)s"
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr "Are you sure you wish to synchronize with the bootstrap repository?"
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,330 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
# jmcainzos <jmcainzos@vodafone.es>, 2014
# Roberto Rosario, 2012-2013
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Spanish (http://www.transifex.com/projects/p/mayan-edms/language/es/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: es\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr "Archivo de configuración de arranque"
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr "URL de configuración de arranque"
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr "Arranque"
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "Better YAML"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr "Estas son la instrucciones reales para la creación de las estructuras de la base de datos."
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr "Arranque de base de datos"
#: permissions.py:9
msgid "View bootstrap setups"
msgstr "Ver las configuraciones de arranque"
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr "Crear configuraciones de arranque"
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr "Editar las configuraciones de arranque"
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr "Eliminar las configuraciones de arranque"
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr "Ejecutar configuraciones de arranque"
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr "Grabar la configuración actual del projecto en una configuración de arranque"
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr "Exportar configuraciones de arranque como archivos"
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr "Importar nuevas configuraciones de arranque"
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr "Sincronizar las configuraciones de arranque locales con un repositorio publicado"
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr "Borrar toda la base de datos y almacenamiento de documentos"
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr "Proporciona configuraciones pre ajustadas para los índices, tipos de documentos, etiquetas, etc"
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr "Configuración de arranque creada con éxito."
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr "Error al crear la configuración de arranque."
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr "Configuración de arranque editada con éxito."
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr "Error editando la configuración de arranque."
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr "Configuración de arranque :%s eliminada con éxito."
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr "Error borrando configuración de arranque: %(bootstrap)s; %(error)s "
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr "¿Seguro que desea borrar la configuración de arranque: %s?"
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr "No se puede ejecutar la configuración de arranque, existen datos. Borre la base de datos y vuelva a intentarlo."
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr "Error al ejecutar la configuración de arranque; %s"
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr "Configuración de arranque \"%s\" ejecutada con éxito."
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr "¿Seguro de que desea ejecutar la configuración de arranque de base de datos llamada: %s?"
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr "Error al grabar la configuración actual en una configuración de arranque; %s"
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr "Configuración de arranque creada con éxito.."
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr "Configuración de arranque importada con éxito."
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr "El archivo no es una configuración de arranque."
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr "Error al importar la configuración de arranque desde el archivo; %s."
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr "Importar configuración de arranque desde un archivo"
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr "Los datos desde el URL no son una configuración de arranque."
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr "Error al importar la configuración de arranque desde la URL; %s."
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr "Importar configuración de arranque desde la URL"
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr "Error borrando la base de datos; %s"
#: views.py:301
msgid "Database erased successfully."
msgstr "Base de datos borrada con éxito."
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr "¿Está seguro que desea borrar de la base de datos completamente y el almacenamiento de documentos?"
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr "¡Todos los documentos, las fuentes, los metadatos, los tipos de metadatos, los conjuntos de metadatos, las etiquetas, los índices y registros se perderán sin posibilidad de recuperación!"
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr "Repositorio de configuración de arranque sincronizado con éxito."
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr "Error sincronizando repositorio de configuraciónes de arranque: %(error)s"
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr "¿Está seguro que desea sincronizar con el repositorio de configuraciónes de arranque?"
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,330 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
# Mehdi Amani <MehdiAmani@toorintan.com>, 2014
# Mohammad Dashtizadeh <mohammad@dashtizadeh.net>, 2013
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Persian (http://www.transifex.com/projects/p/mayan-edms/language/fa/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: fa\n"
"Plural-Forms: nplurals=1; plural=0;\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr "فایل نصب خود راه انداز"
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr "URL نصب خود راه انداز"
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr "راه انداز خودکار"
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "YAML بهتر"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr "اینها دستورات لازم ساخت ساختار پایگاه داده هستند."
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr "راه انداز خودکار پایگاه داده"
#: permissions.py:9
msgid "View bootstrap setups"
msgstr "دیدن دستورات نصب خودکار"
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr "ایجاد دستورات نصب خودکار"
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr "ویرایش دستورات نصب خودکار"
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr "پاک کردن دستورات نصب خودکار"
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr "اجرای دستورات نصب خودکار"
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr "ریختن دستورات نصب پروزه فعلی در دستورات نصب خودکار"
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr "صدور و یا نوشتن دستورات نصب خودکار درفایل "
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr "خواندن و یا واردکردن دتورات نصب خودکار جدید"
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr "همگام سازی دستورات نصب خودکار محلی با مخزن موجود"
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr "پاک کردن کامل پایگاه داده و مخزن داده"
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr "نصب از قبل تنظیم شده ایندکس ها ، انواع مستندات، برچسب ها و ... را ارایه میدهد."
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr "دستورات نصب راه انداز خودکار بصورت موفقیت آمیز ایجاد شد."
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr "اشکال در ایجاد دستورات نصب راه انداز خودکار."
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr "ویرایش موفقیت آمیز دستورات نصب راه انداز خودکار."
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr "اشکال در ویرایش دستورات نصب راه انداز خودکار"
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr "حذف موفقیت آمیز دستورات نصب راه انداز خودکار:%s"
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr "نصب خودکار:%(bootstrap)s دارای خطا: %(error)s"
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr "آیا از حذف دستورات نصب خودکار %s مطمئن هتستید؟"
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr "بدلیل وجود داده، نمیتوان دستورات نصب راه انداز خودکار را اجرا کرد. پس از پاک کردن داده ها لطفا دوباره امتحان کنید."
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr "خطای: %s در زمان اجرای دستورات نصب راه انداز خودکار."
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr "اجرای موفقیت آمیز دستورات نصب راه انداز خودکار \"%s\"."
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr "آیا از اجرای دستورات نصب راه انداز خودکار پایگاه داده ای با نام %s مطمئن هستید؟"
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr "خطا در زمان ریختن پیکربندی در داخل فایل نصب راه انداز خودکار با نام: %s"
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr "موفقیت در ایجاد دستورات نصب راه انداز خودکار."
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr "دستورات نصب راه انداز خودکار با موفقیت وارد و یا خوانده شد. "
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr "این فایل دستورات نصب راه انداز خودکار نمیباشد."
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr "خطا در زمان خواندن و یا وارد کردن دساورات نصب راه انداز خودکار از فایل: %s."
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr "خواندن و یا وارد کردن دستورات نصب راه انداز خودکار از فایل."
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr "داده های دریافتی از URL دستورات نصب راه اندازخودکار نمیباشد."
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr "خطا در زمان خواندن و یا واردکردن دستورات نصب راه اندازخودکار ازURL: %s. "
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr "خواندن و یا واردکردن دستورات نصب راه انداز خودکار از URL."
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr "خطا در حذف پایگاه داده:%s."
#: views.py:301
msgid "Database erased successfully."
msgstr "حذف موفقیت آمیز پایگاه داده."
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr "آیا از حذف کامل پایگاه داده ای و مخزن اسناد مطمئن هستید؟"
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr "کلیه داده ها شامل اسناد، متادیتا، انواع متادیتا، مجم.عه ها، برچسب ها، ایندکس ها بطور غیر قابل بازگشت پاک خواهد گردید!"
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr "راه انداز خودکار مخزن باموفقیت همگام شد."
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr "خطای همگام سازی در راه انداز خودکار:%(error)s."
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr "آیا از همگام سازی مخزن راه انداز خودکار مطمئن هستید؟"
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,331 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
# PatrickHetu <patrick.hetu@gmail.com>, 2012
# Pierre Lhoste <peter.cathbad.host@gmail.com>, 2012
# SadE54 <yannsuisini@gmail.com>, 2013
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: French (http://www.transifex.com/projects/p/mayan-edms/language/fr/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: fr\n"
"Plural-Forms: nplurals=2; plural=(n > 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr "Fichier de pré-configuration"
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr "URL de la pré-configuration"
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr "Pré-configuration"
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "Better YAML"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr "Ce sont les instructions pour la création de la base de données."
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr "Pré-configuration de base de données"
#: permissions.py:9
msgid "View bootstrap setups"
msgstr "Afficher les pré-configurations"
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr "Créer de nouvelles pré-configurations"
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr "Modifier des pré-configurations"
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr "Supprimer des pré-configurations"
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr "Exécuter des pré-configurations"
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr "Insérer la configuration actuelle dans une pré-configuration"
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr "Exporter les pré-configurations sous forme de fichier"
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr "Importer de nouvelles pré-configurations"
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr "Synchroniser localement les pré-configurations depuis un dépôt en ligne"
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr "Effacer l'ensemble de la base de donnée et tous les documents stockés"
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr "Permet une pré-configurations des index, types de documents, étiquettes, etc..."
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr "Pré-configuration crée avec succès"
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr "Erreur en créant la pré-configuration."
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr "Pré-configuration modifiée avec succès"
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr "erreur en modifiant la pré-configuration."
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr "La pré-configuration: %s a été effacée avec succès."
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr "Pré-configuration: %(bootstrap)s, erreur de suppression: %(error)s"
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr "Êtes-vous sûrs de vouloir effacer la pré-configuration: %s?"
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr "Impossible d'exécuter la pré-configuration car des données existent. Effacez-les et recommencez."
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr "Erreur lors de l'exécution de la pré-configuration; %s"
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr "Pré-configuration \"%s\" effectuée avec succès."
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr "Êtes-vous sûr de vouloir exécuter la pré-configuration intitulée: %s?"
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr "Erreur en insérant la configuration actuelle dans la pré-configuration: %s"
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr "Pré-configuration crée avec succès."
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr "Pré-configuration importée avec succès."
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr "Ce fichier n'est pas un fichier de pré-configuration."
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr "Erreur en important la pré-configuration depuis le fichier: %s."
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr "Importer la pré-configuration depuis le fichier."
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr "Les données provenant de l'URL ne sont pas une pré-configuration."
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr "Erreur en important la pré-configuration depuis l'URL: %s."
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr "Importer une pré-configuration depuis une URL"
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr "Erreur lors de l'effacement de la base de données; %s"
#: views.py:301
msgid "Database erased successfully."
msgstr "Base de Données effacée avec succès."
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr "Êtes vous certain de vouloir effacer l'intégralité de la base de données et des documents stockés?"
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr "Tous les documents, sources, métadonnées, types de métadonnées, jeux, étiquettes, indexes et logs seron définitivement perdus!"
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr "Dépôt de pré-configurations correctement synchronisé."
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr "Erreur de synchronisation du dépôt de pré-configurations: %(error)s"
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr "Êtes-vous sûr de vouloir effectuer la synchronisation avec le dépôt de pré-configurations ?"
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Croatian (Croatia) (http://www.transifex.com/projects/p/mayan-edms/language/hr_HR/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: hr_HR\n"
"Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Hungarian (http://www.transifex.com/projects/p/mayan-edms/language/hu/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: hu\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Indonesian (http://www.transifex.com/projects/p/mayan-edms/language/id/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: id\n"
"Plural-Forms: nplurals=1; plural=0;\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Italian (http://www.transifex.com/projects/p/mayan-edms/language/it/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: it\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Latvian (http://www.transifex.com/projects/p/mayan-edms/language/lv/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: lv\n"
"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Norwegian Bokmål (http://www.transifex.com/projects/p/mayan-edms/language/nb/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: nb\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,329 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
# Lucas Weel <ljj.weel@gmail.com>, 2013
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Dutch (Netherlands) (http://www.transifex.com/projects/p/mayan-edms/language/nl_NL/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: nl_NL\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr "'Bootstrap Setup' file"
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr "'Bootstrap Setup' URL"
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr "Bootstrap"
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "'Better YAML'"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr "Dit zijn de instructies voor het aanmaken van de database."
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr "Database bootstrap"
#: permissions.py:9
msgid "View bootstrap setups"
msgstr "'Bootstrap Setups' bekijken"
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr "'Bootstrap Setups' aanmaken"
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr "'Bootstrap Setups' bewerken"
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr "'Bootstrap Setups' verwijderen"
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr "'Bootstrap Setups' uitvoeren"
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr "Verplaats de 'setup' van het huidige project naar een 'Bootstrap Setup'"
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr "Exporteer 'Bootstrap Setups' als bestanden"
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr "Importeren van nieuwe 'Bootstrap Setups'"
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr "Synchroniseer de locale 'Bootstrap Setups' met een publieke opslag"
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr "Volledige database en documentopslag wissen"
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr "Levert voorgeconfigureerde 'Setups' voor indexering, documentsoorten, labels, etc."
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr "'Bootstrap Setup' is aangemaakt"
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr "Fout bij het aanmaken van een 'Bootstrap Setup'"
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr "'Bootstrap Setup' is aangepast"
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr "Fout bij het bewerken van een 'Bootstrap Setup'"
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr "'Bootstrap Setup': %s is verwijdert"
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr "Fout bij het verwijderen van 'Bootstrap Setup': %(bootstrap)s. Foutmelding: %(error)s"
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr "Bent u er zeker van dat u, 'Bootstrap Setup': %s, wenst te verwijderen?"
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr "Kan de 'Bootstrap Setup' niet uitvoeren, er zijn momenteel gegevens aanwezig. Verwijder aanwezige gegevens en probeer het opnieuw."
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr "Fout bij het uitvoeren van 'Bootstrap Setup': Foutmelding: %s"
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr "'Bootstrap Setup' \"%s\" is uitgevoerd."
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr "Bent u er zeker van dat u database 'Bootstrap Setup': %s, wenst uit te voeren?"
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr "Fout bij het verplatsen van de configuratie naar een 'Bootstrap Setup'. Foutmelding: %s"
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr "'Bootstrap Setup' is aangemaakt."
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr "'Bootstrap Setup' is geïmporteerd"
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr "Bestand is geen 'Bootstrap Setup'"
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr "Fout bij het importeren van een 'Bootstrap Setup' vanuit een bestand. Foutmelding: %s. "
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr "Importeren van een 'Bootstrap Setup' vanuit een bestand"
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr "De data van de URL is geen 'Bootstrap Setup' "
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr "Fout bij het importeren van een 'Bootstrap Setup' vanuit URL: %s."
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr "Importeren van 'Bootstrap Setup' vanuit een URL"
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr "Fout bij wissen database, foutmelding: %s"
#: views.py:301
msgid "Database erased successfully."
msgstr "Database is gewist"
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr "Bent u er zeker van dat u de volledige database en documentopslag wenst te wissen?"
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr "Alle documenten, documentbronnen, metadata, metadata-typen, verzamelingen, labels, indexeringen en logboeken, zullen onomkeerbaar worden verwijdert!"
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr "'Bootstrap' opslag is gesynchroniseerd"
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr "Fout bij het synchroniseren van de 'Bootstrap' opslag. Foutmelding: %(error)s"
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr "Bent u er zeker van dat u de 'Bootstrap' opslag wenst te synchroniseren?"
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Polish (http://www.transifex.com/projects/p/mayan-edms/language/pl/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: pl\n"
"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Portuguese (http://www.transifex.com/projects/p/mayan-edms/language/pt/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: pt\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/mayan-edms/language/pt_BR/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: pt_BR\n"
"Plural-Forms: nplurals=2; plural=(n > 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,329 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
# Badea Gabriel <gcbadea@gmail.com>, 2013
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Romanian (Romania) (http://www.transifex.com/projects/p/mayan-edms/language/ro_RO/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: ro_RO\n"
"Plural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr "Bootstrap configurare fișier"
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr "Bootstrap configurarea URL"
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr "Bootstrap"
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "Better YAML"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr "Acestea sunt reale structura instrucțiunile de crearea bazei de date."
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr "Baza de date bootstrap"
#: permissions.py:9
msgid "View bootstrap setups"
msgstr "Vezi setari bootstrap"
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr "Creați setari bootstrap"
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr "Editați setări bootstrap"
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr "Ștergeți setari bootstrap"
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr "Executare setari bootstrap"
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr "Dump proiectul curent \\ setup e într-o configurare bootstrap"
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr "Export setări bootstrap ca fișiere"
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr "Importul setari noi bootstrap"
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr "Sincroniza setări locale bootstrap, cu un repository"
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr "Ștergeți întreaga bază de date și arhiva de documente"
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr "Oferă setări pre configurate pentru indicii, tipuri de documente, tag-uri, etc"
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr "Configurarea bootstrap creat cu succes"
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr "Eroare la crearea de configurare bootstrap."
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr "Configurarea bootstrap fost editat cu succes"
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr "Eroare editare de configurare bootstrap."
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr "Configurare bootstrap:% s eliminat cu succes."
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr "Configurare bootstrap:%(bootstrap)s, de ștergere de eroare:%(error)s"
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr "Ești sigur că vă să ștergeți setarea bootstrap:% s?"
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr "Nu se poate executa configurarea bootstrap, nu există date existente. Șterge toate datele și încercați din nou."
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr "Configurarea bootstrap eroare de executare;% s"
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr "Bootstrap setup \"%s\" executed successfully."
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr "Sunteți sigur că doriți să executați configurarea bazei de date bootstrap numit:% s?"
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr "Eroare de configurare dumping într-o configurare bootstrap;% s"
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr "Configurarea bootstrap creat cu succes."
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr "Configurarea bootstrap importat cu succes."
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr "File is not a bootstrap setup."
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr "Error importing bootstrap setup from file; %s."
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr "Import bootstrap setup from file"
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr "Data from URL is not a bootstrap setup."
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr "Error importing bootstrap setup from URL; %s."
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr "Import bootstrap setup from URL"
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr "Baza de date Eroare ștergere;% s"
#: views.py:301
msgid "Database erased successfully."
msgstr "Baza de date șterse cu succes."
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr "Sunteți sigur că doriți să ștergeți întreaga bază de date și stocare a documentelor?"
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr "Toate documentele, surse, metadate, tipuri de metadate, set, tag-uri, indici și bușteni vor fi pierdute ireversibil!"
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr "Bootstrap repository successfully synchronized."
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr "Bootstrap repository synchronization error: %(error)s"
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr "Are you sure you wish to synchronize with the bootstrap repository?"
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,329 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
# Sergey Glita <gsv70@mail.ru>, 2013
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Russian (http://www.transifex.com/projects/p/mayan-edms/language/ru/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: ru\n"
"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr "Файл заготовки"
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr "URL заготовки"
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr "Заготовка"
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "Better YAML"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr "Это фактические инструкции структуру создания базы данных."
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr "Заготовка базы данных "
#: permissions.py:9
msgid "View bootstrap setups"
msgstr "Просмотр заготовок"
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr "Создание заготовок"
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr "Изменить заготовку"
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr "Удалить заготовку"
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr "Применить заготовку"
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr "Дамп текущего проекта \\ установки в заготовку"
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr "Экспорт заготовок в виде файлов"
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr "Импорт новых заготовок"
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr "Синхронизация локальных установок с публичным хранилищем"
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr "Очистить базу данных и хранилище документов"
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr "Предлагает заготовки для индексов, типов документов, тегов и т.д."
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr "Заготовка создана"
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr "Ошибка при создании заготовки."
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr "Заготовка изменена"
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr "Ошибка изменения заготовки"
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr "Заготовка %s удалена."
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr "Заготовка %(bootstrap)s, шибка удаления %(error)s"
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr "Удалить заготовку %s?"
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr "Не удается применить заготовку, поскольку имеются данные. Сотрите все данные и повторите попытку."
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr "Ошибка применения заготовки; %s"
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr "Заготовка \"%s\" применена"
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr "Применить заготовку %s?"
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr "Ошибка сохранения конфигурации в заготовку %s"
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr "Заготовка создана"
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr "Заготовка импортирована"
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr "Это не файл заготовки."
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr "Ошибка импорта заготовки %s."
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr "импорт заготовки из файла"
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr "Данные из этого URL не похожи на заготовку"
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr "Ошибка импорта заготовки из URL; %s"
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr "импорт заготовки из URL"
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr "Ошибка стирания данных; %s"
#: views.py:301
msgid "Database erased successfully."
msgstr "База данных стёрта."
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr "Вы уверены, что хотите стереть всю базу данных и хранилище документов?"
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr "Все документы, источники, метаданные, типы метаданных , наборы, теги, индексы и журналы будут необратимо потеряны!"
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr "Хранилище заготовок синхронизировано."
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr "Ошибка синхронизации с хранилищем %(error)s"
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr "Синхронизировать с хранилищем заготовок?"
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Slovenian (Slovenia) (http://www.transifex.com/projects/p/mayan-edms/language/sl_SI/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: sl_SI\n"
"Plural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Albanian (http://www.transifex.com/projects/p/mayan-edms/language/sq/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: sq\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Turkish (Turkey) (http://www.transifex.com/projects/p/mayan-edms/language/tr_TR/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: tr_TR\n"
"Plural-Forms: nplurals=1; plural=0;\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Vietnamese (Viet Nam) (http://www.transifex.com/projects/p/mayan-edms/language/vi_VN/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: vi_VN\n"
"Plural-Forms: nplurals=1; plural=0;\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,329 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
# Ford Guo <agile.guo@gmail.com>, 2014
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Chinese (China) (http://www.transifex.com/projects/p/mayan-edms/language/zh_CN/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: zh_CN\n"
"Plural-Forms: nplurals=1; plural=0;\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr "引导设置文件"
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr "引导设置URL"
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr "JSON"
#: literals.py:63
msgid "YAML"
msgstr "YAML"
#: literals.py:64
msgid "Better YAML"
msgstr "Better YAML"
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr "数据库引导"
#: permissions.py:9
msgid "View bootstrap setups"
msgstr "查看引导设置"
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr "创建引导设置"
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr "编辑引导设置"
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr "删除引导设置"
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr "执行引导设置"
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,328 +0,0 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
#
# Translators:
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: Mayan EDMS\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2014-10-08 17:08-0400\n"
"PO-Revision-Date: 2014-10-08 21:13+0000\n"
"Last-Translator: Roberto Rosario\n"
"Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/mayan-edms/language/zh_TW/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: zh_TW\n"
"Plural-Forms: nplurals=1; plural=0;\n"
#: forms.py:49
msgid "Bootstrap setup file"
msgstr ""
#: forms.py:55
msgid "Bootstrap setup URL"
msgstr ""
#: links.py:11 registry.py:7
msgid "Bootstrap"
msgstr ""
#: links.py:12
msgid "Bootstrap setup list"
msgstr ""
#: links.py:13
msgid "Create new bootstrap setup"
msgstr ""
#: links.py:14
msgid "Edit"
msgstr ""
#: links.py:15
msgid "Delete"
msgstr ""
#: links.py:16
msgid "Details"
msgstr ""
#: links.py:17
msgid "Execute"
msgstr ""
#: links.py:18
msgid "Dump current setup"
msgstr ""
#: links.py:19
msgid "Export"
msgstr ""
#: links.py:20
msgid "Import from file"
msgstr ""
#: links.py:21
msgid "Import from URL"
msgstr ""
#: links.py:22
msgid "Sync with repository"
msgstr ""
#: links.py:23
msgid "Erase database"
msgstr ""
#: literals.py:20
msgid "JSON"
msgstr ""
#: literals.py:63
msgid "YAML"
msgstr ""
#: literals.py:64
msgid "Better YAML"
msgstr ""
#: models.py:30
msgid "Name"
msgstr ""
#: models.py:31
msgid "Slug"
msgstr ""
#: models.py:32 views.py:35
msgid "Description"
msgstr ""
#: models.py:33
msgid "Fixture"
msgstr ""
#: models.py:33
msgid "These are the actual database structure creation instructions."
msgstr ""
#: models.py:34 views.py:36
msgid "Type"
msgstr ""
#: models.py:35
msgid "Creation date and time"
msgstr ""
#: models.py:104 views.py:91 views.py:120 views.py:145 views.py:173
msgid "Bootstrap setup"
msgstr ""
#: models.py:105 views.py:32
msgid "Bootstrap setups"
msgstr ""
#: permissions.py:7
msgid "Database bootstrap"
msgstr ""
#: permissions.py:9
msgid "View bootstrap setups"
msgstr ""
#: permissions.py:10
msgid "Create bootstrap setups"
msgstr ""
#: permissions.py:11
msgid "Edit bootstrap setups"
msgstr ""
#: permissions.py:12
msgid "Delete bootstrap setups"
msgstr ""
#: permissions.py:13
msgid "Execute bootstrap setups"
msgstr ""
#: permissions.py:14
msgid "Dump the current project\\s setup into a bootstrap setup"
msgstr ""
#: permissions.py:15
msgid "Export bootstrap setups as files"
msgstr ""
#: permissions.py:16
msgid "Import new bootstrap setups"
msgstr ""
#: permissions.py:17
msgid "Sync the local bootstrap setups with a published repository"
msgstr ""
#: permissions.py:18
msgid "Erase the entire database and document storage"
msgstr ""
#: registry.py:8
msgid "Provides pre configured setups for indexes, document types, tags, etc."
msgstr ""
#: views.py:51
msgid "Bootstrap setup created successfully"
msgstr ""
#: views.py:54
msgid "Error creating bootstrap setup."
msgstr ""
#: views.py:59
msgid "Create bootstrap"
msgstr ""
#: views.py:79
msgid "Bootstrap setup edited successfully"
msgstr ""
#: views.py:82
msgid "Error editing bootstrap setup."
msgstr ""
#: views.py:87
#, python-format
msgid "Edit bootstrap setup: %s"
msgstr ""
#: views.py:112
#, python-format
msgid "Bootstrap setup: %s deleted successfully."
msgstr ""
#: views.py:114
#, python-format
msgid "Bootstrap setup: %(bootstrap)s, delete error: %(error)s"
msgstr ""
#: views.py:125
#, python-format
msgid "Are you sure you with to delete the bootstrap setup: %s?"
msgstr ""
#: views.py:165
msgid ""
"Cannot execute bootstrap setup, there is existing data. Erase all data and "
"try again."
msgstr ""
#: views.py:167
#, python-format
msgid "Error executing bootstrap setup; %s"
msgstr ""
#: views.py:169
#, python-format
msgid "Bootstrap setup \"%s\" executed successfully."
msgstr ""
#: views.py:181
#, python-format
msgid ""
"Are you sure you wish to execute the database bootstrap setup named: %s?"
msgstr ""
#: views.py:197
#, python-format
msgid "Error dumping configuration into a bootstrap setup; %s"
msgstr ""
#: views.py:201
msgid "Bootstrap setup created successfully."
msgstr ""
#: views.py:207
msgid "Dump current configuration into a bootstrap setup"
msgstr ""
#: views.py:241 views.py:269
msgid "Bootstrap setup imported successfully."
msgstr ""
#: views.py:244
msgid "File is not a bootstrap setup."
msgstr ""
#: views.py:246
#, python-format
msgid "Error importing bootstrap setup from file; %s."
msgstr ""
#: views.py:252
msgid "Import bootstrap setup from file"
msgstr ""
#: views.py:272
msgid "Data from URL is not a bootstrap setup."
msgstr ""
#: views.py:274
#, python-format
msgid "Error importing bootstrap setup from URL; %s."
msgstr ""
#: views.py:280
msgid "Import bootstrap setup from URL"
msgstr ""
#: views.py:299
#, python-format
msgid "Error erasing database; %s"
msgstr ""
#: views.py:301
msgid "Database erased successfully."
msgstr ""
#: views.py:311
msgid ""
"Are you sure you wish to erase the entire database and document storage?"
msgstr ""
#: views.py:312
msgid ""
"All documents, sources, metadata, metadata types, set, tags, indexes and "
"logs will be lost irreversibly!"
msgstr ""
#: views.py:329
msgid "Bootstrap repository successfully synchronized."
msgstr ""
#: views.py:331
#, python-format
msgid "Bootstrap repository synchronization error: %(error)s"
msgstr ""
#: views.py:338
msgid "Are you sure you wish to synchronize with the bootstrap repository?"
msgstr ""
#~ msgid "bootstrap"
#~ msgstr "bootstrap"
#~ msgid "edit"
#~ msgstr "edit"
#~ msgid "name"
#~ msgstr "name"
#~ msgid "slug"
#~ msgstr "slug"
#~ msgid "type"
#~ msgstr "type"

View File

@@ -1,63 +0,0 @@
from __future__ import absolute_import
from optparse import make_option
from django.core.management.base import NoArgsCommand, CommandError
from django.core.management.color import no_style
from django.core.management.sql import emit_post_sync_signal
from django.db import models, router, connections, DEFAULT_DB_ALIAS
from ...classes import Cleanup
class Command(NoArgsCommand):
option_list = NoArgsCommand.option_list + (
make_option('--noinput', action='store_false', dest='interactive', default=True,
help='Tells Django to NOT prompt the user for input of any kind.'),
make_option('--database', action='store', dest='database',
default=DEFAULT_DB_ALIAS, help='Nominates a database to erase. '
'Defaults to the "default" database.'),
)
help = 'Erases all data in a Mayan EDMS installation.'
def handle_noargs(self, **options):
db = options.get('database', DEFAULT_DB_ALIAS)
connection = connections[db]
verbosity = int(options.get('verbosity', 1))
interactive = options.get('interactive')
self.style = no_style()
if interactive:
confirm = raw_input("""You have requested a erase all the data in the current Mayan EDMS installation.
This will IRREVERSIBLY ERASE all user data currently in the database,
and return each table to the state it was in after syncdb.
Are you sure you want to do this?
Type 'yes' to continue, or 'no' to cancel: """)
else:
confirm = 'yes'
if confirm == 'yes':
try:
Cleanup.execute_all()
except Exception as exception:
raise CommandError("""Unable to erase data. Possible reasons:
* The database isn't running or isn't configured correctly.
* At least one of the expected database tables doesn't exist.""")
# Emit the post sync signal. This allows individual
# applications to respond as if the database had been
# sync'd from scratch.
all_models = []
for app in models.get_apps():
all_models.extend([
m for m in models.get_models(app, include_auto_created=True)
if router.allow_syncdb(db, m)
])
emit_post_sync_signal(set(all_models), verbosity, interactive, db)
# Reinstall the initial_data fixture.
kwargs = options.copy()
kwargs['database'] = db
else:
print 'Erase data cancelled.'

View File

@@ -1,29 +0,0 @@
from __future__ import absolute_import
from django.core.management.base import BaseCommand, CommandError
from ...models import BootstrapSetup
from ...exceptions import ExistingData
class Command(BaseCommand):
help = 'Execute a bootstrap setup by the given slug.'
args = '[bootstrap setup slug]'
def handle(self, bootstrap_setup_slug=None, **options):
if not bootstrap_setup_slug:
raise CommandError('Enter one bootstrap setup slug.')
# Get corresponding bootstrap setup instance
try:
bootstrap_setup = BootstrapSetup.objects.get(slug=bootstrap_setup_slug)
except BootstrapSetup.DoesNotExist:
raise CommandError('No bootstrap setup with such a slug.')
# Try to execute bootstrap setup, catch errors
try:
bootstrap_setup.execute()
except ExistingData:
raise CommandError('Cannot execute bootstrap setup, there is existing data. Erase all data and try again.')
except Exception as exception:
raise CommandError('Unhandled exception: %s' % exception)

View File

@@ -1,72 +0,0 @@
from __future__ import absolute_import
from json import loads
import logging
import requests
from django.db import IntegrityError, models
from django.db.models import Q
from .classes import BootstrapModel, FixtureMetadata
from .literals import (FIXTURE_TYPE_FIXTURE_PROCESS, FIXTURE_TYPE_EMPTY_FIXTURE,
BOOTSTRAP_REPOSITORY_URL, BOOTSTRAP_REPOSITORY_INDEX_FILE)
logger = logging.getLogger(__name__)
class BootstrapSetupManager(models.Manager):
def dump(self, serialization_format):
"""
Get the current setup of Mayan in bootstrap format fixture
"""
result = []
logger.debug('start dumping data')
for bootstrap_model in BootstrapModel.get_all(sort_by_dependencies=True):
logger.debug('dumping model: %s' % bootstrap_model.get_fullname())
model_fixture = bootstrap_model.dump(serialization_format)
# Only add non empty model fixtures
if not FIXTURE_TYPE_EMPTY_FIXTURE[serialization_format](model_fixture):
result.append(model_fixture)
return FIXTURE_TYPE_FIXTURE_PROCESS[serialization_format]('\n'.join(result))
def import_setup(self, file_data, overwrite=False):
BootstrapModel.check_magic_number(file_data)
metadata = FixtureMetadata.read_all(file_data)
instance = self.model(fixture=file_data, **metadata)
try:
instance.save(update_metadata=False)
except IntegrityError:
if not overwrite:
raise
else:
# Delete conflicting bootstrap setups
query = Q()
if 'slug' in metadata:
query = query | Q(slug=metadata['slug'])
if 'name' in metadata:
query = query | Q(name=metadata['name'])
self.model.objects.filter(query).delete()
self.import_setup(file_data)
def import_from_file(self, files):
file_data = files.read()
self.import_setup(file_data)
def import_from_url(self, url, **kwargs):
response = requests.get(url)
if response.status_code == requests.codes.ok:
self.import_setup(response.text, **kwargs)
else:
response.raise_for_status()
def repository_sync(self):
response = requests.get('%s/%s' % (BOOTSTRAP_REPOSITORY_URL, BOOTSTRAP_REPOSITORY_INDEX_FILE))
if response.status_code == requests.codes.ok:
for entry in loads(response.text):
bootstrap_setup_url = '%s/%s' % (BOOTSTRAP_REPOSITORY_URL, entry['filename'])
self.import_from_url(bootstrap_setup_url, overwrite=True)
else:
response.raise_for_status()

View File

@@ -1,35 +0,0 @@
# -*- coding: utf-8 -*-
from south.db import db
from south.v2 import SchemaMigration
from django.db import models
class Migration(SchemaMigration):
def forwards(self, orm):
# Adding model 'BootstrapSetup'
db.create_table('bootstrap_bootstrapsetup', (
('id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
('name', self.gf('django.db.models.fields.CharField')(unique=True, max_length=128)),
('description', self.gf('django.db.models.fields.TextField')(blank=True)),
('fixture', self.gf('django.db.models.fields.TextField')()),
('type', self.gf('django.db.models.fields.CharField')(max_length=16)),
))
db.send_create_signal('bootstrap', ['BootstrapSetup'])
def backwards(self, orm):
# Deleting model 'BootstrapSetup'
db.delete_table('bootstrap_bootstrapsetup')
models = {
'bootstrap.bootstrapsetup': {
'Meta': {'ordering': "['name']", 'object_name': 'BootstrapSetup'},
'description': ('django.db.models.fields.TextField', [], {'blank': 'True'}),
'fixture': ('django.db.models.fields.TextField', [], {}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '128'}),
'type': ('django.db.models.fields.CharField', [], {'max_length': '16'})
}
}
complete_apps = ['bootstrap']

View File

@@ -1,32 +0,0 @@
# -*- coding: utf-8 -*-
from south.utils import datetime_utils as datetime
from south.db import db
from south.v2 import SchemaMigration
from django.db import models
class Migration(SchemaMigration):
def forwards(self, orm):
# Adding field 'BootstrapSetup.created'
db.add_column('bootstrap_bootstrapsetup', 'created',
self.gf('django.db.models.fields.DateTimeField')(default=datetime.datetime(2012, 10, 8, 0, 0)),
keep_default=False)
def backwards(self, orm):
# Deleting field 'BootstrapSetup.created'
db.delete_column('bootstrap_bootstrapsetup', 'created')
models = {
'bootstrap.bootstrapsetup': {
'Meta': {'ordering': "['name']", 'object_name': 'BootstrapSetup'},
'created': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime(2012, 10, 8, 0, 0)'}),
'description': ('django.db.models.fields.TextField', [], {'blank': 'True'}),
'fixture': ('django.db.models.fields.TextField', [], {}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '128'}),
'type': ('django.db.models.fields.CharField', [], {'max_length': '16'})
}
}
complete_apps = ['bootstrap']

View File

@@ -1,32 +0,0 @@
# -*- coding: utf-8 -*-
from south.db import db
from south.v2 import SchemaMigration
from django.db import models
class Migration(SchemaMigration):
def forwards(self, orm):
# Adding field 'BootstrapSetup.slug'
db.add_column('bootstrap_bootstrapsetup', 'slug',
self.gf('django.db.models.fields.SlugField')(default='', unique=True, max_length=128, blank=True),
keep_default=False)
def backwards(self, orm):
# Deleting field 'BootstrapSetup.slug'
db.delete_column('bootstrap_bootstrapsetup', 'slug')
models = {
'bootstrap.bootstrapsetup': {
'Meta': {'ordering': "['name']", 'object_name': 'BootstrapSetup'},
'created': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime(2012, 10, 16, 0, 0)'}),
'description': ('django.db.models.fields.TextField', [], {'blank': 'True'}),
'fixture': ('django.db.models.fields.TextField', [], {}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '128'}),
'slug': ('django.db.models.fields.SlugField', [], {'unique': 'True', 'max_length': '128', 'blank': 'True'}),
'type': ('django.db.models.fields.CharField', [], {'max_length': '16'})
}
}
complete_apps = ['bootstrap']

View File

@@ -1,33 +0,0 @@
# -*- coding: utf-8 -*-
from south.utils import datetime_utils as datetime
from south.db import db
from south.v2 import SchemaMigration
from django.db import models
class Migration(SchemaMigration):
def forwards(self, orm):
# Changing field 'BootstrapSetup.created'
db.alter_column(u'bootstrap_bootstrapsetup', 'created', self.gf('django.db.models.fields.DateTimeField')(auto_now_add=True))
def backwards(self, orm):
# Changing field 'BootstrapSetup.created'
db.alter_column(u'bootstrap_bootstrapsetup', 'created', self.gf('django.db.models.fields.DateTimeField')())
models = {
u'bootstrap.bootstrapsetup': {
'Meta': {'ordering': "['name']", 'object_name': 'BootstrapSetup'},
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'description': ('django.db.models.fields.TextField', [], {'blank': 'True'}),
'fixture': ('django.db.models.fields.TextField', [], {}),
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '128'}),
'slug': ('django.db.models.fields.SlugField', [], {'unique': 'True', 'max_length': '128', 'blank': 'True'}),
'type': ('django.db.models.fields.CharField', [], {'max_length': '16'})
}
}
complete_apps = ['bootstrap']

View File

@@ -1,105 +0,0 @@
from __future__ import absolute_import
import os
import re
import tempfile
import slugify
try:
from cStringIO import StringIO
except ImportError:
from StringIO import StringIO
from django.core import management
from django.core.files.uploadedfile import SimpleUploadedFile
from django.db import models
from django.utils.translation import ugettext_lazy as _
from .classes import BootstrapModel, FixtureMetadata
from .literals import (FIXTURE_TYPES_CHOICES, FIXTURE_FILE_TYPE, COMMAND_LOADDATA,
BOOTSTRAP_EXTENSION, FIXTURE_METADATA_REMARK_CHARACTER)
from .managers import BootstrapSetupManager
class BootstrapSetup(models.Model):
"""
Model to store the fixture for a pre configured setup.
"""
name = models.CharField(max_length=128, verbose_name=_(u'Name'), unique=True)
slug = models.SlugField(max_length=128, verbose_name=_(u'Slug'), unique=True, blank=True)
description = models.TextField(verbose_name=_(u'Description'), blank=True)
fixture = models.TextField(verbose_name=_(u'Fixture'), help_text=_(u'These are the actual database structure creation instructions.'))
type = models.CharField(max_length=16, verbose_name=_(u'Type'), choices=FIXTURE_TYPES_CHOICES)
created = models.DateTimeField(verbose_name=_('Creation date and time'), auto_now_add=True)
objects = BootstrapSetupManager()
def __unicode__(self):
return self.name
def get_extension(self):
"""
Return the fixture file extension based on the fixture type.
"""
return FIXTURE_FILE_TYPE[self.type]
def execute(self):
"""
Read a bootstrap's fixture and create the corresponding model
instances based on it.
"""
BootstrapModel.check_for_data()
handle, filepath = tempfile.mkstemp()
# Just need the filepath, close the file description
os.close(handle)
filepath = os.path.extsep.join([filepath, self.get_extension()])
with open(filepath, 'w') as file_handle:
file_handle.write(self.cleaned_fixture)
content = StringIO()
management.call_command(COMMAND_LOADDATA, filepath, verbosity=0, stderr=content)
content.seek(0, os.SEEK_END)
if content.tell():
content.seek(0)
raise Exception(content.readlines()[-2])
os.unlink(filepath)
@property
def cleaned_fixture(self):
"""
Return the bootstrap setup's fixture without comments.
"""
return re.sub(re.compile('%s.*?\n' % FIXTURE_METADATA_REMARK_CHARACTER), '', self.fixture)
def get_metadata_string(self):
"""
Return all the metadata for the current bootstrap fixture.
"""
return FixtureMetadata.generate_all(self)
def get_filename(self):
return os.extsep.join([self.name, BOOTSTRAP_EXTENSION])
def as_file(self):
return SimpleUploadedFile(name=self.get_filename(), content=self.fixture)
def save(self, *args, **kwargs):
update_metadata = kwargs.pop('update_metadata', True)
if update_metadata:
self.fixture = '%s\n%s\n%s' % (
BootstrapModel.get_magic_number(),
self.get_metadata_string(),
self.cleaned_fixture
)
if not self.slug:
self.slug = slugify.slugify(self.name)
return super(BootstrapSetup, self).save(*args, **kwargs)
class Meta:
verbose_name = _(u'Bootstrap setup')
verbose_name_plural = _(u'Bootstrap setups')
ordering = ['name']

View File

@@ -1,18 +0,0 @@
from __future__ import absolute_import
from django.utils.translation import ugettext_lazy as _
from permissions.models import PermissionNamespace, Permission
namespace = PermissionNamespace('bootstrap', _(u'Database bootstrap'))
PERMISSION_BOOTSTRAP_VIEW = Permission.objects.register(namespace, 'bootstrap_view', _(u'View bootstrap setups'))
PERMISSION_BOOTSTRAP_CREATE = Permission.objects.register(namespace, 'bootstrap_create', _(u'Create bootstrap setups'))
PERMISSION_BOOTSTRAP_EDIT = Permission.objects.register(namespace, 'bootstrap_edit', _(u'Edit bootstrap setups'))
PERMISSION_BOOTSTRAP_DELETE = Permission.objects.register(namespace, 'bootstrap_delete', _(u'Delete bootstrap setups'))
PERMISSION_BOOTSTRAP_EXECUTE = Permission.objects.register(namespace, 'bootstrap_execute', _(u'Execute bootstrap setups'))
PERMISSION_BOOTSTRAP_DUMP = Permission.objects.register(namespace, 'bootstrap_dump', _(u'Dump the current project\s setup into a bootstrap setup'))
PERMISSION_BOOTSTRAP_EXPORT = Permission.objects.register(namespace, 'bootstrap_export', _(u'Export bootstrap setups as files'))
PERMISSION_BOOTSTRAP_IMPORT = Permission.objects.register(namespace, 'bootstrap_import', _(u'Import new bootstrap setups'))
PERMISSION_BOOTSTRAP_REPOSITORY_SYNC = Permission.objects.register(namespace, 'bootstrap_repo_sync', _(u'Sync the local bootstrap setups with a published repository'))
PERMISSION_NUKE_DATABASE = Permission.objects.register(namespace, 'nuke_database', _(u'Erase the entire database and document storage'))

View File

@@ -1,31 +0,0 @@
from __future__ import absolute_import
import datetime
from django.utils.timezone import now
from mayan import __version__
from navigation.api import register_links
from .classes import FixtureMetadata
from .links import (link_bootstrap_setup_create, link_bootstrap_setup_execute,
link_bootstrap_setup_list, link_bootstrap_setup_edit, link_bootstrap_setup_delete,
link_bootstrap_setup_view, link_bootstrap_setup_dump, link_bootstrap_setup_export,
link_bootstrap_setup_import_from_url, link_bootstrap_setup_import_from_file,
link_bootstrap_setup_repository_sync)
from .literals import (FIXTURE_METADATA_CREATED, FIXTURE_METADATA_EDITED,
FIXTURE_METADATA_MAYAN_VERSION, FIXTURE_METADATA_FORMAT, FIXTURE_METADATA_NAME,
FIXTURE_METADATA_DESCRIPTION, DATETIME_STRING_FORMAT, FIXTURE_METADATA_SLUG)
from .models import BootstrapSetup
register_links([BootstrapSetup], [link_bootstrap_setup_view, link_bootstrap_setup_edit, link_bootstrap_setup_delete, link_bootstrap_setup_execute, link_bootstrap_setup_export])
register_links([BootstrapSetup], [link_bootstrap_setup_list, link_bootstrap_setup_create, link_bootstrap_setup_dump, link_bootstrap_setup_import_from_file, link_bootstrap_setup_import_from_url, link_bootstrap_setup_repository_sync], menu_name='secondary_menu')
register_links(['bootstrap:bootstrap_setup_list', 'bootstrap:bootstrap_setup_create', 'bootstrap:bootstrap_setup_dump', 'bootstrap:bootstrap_setup_import_from_file', 'bootstrap:bootstrap_setup_import_from_url', 'bootstrap:bootstrap_setup_repository_sync'], [link_bootstrap_setup_list, link_bootstrap_setup_create, link_bootstrap_setup_dump, link_bootstrap_setup_import_from_file, link_bootstrap_setup_import_from_url, link_bootstrap_setup_repository_sync], menu_name='secondary_menu')
FixtureMetadata(FIXTURE_METADATA_CREATED, generate_function=lambda fixture_instance: fixture_instance.created.strftime(DATETIME_STRING_FORMAT), read_function=lambda x: datetime.datetime.strptime(x, DATETIME_STRING_FORMAT), property_name='created')
FixtureMetadata(FIXTURE_METADATA_EDITED, generate_function=lambda fixture_instance: now().strftime(DATETIME_STRING_FORMAT))
FixtureMetadata(FIXTURE_METADATA_MAYAN_VERSION, generate_function=lambda fixture_instance: __version__)
FixtureMetadata(FIXTURE_METADATA_FORMAT, generate_function=lambda fixture_instance: fixture_instance.type, property_name='type')
FixtureMetadata(FIXTURE_METADATA_NAME, generate_function=lambda fixture_instance: fixture_instance.name, property_name='name')
FixtureMetadata(FIXTURE_METADATA_SLUG, generate_function=lambda fixture_instance: fixture_instance.slug, property_name='slug')
FixtureMetadata(FIXTURE_METADATA_DESCRIPTION, generate_function=lambda fixture_instance: fixture_instance.description, property_name='description')

View File

@@ -1,10 +0,0 @@
from __future__ import absolute_import
from django.utils.translation import ugettext_lazy as _
from .links import link_bootstrap_setup_tool, link_erase_database
label = _(u'Bootstrap')
description = _(u'Provides pre configured setups for indexes, document types, tags, etc.')
dependencies = ['app_registry', 'icons', 'navigation', 'documents', 'indexing', 'metadata', 'tags']
setup_links = [link_bootstrap_setup_tool, link_erase_database]

Binary file not shown.

Before

Width:  |  Height:  |  Size: 1.5 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 1.9 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 1.8 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 2.1 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 2.5 KiB

View File

@@ -1,16 +0,0 @@
from django.conf.urls import patterns, url
urlpatterns = patterns('bootstrap.views',
url(r'^setup/list/$', 'bootstrap_setup_list', (), 'bootstrap_setup_list'),
url(r'^setup/create/$', 'bootstrap_setup_create', (), 'bootstrap_setup_create'),
url(r'^setup/(?P<bootstrap_setup_pk>\d+)/edit/$', 'bootstrap_setup_edit', (), 'bootstrap_setup_edit'),
url(r'^setup/(?P<bootstrap_setup_pk>\d+)/delete/$', 'bootstrap_setup_delete', (), 'bootstrap_setup_delete'),
url(r'^setup/(?P<bootstrap_setup_pk>\d+)/$', 'bootstrap_setup_view', (), 'bootstrap_setup_view'),
url(r'^setup/(?P<bootstrap_setup_pk>\d+)/execute/$', 'bootstrap_setup_execute', (), 'bootstrap_setup_execute'),
url(r'^setup/(?P<bootstrap_setup_pk>\d+)/export/$', 'bootstrap_setup_export', (), 'bootstrap_setup_export'),
url(r'^setup/dump/$', 'bootstrap_setup_dump', (), 'bootstrap_setup_dump'),
url(r'^setup/import/file/$', 'bootstrap_setup_import_from_file', (), 'bootstrap_setup_import_from_file'),
url(r'^setup/import/url/$', 'bootstrap_setup_import_from_url', (), 'bootstrap_setup_import_from_url'),
url(r'^setup/repository/sync/$', 'bootstrap_setup_repository_sync', (), 'bootstrap_setup_repository_sync'),
url(r'^nuke/$', 'erase_database_view', (), 'erase_database_view'),
)

View File

@@ -1,44 +0,0 @@
# {{{ http://code.activestate.com/recipes/578272/ (r1)
def toposort2(data):
"""Dependencies are expressed as a dictionary whose keys are items
and whose values are a set of dependent items. Output is a list of
sets in topological order. The first set consists of items with no
dependences, each subsequent set consists of items that depend upon
items in the preceeding sets.
>>> print '\\n'.join(repr(sorted(x)) for x in toposort2({
... 2: set([11]),
... 9: set([11,8]),
... 10: set([11,3]),
... 11: set([7,5]),
... 8: set([7,3]),
... }) )
[3, 5, 7]
[8, 11]
[2, 9, 10]
"""
from functools import reduce
# Ignore self dependencies.
for k, v in data.items():
v.discard(k)
# Find all items that don't depend on anything.
extra_items_in_deps = reduce(set.union, data.itervalues()) - set(data.iterkeys())
# Add empty dependences where needed
for item in extra_items_in_deps:
data[item] = set()
while True:
ordered = set(item for item, dep in data.iteritems() if not dep)
if not ordered:
break
yield ordered
data = {}
for item, dep in data.iteritems():
if item not in ordered:
data[item] = dep - ordered
assert not data, "Cyclic dependencies exist among these items:\n%s" % '\n'.join(repr(x) for x in data.iteritems())
# end of http://code.activestate.com/recipes/578272/ }}}

View File

@@ -1,343 +0,0 @@
from __future__ import absolute_import
from django.contrib import messages
from django.core.exceptions import PermissionDenied
from django.core.urlresolvers import reverse
from django.http import HttpResponseRedirect
from django.shortcuts import render_to_response, get_object_or_404
from django.template import RequestContext
from django.utils.translation import ugettext_lazy as _
from filetransfers.api import serve_file
from acls.models import AccessEntry
from permissions.models import Permission
from .classes import Cleanup
from .exceptions import ExistingData, NotABootstrapSetup
from .forms import (BootstrapSetupForm, BootstrapSetupForm_view, BootstrapSetupForm_dump,
BootstrapSetupForm_edit, BootstrapFileImportForm, BootstrapURLImportForm)
from .models import BootstrapSetup
from .permissions import (PERMISSION_BOOTSTRAP_VIEW, PERMISSION_BOOTSTRAP_CREATE,
PERMISSION_BOOTSTRAP_EDIT, PERMISSION_BOOTSTRAP_DELETE,
PERMISSION_BOOTSTRAP_EXECUTE, PERMISSION_NUKE_DATABASE, PERMISSION_BOOTSTRAP_DUMP,
PERMISSION_BOOTSTRAP_EXPORT, PERMISSION_BOOTSTRAP_IMPORT, PERMISSION_BOOTSTRAP_REPOSITORY_SYNC)
def bootstrap_setup_list(request):
Permission.objects.check_permissions(request.user, [PERMISSION_BOOTSTRAP_VIEW])
context = {
'object_list': BootstrapSetup.objects.all(),
'title': _(u'Bootstrap setups'),
'hide_link': True,
'extra_columns': [
{'name': _(u'Description'), 'attribute': 'description'},
{'name': _(u'Type'), 'attribute': 'get_type_display'},
],
}
return render_to_response('main/generic_list.html', context,
context_instance=RequestContext(request))
def bootstrap_setup_create(request):
Permission.objects.check_permissions(request.user, [PERMISSION_BOOTSTRAP_CREATE])
if request.method == 'POST':
form = BootstrapSetupForm(request.POST)
if form.is_valid():
bootstrap = form.save()
messages.success(request, _(u'Bootstrap setup created successfully'))
return HttpResponseRedirect(reverse('bootstrap_setup_list'))
else:
messages.error(request, _(u'Error creating bootstrap setup.'))
else:
form = BootstrapSetupForm()
return render_to_response('main/generic_form.html', {
'title': _(u'Create bootstrap'),
'form': form,
},
context_instance=RequestContext(request))
def bootstrap_setup_edit(request, bootstrap_setup_pk):
previous = request.POST.get('previous', request.GET.get('previous', request.META.get('HTTP_REFERER', reverse('main:home'))))
bootstrap = get_object_or_404(BootstrapSetup, pk=bootstrap_setup_pk)
try:
Permission.objects.check_permissions(request.user, [PERMISSION_BOOTSTRAP_EDIT])
except PermissionDenied:
AccessEntry.objects.check_access(PERMISSION_BOOTSTRAP_EDIT, request.user, bootstrap)
if request.method == 'POST':
form = BootstrapSetupForm_edit(instance=bootstrap, data=request.POST)
if form.is_valid():
form.save()
messages.success(request, _(u'Bootstrap setup edited successfully'))
return HttpResponseRedirect(previous)
else:
messages.error(request, _(u'Error editing bootstrap setup.'))
else:
form = BootstrapSetupForm_edit(instance=bootstrap)
return render_to_response('main/generic_form.html', {
'title': _(u'Edit bootstrap setup: %s') % bootstrap,
'form': form,
'object': bootstrap,
'previous': previous,
'object_name': _(u'Bootstrap setup'),
},
context_instance=RequestContext(request))
def bootstrap_setup_delete(request, bootstrap_setup_pk):
bootstrap = get_object_or_404(BootstrapSetup, pk=bootstrap_setup_pk)
try:
Permission.objects.check_permissions(request.user, [PERMISSION_BOOTSTRAP_DELETE])
except PermissionDenied:
AccessEntry.objects.check_access(PERMISSION_BOOTSTRAP_DELETE, request.user, bootstrap)
post_action_redirect = reverse('bootstrap_setup_list')
previous = request.POST.get('previous', request.GET.get('previous', request.META.get('HTTP_REFERER', reverse('main:home'))))
next = request.POST.get('next', request.GET.get('next', post_action_redirect if post_action_redirect else request.META.get('HTTP_REFERER', reverse('main:home'))))
if request.method == 'POST':
try:
bootstrap.delete()
messages.success(request, _(u'Bootstrap setup: %s deleted successfully.') % bootstrap)
except Exception as exception:
messages.error(request, _(u'Bootstrap setup: %(bootstrap)s, delete error: %(error)s') % {
'bootstrap': bootstrap, 'error': exception})
return HttpResponseRedirect(reverse('bootstrap_setup_list'))
context = {
'object_name': _(u'Bootstrap setup'),
'delete_view': True,
'previous': previous,
'next': next,
'object': bootstrap,
'title': _(u'Are you sure you with to delete the bootstrap setup: %s?') % bootstrap,
'form_icon': 'lightning_delete.png',
}
return render_to_response('main/generic_confirm.html', context,
context_instance=RequestContext(request))
def bootstrap_setup_view(request, bootstrap_setup_pk):
bootstrap = get_object_or_404(BootstrapSetup, pk=bootstrap_setup_pk)
try:
Permission.objects.check_permissions(request.user, [PERMISSION_BOOTSTRAP_VIEW])
except PermissionDenied:
AccessEntry.objects.check_access(PERMISSION_BOOTSTRAP_VIEW, request.user, bootstrap)
form = BootstrapSetupForm_view(instance=bootstrap)
context = {
'form': form,
'object': bootstrap,
'object_name': _(u'Bootstrap setup'),
}
return render_to_response('main/generic_detail.html', context,
context_instance=RequestContext(request))
def bootstrap_setup_execute(request, bootstrap_setup_pk):
Permission.objects.check_permissions(request.user, [PERMISSION_BOOTSTRAP_EXECUTE])
bootstrap_setup = get_object_or_404(BootstrapSetup, pk=bootstrap_setup_pk)
post_action_redirect = reverse('bootstrap_setup_list')
previous = request.POST.get('previous', request.GET.get('previous', request.META.get('HTTP_REFERER', reverse('main:home'))))
next = request.POST.get('next', request.GET.get('next', post_action_redirect if post_action_redirect else request.META.get('HTTP_REFERER', reverse('main:home'))))
if request.method == 'POST':
try:
bootstrap_setup.execute()
except ExistingData:
messages.error(request, _(u'Cannot execute bootstrap setup, there is existing data. Erase all data and try again.'))
except Exception as exception:
messages.error(request, _(u'Error executing bootstrap setup; %s') % exception)
else:
messages.success(request, _(u'Bootstrap setup "%s" executed successfully.') % bootstrap_setup)
return HttpResponseRedirect(next)
context = {
'object_name': _(u'Bootstrap setup'),
'delete_view': False,
'previous': previous,
'next': next,
'form_icon': 'lightning_go.png',
'object': bootstrap_setup,
}
context['title'] = _(u'Are you sure you wish to execute the database bootstrap setup named: %s?') % bootstrap_setup
return render_to_response('main/generic_confirm.html', context,
context_instance=RequestContext(request))
def bootstrap_setup_dump(request):
Permission.objects.check_permissions(request.user, [PERMISSION_BOOTSTRAP_DUMP])
if request.method == 'POST':
form = BootstrapSetupForm_dump(request.POST)
if form.is_valid():
bootstrap = form.save(commit=False)
try:
bootstrap.fixture = BootstrapSetup.objects.dump(serialization_format=bootstrap.type)
except Exception as exception:
messages.error(request, _(u'Error dumping configuration into a bootstrap setup; %s') % exception)
raise
else:
bootstrap.save()
messages.success(request, _(u'Bootstrap setup created successfully.'))
return HttpResponseRedirect(reverse('bootstrap:bootstrap_setup_list'))
else:
form = BootstrapSetupForm_dump()
return render_to_response('main/generic_form.html', {
'title': _(u'Dump current configuration into a bootstrap setup'),
'form': form,
},
context_instance=RequestContext(request))
def bootstrap_setup_export(request, bootstrap_setup_pk):
previous = request.POST.get('previous', request.GET.get('previous', request.META.get('HTTP_REFERER', reverse('main:home'))))
bootstrap = get_object_or_404(BootstrapSetup, pk=bootstrap_setup_pk)
try:
Permission.objects.check_permissions(request.user, [PERMISSION_BOOTSTRAP_EXPORT])
except PermissionDenied:
AccessEntry.objects.check_access(PERMISSION_BOOTSTRAP_EXPORT, request.user, bootstrap)
return serve_file(
request,
bootstrap.as_file(),
save_as=u'"%s"' % bootstrap.get_filename(),
content_type='text/plain; charset=us-ascii'
)
def bootstrap_setup_import_from_file(request):
Permission.objects.check_permissions(request.user, [PERMISSION_BOOTSTRAP_IMPORT])
previous = request.POST.get('previous', request.GET.get('previous', request.META.get('HTTP_REFERER', reverse('main:home'))))
if request.method == 'POST':
form = BootstrapFileImportForm(request.POST, request.FILES)
if form.is_valid():
try:
BootstrapSetup.objects.import_from_file(request.FILES['file'])
messages.success(request, _(u'Bootstrap setup imported successfully.'))
return HttpResponseRedirect(reverse('bootstrap:bootstrap_setup_list'))
except NotABootstrapSetup:
messages.error(request, _(u'File is not a bootstrap setup.'))
except Exception as exception:
messages.error(request, _(u'Error importing bootstrap setup from file; %s.') % exception)
return HttpResponseRedirect(previous)
else:
form = BootstrapFileImportForm()
return render_to_response('main/generic_form.html', {
'title': _(u'Import bootstrap setup from file'),
'form_icon': 'folder.png',
'form': form,
'previous': previous,
}, context_instance=RequestContext(request))
def bootstrap_setup_import_from_url(request):
Permission.objects.check_permissions(request.user, [PERMISSION_BOOTSTRAP_IMPORT])
previous = request.POST.get('previous', request.GET.get('previous', request.META.get('HTTP_REFERER', reverse('main:home'))))
if request.method == 'POST':
form = BootstrapURLImportForm(request.POST, request.FILES)
if form.is_valid():
try:
BootstrapSetup.objects.import_from_url(form.cleaned_data['url'])
messages.success(request, _(u'Bootstrap setup imported successfully.'))
return HttpResponseRedirect(reverse('bootstrap:bootstrap_setup_list'))
except NotABootstrapSetup:
messages.error(request, _(u'Data from URL is not a bootstrap setup.'))
except Exception as exception:
messages.error(request, _(u'Error importing bootstrap setup from URL; %s.') % exception)
return HttpResponseRedirect(previous)
else:
form = BootstrapURLImportForm()
return render_to_response('main/generic_form.html', {
'title': _(u'Import bootstrap setup from URL'),
'form_icon': 'folder.png',
'form': form,
'previous': previous,
}, context_instance=RequestContext(request))
def erase_database_view(request):
Permission.objects.check_permissions(request.user, [PERMISSION_NUKE_DATABASE])
post_action_redirect = None
previous = request.POST.get('previous', request.GET.get('previous', request.META.get('HTTP_REFERER', reverse('main:home'))))
next = request.POST.get('next', request.GET.get('next', post_action_redirect if post_action_redirect else request.META.get('HTTP_REFERER', reverse('main:home'))))
if request.method == 'POST':
try:
Cleanup.execute_all()
except Exception as exception:
messages.error(request, _(u'Error erasing database; %s') % exception)
else:
messages.success(request, _(u'Database erased successfully.'))
return HttpResponseRedirect(next)
context = {
'delete_view': False,
'previous': previous,
'next': next,
'form_icon': 'radioactivity.png',
}
context['title'] = _(u'Are you sure you wish to erase the entire database and document storage?')
context['message'] = _(u'All documents, sources, metadata, metadata types, set, tags, indexes and logs will be lost irreversibly!')
return render_to_response('main/generic_confirm.html', context,
context_instance=RequestContext(request))
def bootstrap_setup_repository_sync(request):
Permission.objects.check_permissions(request.user, [PERMISSION_BOOTSTRAP_REPOSITORY_SYNC])
post_action_redirect = reverse('bootstrap:bootstrap_setup_list')
previous = request.POST.get('previous', request.GET.get('previous', request.META.get('HTTP_REFERER', reverse('main:home'))))
next = request.POST.get('next', request.GET.get('next', post_action_redirect if post_action_redirect else request.META.get('HTTP_REFERER', reverse('main:home'))))
if request.method == 'POST':
try:
BootstrapSetup.objects.repository_sync()
messages.success(request, _(u'Bootstrap repository successfully synchronized.'))
except Exception as exception:
messages.error(request, _(u'Bootstrap repository synchronization error: %(error)s') % {'error': exception})
return HttpResponseRedirect(reverse('bootstrap:bootstrap_setup_list'))
context = {
'previous': previous,
'next': next,
'title': _(u'Are you sure you wish to synchronize with the bootstrap repository?'),
'form_icon': 'world.png',
}
return render_to_response('main/generic_confirm.html', context,
context_instance=RequestContext(request))

View File

@@ -1,6 +0,0 @@
from __future__ import absolute_import
def cleanup():
from .models import Index
Index.objects.all().delete()

View File

@@ -1,10 +0,0 @@
from __future__ import absolute_import
from .models import Document, DocumentType
def cleanup():
for document in Document.objects.all():
document.delete()
DocumentType.objects.all().delete()

View File

@@ -1,7 +0,0 @@
from __future__ import absolute_import
from .models import RecentSearch
def cleanup():
RecentSearch.objects.all().delete()

View File

@@ -1,6 +0,0 @@
from __future__ import absolute_import
def cleanup():
from .models import Folder
Folder.objects.all().delete()

View File

@@ -1,7 +0,0 @@
from __future__ import absolute_import
from .models import History
def cleanup():
History.objects.all().delete()

View File

@@ -1,7 +0,0 @@
from __future__ import absolute_import
def cleanup():
from .models import SmartLink
SmartLink.objects.all().delete()

View File

@@ -1,8 +0,0 @@
from __future__ import absolute_import
def cleanup():
from .models import MetadataType, MetadataSet
MetadataType.objects.all().delete()
MetadataSet.objects.all().delete()

View File

@@ -1,7 +0,0 @@
from __future__ import absolute_import
from .models import Role
def cleanup():
Role.objects.all().delete()

View File

@@ -1,9 +0,0 @@
from __future__ import absolute_import
def cleanup():
from .models import StagingFolder, WebForm, SourceTransformation
StagingFolder.objects.all().delete()
WebForm.objects.all().delete()
SourceTransformation.objects.all().delete()

View File

@@ -1,7 +0,0 @@
from __future__ import absolute_import
from .models import Tag
def cleanup():
Tag.objects.all().delete()

View File

@@ -1,8 +0,0 @@
from __future__ import absolute_import
from django.contrib.auth.models import User, Group
def cleanup():
User.objects.exclude(is_staff=True).exclude(is_superuser=True).delete()
Group.objects.all().delete()

View File

@@ -73,7 +73,6 @@ INSTALLED_APPS = (
'user_management',
# Mayan EDMS
'app_registry',
'bootstrap',
'checkouts',
'document_acls',
'document_comments',
@@ -244,10 +243,6 @@ LOGIN_EXEMPT_URLS = (
PAGINATION_INVALID_PAGE_RAISES_404 = True
# ---------- Search ------------------
SEARCH_SHOW_OBJECT_TYPE = False
SERIALIZATION_MODULES = {
'better_yaml': 'common.serializers.better_yaml',
}
# --------- Taggit ------------
SOUTH_MIGRATION_MODULES = {
'taggit': 'taggit.south_migrations',

View File

@@ -10,7 +10,6 @@ urlpatterns = patterns('',
url(r'^acls/', include('acls.urls', namespace='acls')),
url(r'^admin/', include(admin.site.urls)),
url(r'^api/', include('rest_api.urls')),
url(r'^bootstrap/', include('bootstrap.urls', namespace='bootstrap')),
url(r'^checkouts/', include('checkouts.urls', namespace='checkouts')),
url(r'^comments/', include('document_comments.urls', namespace='comments')),
url(r'^document_acls/', include('document_acls.urls', namespace='document_acls')),