diff --git a/.github/actions/import-db/action.yml b/.github/actions/import-db/action.yml index 66517c9343b..ea5d4e393a1 100644 --- a/.github/actions/import-db/action.yml +++ b/.github/actions/import-db/action.yml @@ -24,7 +24,7 @@ runs: with: repository: dataquest-dev/dspace-python-api path: dspace-python-api - ref: 'refactor_jm' + ref: 'main' - name: stop and remove containers @@ -44,7 +44,7 @@ runs: # create otherwise it will be created with root owner cid=$(docker run -d --rm --name $DB5NAME -v $(pwd):/dq/scripts -v $DATADIR/dump:/dq/dump -p 127.0.0.1:$DB5PORT:5432 -e POSTGRES_DB=empty -e POSTGRES_USER=postgres -e POSTGRES_PASSWORD=dspace postgres /bin/bash -c "cd /dq/scripts && ./init.dspacedb5.sh") echo "cid=$cid" >> $GITHUB_OUTPUT - sleep 10 + sleep 60 echo "=====" docker logs $DB5NAME || true echo "=====" diff --git a/src/app/login-page/auth-failed-page/auth-failed-page.component.spec.ts b/src/app/login-page/auth-failed-page/auth-failed-page.component.spec.ts new file mode 100644 index 00000000000..a60ff1163e5 --- /dev/null +++ b/src/app/login-page/auth-failed-page/auth-failed-page.component.spec.ts @@ -0,0 +1,97 @@ +import { ComponentFixture, TestBed } from '@angular/core/testing'; +import { of as observableOf} from 'rxjs'; +import { ActivatedRoute } from '@angular/router'; +import { ConfigurationDataService } from '../../core/data/configuration-data.service'; +import {createSuccessfulRemoteDataObject$} from '../../shared/remote-data.utils'; +import { ConfigurationProperty } from '../../core/shared/configuration-property.model'; +import { HELP_DESK_PROPERTY } from '../../item-page/tombstone/tombstone.component'; +import { TranslateModule } from '@ngx-translate/core'; +import { AuthFailedPageComponent } from './auth-failed-page.component'; +import { RequestService } from '../../core/data/request.service'; +import { HALEndpointService } from '../../core/shared/hal-endpoint.service'; +import { getMockRemoteDataBuildService } from '../../shared/mocks/remote-data-build.service.mock'; +import { RemoteDataBuildService } from '../../core/cache/builders/remote-data-build.service'; +import { NotificationsServiceStub } from '../../shared/testing/notifications-service.stub'; +import { NotificationsService } from '../../shared/notifications/notifications.service'; + +describe('DuplicateUserErrorComponent', () => { + let component: AuthFailedPageComponent; + let fixture: ComponentFixture; + let mockConfigurationDataService: ConfigurationDataService; + let requestService: RequestService; + let activatedRoute: any; + let halService: HALEndpointService; + let rdbService: RemoteDataBuildService; + let notificationService: NotificationsServiceStub; + + const rootUrl = 'root url'; + const queryParams = 'netid[idp]'; + const encodedQueryParams = 'netid%5Bidp%5D&email='; + + activatedRoute = { + params: observableOf({}), + snapshot: { + queryParams: { + netid: queryParams + } + } + }; + + mockConfigurationDataService = jasmine.createSpyObj('configurationDataService', { + findByPropertyName: createSuccessfulRemoteDataObject$(Object.assign(new ConfigurationProperty(), { + name: HELP_DESK_PROPERTY, + values: [ + 'email' + ] + })) + }); + + requestService = jasmine.createSpyObj('requestService', { + send: observableOf('response'), + generateRequestId: observableOf('123456'), + }); + + halService = jasmine.createSpyObj('authService', { + getRootHref: rootUrl, + }); + + rdbService = getMockRemoteDataBuildService(); + notificationService = new NotificationsServiceStub(); + + beforeEach(async () => { + await TestBed.configureTestingModule({ + imports: [ + TranslateModule.forRoot() + ], + declarations: [ AuthFailedPageComponent ], + providers: [ + { provide: ActivatedRoute, useValue: activatedRoute }, + { provide: ConfigurationDataService, useValue: mockConfigurationDataService }, + { provide: RequestService, useValue: requestService }, + { provide: HALEndpointService, useValue: halService }, + { provide: RemoteDataBuildService, useValue: rdbService }, + { provide: NotificationsService, useValue: notificationService }, + ] + }) + .compileComponents(); + }); + + beforeEach(() => { + fixture = TestBed.createComponent(AuthFailedPageComponent); + component = fixture.componentInstance; + fixture.detectChanges(); + }); + + it('should create', () => { + expect(component).toBeTruthy(); + }); + + it('should send request with encoded netId and email param', () => { + component.ngOnInit(); + component.sendEmail(); + expect(requestService.send).toHaveBeenCalledWith(jasmine.objectContaining({ + href: rootUrl + '/autoregistration?netid=' + encodedQueryParams, + })); + expect(component).toBeTruthy(); + }); +}); diff --git a/src/app/login-page/auth-failed-page/auth-failed-page.component.ts b/src/app/login-page/auth-failed-page/auth-failed-page.component.ts index 24ff567ca4f..b49e3b9b368 100644 --- a/src/app/login-page/auth-failed-page/auth-failed-page.component.ts +++ b/src/app/login-page/auth-failed-page/auth-failed-page.component.ts @@ -1,5 +1,5 @@ import { Component, OnInit } from '@angular/core'; -import { ActivatedRoute, Router } from '@angular/router'; +import { ActivatedRoute } from '@angular/router'; import { Observable } from 'rxjs'; import { RemoteData } from '../../core/data/remote-data'; import { ConfigurationProperty } from '../../core/shared/configuration-property.model'; @@ -42,7 +42,6 @@ export class AuthFailedPageComponent implements OnInit { constructor( protected configurationDataService: ConfigurationDataService, - protected router: Router, public route: ActivatedRoute, private requestService: RequestService, protected halService: HALEndpointService, @@ -61,7 +60,8 @@ export class AuthFailedPageComponent implements OnInit { public sendEmail() { const requestId = this.requestService.generateRequestId(); - const url = this.halService.getRootHref() + '/autoregistration?netid=' + this.netid + '&email=' + this.email; + const url = this.halService.getRootHref() + '/autoregistration?netid=' + encodeURIComponent(this.netid) + + '&email=' + encodeURIComponent(this.email); const postRequest = new PostRequest(requestId, url); // Send POST request this.requestService.send(postRequest); diff --git a/src/app/shared/log-in/methods/password/log-in-password.component.ts b/src/app/shared/log-in/methods/password/log-in-password.component.ts index 54480e89b12..e0d02822230 100644 --- a/src/app/shared/log-in/methods/password/log-in-password.component.ts +++ b/src/app/shared/log-in/methods/password/log-in-password.component.ts @@ -9,7 +9,7 @@ import { ResetAuthenticationMessagesAction } from '../../../../core/auth/auth.actions'; -import { getAuthenticationError, getAuthenticationInfo, } from '../../../../core/auth/selectors'; +import { getAuthenticationError, getAuthenticationInfo } from '../../../../core/auth/selectors'; import { isEmpty, isNotEmpty } from '../../../empty.util'; import { fadeOut } from '../../../animations/fade'; import { AuthMethodType } from '../../../../core/auth/models/auth.method-type'; @@ -145,10 +145,13 @@ export class LogInPasswordComponent implements OnInit { * Set up redirect URL. It could be loaded from the `authorizationService.getRedirectUrl()` or from the url. */ public async setUpRedirectUrl() { - // Get redirect URL from the authService `redirectUrl` property. const fetchedRedirectUrl = await firstValueFrom(this.authService.getRedirectUrl()); if (isNotEmpty(fetchedRedirectUrl)) { - this.redirectUrl = fetchedRedirectUrl; + // Bring over the item ID as a query parameter + const queryParams = { redirectUrl: fetchedRedirectUrl }; + // Redirect to login with `redirectUrl` param because the redirectionUrl is lost from the store after click on + // `local` login. + void this.router.navigate(['login'], { queryParams: queryParams }); } // Store the `redirectUrl` value from the url and then remove that value from url. diff --git a/src/app/shared/shared.module.ts b/src/app/shared/shared.module.ts index 2329f43680b..acea16c0d4e 100644 --- a/src/app/shared/shared.module.ts +++ b/src/app/shared/shared.module.ts @@ -275,6 +275,7 @@ import { EpersonGroupListComponent } from './eperson-group-list/eperson-group-li import { EpersonSearchBoxComponent } from './eperson-group-list/eperson-search-box/eperson-search-box.component'; import { GroupSearchBoxComponent } from './eperson-group-list/group-search-box/group-search-box.component'; import { HtmlContentService } from './html-content.service'; +import { ClarinSafeHtmlPipe } from './utils/clarin-safehtml.pipe'; const MODULES = [ CommonModule, @@ -319,7 +320,8 @@ const PIPES = [ ClarinLicenseCheckedPipe, ClarinLicenseLabelRadioValuePipe, ClarinLicenseRequiredInfoPipe, - CharToEndPipe + CharToEndPipe, + ClarinSafeHtmlPipe ]; const COMPONENTS = [ diff --git a/src/app/shared/utils/clarin-safehtml.pipe.ts b/src/app/shared/utils/clarin-safehtml.pipe.ts new file mode 100644 index 00000000000..ebf2e21c8da --- /dev/null +++ b/src/app/shared/utils/clarin-safehtml.pipe.ts @@ -0,0 +1,15 @@ +import { Pipe, PipeTransform } from '@angular/core'; +import { DomSanitizer, SafeHtml } from '@angular/platform-browser'; + +/** + * Pipe to keep html tags e.g., `id` in the `innerHTML` attribute. + */ +@Pipe({ + name: 'dsSafeHtml' +}) +export class ClarinSafeHtmlPipe implements PipeTransform { + constructor(private sanitized: DomSanitizer) {} + transform(htmlString: string): SafeHtml { + return this.sanitized.bypassSecurityTrustHtml(htmlString); + } +} diff --git a/src/app/static-page/static-page.component.html b/src/app/static-page/static-page.component.html index 15c3ea6ef07..99b85f71fb9 100644 --- a/src/app/static-page/static-page.component.html +++ b/src/app/static-page/static-page.component.html @@ -1,3 +1,3 @@
-
+
diff --git a/src/app/static-page/static-page.component.spec.ts b/src/app/static-page/static-page.component.spec.ts index c3a0b9c6d21..97df3c3d420 100644 --- a/src/app/static-page/static-page.component.spec.ts +++ b/src/app/static-page/static-page.component.spec.ts @@ -7,6 +7,9 @@ import { RouterMock } from '../shared/mocks/router.mock'; import { LocaleService } from '../core/locale/locale.service'; import { TranslateModule } from '@ngx-translate/core'; import { of } from 'rxjs'; +import { APP_CONFIG } from '../../config/app-config.interface'; +import { environment } from '../../environments/environment'; +import { ClarinSafeHtmlPipe } from '../shared/utils/clarin-safehtml.pipe'; describe('StaticPageComponent', () => { let component: StaticPageComponent; @@ -14,24 +17,32 @@ describe('StaticPageComponent', () => { let htmlContentService: HtmlContentService; let localeService: any; + let appConfig: any; beforeEach(async () => { htmlContentService = jasmine.createSpyObj('htmlContentService', { - fetchHtmlContent: of('
TEST MESSAGE
') + fetchHtmlContent: of('
TEST MESSAGE
') }); localeService = jasmine.createSpyObj('LocaleService', { getCurrentLanguageCode: jasmine.createSpy('getCurrentLanguageCode'), }); + appConfig = Object.assign(environment, { + ui: { + namespace: 'testNamespace' + } + }); + TestBed.configureTestingModule({ - declarations: [ StaticPageComponent ], + declarations: [ StaticPageComponent, ClarinSafeHtmlPipe ], imports: [ TranslateModule.forRoot() ], providers: [ { provide: HtmlContentService, useValue: htmlContentService }, { provide: Router, useValue: new RouterMock() }, - { provide: LocaleService, useValue: localeService } + { provide: LocaleService, useValue: localeService }, + { provide: APP_CONFIG, useValue: appConfig } ] }); @@ -51,6 +62,6 @@ describe('StaticPageComponent', () => { // Load `TEST MESSAGE` it('should load html file content', async () => { await component.ngOnInit(); - expect(component.htmlContent.value).toBe('
TEST MESSAGE
'); + expect(component.htmlContent.value).toBe('
TEST MESSAGE
'); }); }); diff --git a/src/app/static-page/static-page.component.ts b/src/app/static-page/static-page.component.ts index bd06f96f103..63aac66bc3a 100644 --- a/src/app/static-page/static-page.component.ts +++ b/src/app/static-page/static-page.component.ts @@ -1,10 +1,11 @@ -import { Component, OnInit } from '@angular/core'; +import { Component, Inject, OnInit } from '@angular/core'; import { HtmlContentService } from '../shared/html-content.service'; import { BehaviorSubject, firstValueFrom } from 'rxjs'; import { Router } from '@angular/router'; import { isEmpty, isNotEmpty } from '../shared/empty.util'; import { LocaleService } from '../core/locale/locale.service'; import { STATIC_FILES_DEFAULT_ERROR_PAGE_PATH, STATIC_FILES_PROJECT_PATH } from './static-page-routing-paths'; +import { APP_CONFIG, AppConfig } from '../../config/app-config.interface'; /** * Component which load and show static files from the `static-files` folder. @@ -17,15 +18,17 @@ import { STATIC_FILES_DEFAULT_ERROR_PAGE_PATH, STATIC_FILES_PROJECT_PATH } from }) export class StaticPageComponent implements OnInit { htmlContent: BehaviorSubject = new BehaviorSubject(''); + htmlFileName: string; constructor(private htmlContentService: HtmlContentService, private router: Router, - private localeService: LocaleService) { } + private localeService: LocaleService, + @Inject(APP_CONFIG) protected appConfig?: AppConfig) { } async ngOnInit(): Promise { let url = ''; // Fetch html file name from the url path. `static/some_file.html` - let htmlFileName = this.getHtmlFileName(); + this.htmlFileName = this.getHtmlFileName(); // Get current language let language = this.localeService.getCurrentLanguageCode(); @@ -35,7 +38,7 @@ export class StaticPageComponent implements OnInit { // Try to find the html file in the translated package. `static-files/language_code/some_file.html` // Compose url url = STATIC_FILES_PROJECT_PATH; - url += isEmpty(language) ? '/' + htmlFileName : '/' + language + '/' + htmlFileName; + url += isEmpty(language) ? '/' + this.htmlFileName : '/' + language + '/' + this.htmlFileName; let potentialContent = await firstValueFrom(this.htmlContentService.fetchHtmlContent(url)); if (isNotEmpty(potentialContent)) { this.htmlContent.next(potentialContent); @@ -43,7 +46,7 @@ export class StaticPageComponent implements OnInit { } // If the file wasn't find, get the non-translated file from the default package. - url = STATIC_FILES_PROJECT_PATH + '/' + htmlFileName; + url = STATIC_FILES_PROJECT_PATH + '/' + this.htmlFileName; potentialContent = await firstValueFrom(this.htmlContentService.fetchHtmlContent(url)); if (isNotEmpty(potentialContent)) { this.htmlContent.next(potentialContent); @@ -54,6 +57,27 @@ export class StaticPageComponent implements OnInit { await this.loadErrorPage(); } + processLinks(e) { + const element: HTMLElement = e.target; + if (element.nodeName === 'A') { + e.preventDefault(); + const href = element.getAttribute('href')?.replace('/', ''); + let redirectUrl = window.location.origin + this.appConfig.ui.nameSpace + '/static/'; + // Start with `#` - redirect to the fragment + if (href.startsWith('#')) { + redirectUrl += this.htmlFileName + href; + } else if (href.startsWith('.')) { + // Redirect using namespace e.g. `./test.html` -> `/namespace/static/test.html` + redirectUrl += href.replace('.', '') + '.html'; + } else { + // Redirect without using namespace e.g. `/test.html` -> `/test.html` + redirectUrl = redirectUrl.replace(this.appConfig.ui.nameSpace, '') + href; + } + // Call redirect + window.location.href = redirectUrl; + } + } + /** * Load file name from the URL - `static/FILE_NAME.html` * @private @@ -69,7 +93,7 @@ export class StaticPageComponent implements OnInit { } // If the url is too long take just the first string after `/static` prefix. - return urlInList[1]; + return urlInList[1]?.split('#')?.[0]; } /** diff --git a/src/app/static-page/static-page.module.ts b/src/app/static-page/static-page.module.ts index cb7e2397488..7ed011ead4a 100644 --- a/src/app/static-page/static-page.module.ts +++ b/src/app/static-page/static-page.module.ts @@ -3,15 +3,17 @@ import { CommonModule } from '@angular/common'; import { StaticPageRoutingModule } from './static-page-routing.module'; import { StaticPageComponent } from './static-page.component'; +import { SharedModule } from '../shared/shared.module'; @NgModule({ declarations: [ StaticPageComponent ], - imports: [ - CommonModule, - StaticPageRoutingModule, - ] + imports: [ + CommonModule, + StaticPageRoutingModule, + SharedModule, + ] }) export class StaticPageModule { } diff --git a/src/assets/i18n/cs.json5 b/src/assets/i18n/cs.json5 index 528d82c3fce..bbd929911e2 100644 --- a/src/assets/i18n/cs.json5 +++ b/src/assets/i18n/cs.json5 @@ -1,8410 +1,8661 @@ { - // "error-page.description.401" : "unauthorized" + // "401.help": "You're not authorized to access this page. You can use the button below to get back to the home page.", + "401.help" : "Chybějící autorizace k přístupu na tuto stránku. Můžete využít tlačítko k návratu na domovskou stránku.", + + // "401.link.home-page": "Take me to the home page", + "401.link.home-page" : "Návrat na domovskou stránku", + + // "401.unauthorized": "unauthorized", + "401.unauthorized" : "bez autorizace", + + + + // "403.help": "You don't have permission to access this page. You can use the button below to get back to the home page.", + "403.help" : "Nemáte oprávnění k přístupu na tuto stránku. Můžete využít tlačítko k návratu na domovskou stránku.", + + // "403.link.home-page": "Take me to the home page", + "403.link.home-page" : "Návrat na domovskou stránku", + + // "403.forbidden": "forbidden", + "403.forbidden" : "není povoleno", + + // "500.page-internal-server-error": "Service Unavailable", + "500.page-internal-server-error" : "Služba nedostupná", + + // "500.help": "The server is temporarily unable to service your request due to maintenance downtime or capacity problems. Please try again later.", + "500.help" : "Server dočasně nemůže váš požadavek obsloužit z důvodu odstávky údržby nebo kapacitních problémů. Zopakujte akci později.", + + // "500.link.home-page": "Take me to the home page", + "500.link.home-page" : "Přesuňte mě na domovskou stránku", + + + // "404.help": "We can't find the page you're looking for. The page may have been moved or deleted. You can use the button below to get back to the home page. ", + "404.help" : "Nepodařilo se najít stránku, kterou hledáte. Je možné, že stránka byla přesunuta nebo smazána. Pomocí tlačítka níže můžete přejít na domovskou stránku.", + + // "404.link.home-page": "Take me to the home page", + "404.link.home-page" : "Přejít na domovskou stránku", + + // "404.page-not-found": "page not found", + "404.page-not-found" : "stránka nenalezena", + + // "error-page.description.401": "unauthorized", "error-page.description.401" : "neoprávněné", - // "error-page.description.403" : "forbidden" + // "error-page.description.403": "forbidden", "error-page.description.403" : "zakázáno", - // "error-page.description.500" : "Service Unavailable" + // "error-page.description.500": "Service Unavailable", "error-page.description.500" : "Služba není k dispozici", - // "error-page.description.404" : "page not found" + // "error-page.description.404": "page not found", "error-page.description.404" : "stránka nebyla nalezena", - // "error-page.orcid.generic-error" : "An error occurred during login via ORCID. Make sure you have shared your ORCID account email address with DSpace. If the error persists, contact the administrator" + // "error-page.orcid.generic-error": "An error occurred during login via ORCID. Make sure you have shared your ORCID account email address with DSpace. If the error persists, contact the administrator", "error-page.orcid.generic-error" : "Při přihlašování přes ORCID došlo k chybě. Ujistěte se, že jste sdíleli e-mailovou adresu svého účtu ORCID s DSpace. Pokud chyba přetrvává, kontaktujte správce", - // "access-status.embargo.listelement.badge" : "Embargo" + // "access-status.embargo.listelement.badge": "Embargo", "access-status.embargo.listelement.badge" : "Embargo", - // "access-status.metadata.only.listelement.badge" : "Metadata only" + // "access-status.metadata.only.listelement.badge": "Metadata only", "access-status.metadata.only.listelement.badge" : "Pouze metadata", - // "access-status.open.access.listelement.badge" : "Open Access" + // "access-status.open.access.listelement.badge": "Open Access", "access-status.open.access.listelement.badge" : "Otevřený přístup", - // "access-status.restricted.listelement.badge" : "Restricted" + // "access-status.restricted.listelement.badge": "Restricted", "access-status.restricted.listelement.badge" : "Omezené", - // "access-status.unknown.listelement.badge" : "Unknown" + // "access-status.unknown.listelement.badge": "Unknown", "access-status.unknown.listelement.badge" : "Neznámý", - // "admin.registries.bitstream-formats.table.id" : "ID" - "admin.registries.bitstream-formats.table.id" : "ID", + // "admin.curation-tasks.breadcrumbs": "System curation tasks", + "admin.curation-tasks.breadcrumbs" : "Úkoly administrace systému", - // "admin.registries.schema.fields.table.id" : "ID" - "admin.registries.schema.fields.table.id" : "ID", + // "admin.curation-tasks.title": "System curation tasks", + "admin.curation-tasks.title" : "Úkoly administrace systému", - // "admin.access-control.groups.form.tooltip.editGroupPage" : "On this page, you can modify the properties and members of a group. In the top section, you can edit the group name and description, unless this is an admin group for a collection or community, in which case the group name and description are auto-generated and cannot be edited. In the following sections, you can edit group membership. See [the wiki](https://wiki.lyrasis.org/display/DSDOC7x/Create+or+manage+a+user+group) for more details." - "admin.access-control.groups.form.tooltip.editGroupPage" : "Na této stránce můžete upravit vlastnosti a členy skupiny. V horní části můžete upravit název a popis skupiny, pokud se nejedná o administrátorskou skupinu pro kolekci nebo komunitu, v takovém případě jsou název a popis skupiny generovány automaticky a nelze je upravovat. V následujících částech můžete upravit členství ve skupině. Další podrobnosti naleznete v části [wiki](https://wiki.lyrasis.org/display/DSDOC7x/Create+nebo+správce+uživatelské+skupiny).", + // "admin.curation-tasks.header": "System curation tasks", + "admin.curation-tasks.header" : "Úkoly administrace systému", - // "admin.access-control.groups.form.tooltip.editGroup.addEpeople" : "To add or remove an EPerson to/from this group, either click the 'Browse All' button or use the search bar below to search for users (use the dropdown to the left of the search bar to choose whether to search by metadata or by email). Then click the plus icon for each user you wish to add in the list below, or the trash can icon for each user you wish to remove. The list below may have several pages: use the page controls below the list to navigate to the next pages. Once you are ready, save your changes by clicking the 'Save' button in the top section." - "admin.access-control.groups.form.tooltip.editGroup.addEpeople" : "Chcete-li přidat nebo odebrat EPersona do/z této skupiny, klikněte na tlačítko 'Procházet vše', nebo použijte vyhledávací lištu níže pro vyhledávání uživatelů (pomocí rozbalovacího seznamu vlevo na liště vyhledávání vyberte, zda chcete vyhledávat podle metadat, nebo e-mailem). Poté klikněte na ikonu plus pro každého uživatele, kterého si přejete přidat do seznamu níže, nebo na ikonu koše pro každého uživatele, kterého si přejete odstranit. Seznam níže může mít několik stránek: pomocí ovládacích prvků stránky pod seznamem přejděte na další stránky. Jakmile budete připraveni, uložte své změny kliknutím na tlačítko 'Uložit' v horní části.", + // "admin.registries.bitstream-formats.breadcrumbs": "Format registry", + "admin.registries.bitstream-formats.breadcrumbs" : "Formát registrů", - // "admin.access-control.groups.form.tooltip.editGroup.addSubgroups" : "To add or remove a Subgroup to/from this group, either click the 'Browse All' button or use the search bar below to search for users. Then click the plus icon for each user you wish to add in the list below, or the trash can icon for each user you wish to remove. The list below may have several pages: use the page controls below the list to navigate to the next pages. Once you are ready, save your changes by clicking the 'Save' button in the top section." - "admin.access-control.groups.form.tooltip.editGroup.addSubgroups" : "Chcete-li přidat nebo odebrat podskupinu do/z této skupiny, klikněte na tlačítko 'Procházet vše', nebo použijte vyhledávací lištu níže pro vyhledávání uživatelů. Poté klikněte na ikonu plus pro každého uživatele, kterého si přejete přidat v seznamu níže, nebo na ikonu koše pro každého uživatele, kterého si přejete odstranit. Seznam níže může mít několik stránek: použijte ovládací prvky stránky pod seznamem pro navigaci na další stránky. Jakmile budete připraveni, uložte své změny kliknutím na tlačítko 'Uložit' v horní části.", + // "admin.registries.bitstream-formats.create.breadcrumbs": "Bitstream format", + "admin.registries.bitstream-formats.create.breadcrumbs" : "Bitstream formát", - // "admin.workflow.item.workspace" : "Workspace" - "admin.workflow.item.workspace" : "Pracovní prostor", + // "admin.registries.bitstream-formats.create.failure.content": "An error occurred while creating the new bitstream format.", + "admin.registries.bitstream-formats.create.failure.content" : "Chybě během vytváření nového bitstreamu.", - // "admin.workflow.item.policies" : "Policies" - "admin.workflow.item.policies" : "Zásady", + // "admin.registries.bitstream-formats.create.failure.head": "Failure", + "admin.registries.bitstream-formats.create.failure.head" : "Chyba", - // "admin.workflow.item.supervision" : "Supervision" - "admin.workflow.item.supervision" : "Dohled", + // "admin.registries.bitstream-formats.create.head": "Create Bitstream format", + "admin.registries.bitstream-formats.create.head" : "Vytvořit bitstream formát", - // "admin.batch-import.breadcrumbs" : "Import Batch" - "admin.batch-import.breadcrumbs" : "Importovat sadu", + // "admin.registries.bitstream-formats.create.new": "Add a new bitstream format", + "admin.registries.bitstream-formats.create.new" : "Přidat a nový bitstream formát", - // "admin.batch-import.title" : "Import Batch" - "admin.batch-import.title" : "Importovat sadu", + // "admin.registries.bitstream-formats.create.success.content": "The new bitstream format was successfully created.", + "admin.registries.bitstream-formats.create.success.content" : "Nový bitstream format úspěšně vytvořen.", - // "admin.batch-import.page.header" : "Import Batch" - "admin.batch-import.page.header" : "Importovat sadu", + // "admin.registries.bitstream-formats.create.success.head": "Success", + "admin.registries.bitstream-formats.create.success.head" : "Úspěšně", - // "admin.batch-import.page.help" : "Select the Collection to import into. Then, drop or browse to a Simple Archive Format (SAF) zip file that includes the Items to import" - "admin.batch-import.page.help" : "Vyberte kolekci, do které chcete importovat. Poté potáhněte nebo procházejte do zipového souboru SAF (Simple Archive Format), který obsahuje položky k importu", + // "admin.registries.bitstream-formats.delete.failure.amount": "Failed to remove {{ amount }} format(s)", + "admin.registries.bitstream-formats.delete.failure.amount" : "Chyba při odstraňování {{ amount }} formátů", - // "admin.batch-import.page.dropMsg" : "Drop a batch ZIP to import" - "admin.batch-import.page.dropMsg" : "Potáhněte ZIP dávku pro import", + // "admin.registries.bitstream-formats.delete.failure.head": "Failure", + "admin.registries.bitstream-formats.delete.failure.head" : "Chyba", - // "admin.batch-import.page.dropMsgReplace" : "Drop to replace the batch ZIP to import" - "admin.batch-import.page.dropMsgReplace" : "Potáhněte ZIP dávku pro nahrazení k importu", + // "admin.registries.bitstream-formats.delete.success.amount": "Successfully removed {{ amount }} format(s)", + "admin.registries.bitstream-formats.delete.success.amount" : "Úspěšně odstraněno {{ amount }} formátů", - // "admin.metadata-import.page.button.select-collection" : "Select Collection" - "admin.metadata-import.page.button.select-collection" : "Vybrat kolekci", + // "admin.registries.bitstream-formats.delete.success.head": "Success", + "admin.registries.bitstream-formats.delete.success.head" : "Úspěch", - // "admin.batch-import.page.error.addFile" : "Select Zip file first!" - "admin.batch-import.page.error.addFile" : "Nejprve vyberte ZIP soubor!", + // "admin.registries.bitstream-formats.description": "This list of bitstream formats provides information about known formats and their support level.", + "admin.registries.bitstream-formats.description" : "Tento seznam formátů souborů poskytuje informace o známých formátech a o úrovni jejich podpory.", - // "admin.metadata-import.page.validateOnly" : "Validate Only" - "admin.metadata-import.page.validateOnly" : "Pouze ověřit", + // "admin.registries.bitstream-formats.edit.breadcrumbs": "Bitstream format", + "admin.registries.bitstream-formats.edit.breadcrumbs" : "Bitstream formát", - // "admin.metadata-import.page.validateOnly.hint" : "When selected, the uploaded CSV will be validated. You will receive a report of detected changes, but no changes will be saved." - "admin.metadata-import.page.validateOnly.hint" : "Po výběru bude nahraný CSV ověřen. Obdržíte zprávu o zjištěných změnách, ale žádné změny se neuloží.", + // "admin.registries.bitstream-formats.edit.description.hint": "", + "admin.registries.bitstream-formats.edit.description.hint" : "", - // "advanced-workflow-action.rating.form.rating.label" : "Rating" - "advanced-workflow-action.rating.form.rating.label" : "Hodnocení", + // "admin.registries.bitstream-formats.edit.description.label": "Description", + "admin.registries.bitstream-formats.edit.description.label" : "Popis", - // "advanced-workflow-action.rating.form.rating.error" : "You must rate the item" - "advanced-workflow-action.rating.form.rating.error" : "Položku musíte ohodnotit", + // "admin.registries.bitstream-formats.edit.extensions.hint": "Extensions are file extensions that are used to automatically identify the format of uploaded files. You can enter several extensions for each format.", + "admin.registries.bitstream-formats.edit.extensions.hint" : "Přípony jsou rozšíření souborů pro automatickou identifikaci formátu nahráváných souborů. Je možné použít více přípon pro každý formát.", - // "advanced-workflow-action.rating.form.review.label" : "Review" - "advanced-workflow-action.rating.form.review.label" : "Recenze", + // "admin.registries.bitstream-formats.edit.extensions.label": "File extensions", + "admin.registries.bitstream-formats.edit.extensions.label" : "Přípony souborů", - // "advanced-workflow-action.rating.form.review.error" : "You must enter a review to submit this rating" - "advanced-workflow-action.rating.form.review.error" : "Před odesláním tohoto hodnocení musíte zadat recenzi", + // "admin.registries.bitstream-formats.edit.extensions.placeholder": "Enter a file extension without the dot", + "admin.registries.bitstream-formats.edit.extensions.placeholder" : "Zadejte příponu souboru bez tečky", - // "advanced-workflow-action.rating.description" : "Please select a rating below" - "advanced-workflow-action.rating.description" : "Níže vyberte hodnocení", + // "admin.registries.bitstream-formats.edit.failure.content": "An error occurred while editing the bitstream format.", + "admin.registries.bitstream-formats.edit.failure.content" : "Chyba během editování bitstream formátů.", - // "advanced-workflow-action.rating.description-requiredDescription" : "Please select a rating below and also add a review" - "advanced-workflow-action.rating.description-requiredDescription" : "Níže prosím vyberte hodnocení a přidejte recenzi", + // "admin.registries.bitstream-formats.edit.failure.head": "Failure", + "admin.registries.bitstream-formats.edit.failure.head" : "Chyba", - // "advanced-workflow-action.select-reviewer.description-single" : "Please select a single reviewer below before submitting" - "advanced-workflow-action.select-reviewer.description-single" : "Před odesláním prosím vyberte jednoho recenzenta níže.", + // "admin.registries.bitstream-formats.edit.head": "Bitstream format: {{ format }}", + "admin.registries.bitstream-formats.edit.head": "Bitstream formát: {{ format }}", - // "advanced-workflow-action.select-reviewer.description-multiple" : "Please select one or more reviewers below before submitting" - "advanced-workflow-action.select-reviewer.description-multiple" : "Před odesláním prosím vyberte jednoho nebo více recenzentů níže.", + // "admin.registries.bitstream-formats.edit.internal.hint": "Formats marked as internal are hidden from the user, and used for administrative purposes.", + "admin.registries.bitstream-formats.edit.internal.hint" : "Formáty oznaření jako interní jsou skrité pro uživatele a používané pro účely administrace.", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.head" : "EPeople" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.head" : "EPeople", + // "admin.registries.bitstream-formats.edit.internal.label": "Internal", + "admin.registries.bitstream-formats.edit.internal.label" : "Interní", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.head" : "Add EPeople" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.head" : "Přidat EPeople", + // "admin.registries.bitstream-formats.edit.mimetype.hint": "The MIME type associated with this format, does not have to be unique.", + "admin.registries.bitstream-formats.edit.mimetype.hint" : "Typ MIME typ asociovaný s tímto formátem nemusí být unikátní.", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.button.see-all" : "Browse All" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.button.see-all" : "Procházet vše", + // "admin.registries.bitstream-formats.edit.mimetype.label": "MIME Type", + "admin.registries.bitstream-formats.edit.mimetype.label" : "MIME Typ", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.headMembers" : "Current Members" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.headMembers" : "Současní členové", + // "admin.registries.bitstream-formats.edit.shortDescription.hint": "A unique name for this format, (e.g. Microsoft Word XP or Microsoft Word 2000)", + "admin.registries.bitstream-formats.edit.shortDescription.hint" : "Unikátní název pro tento formát (např. Microsoft Word XP or Microsoft Word 2000)", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.scope.metadata" : "Metadata" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.scope.metadata" : "Metadata", + // "admin.registries.bitstream-formats.edit.shortDescription.label": "Name", + "admin.registries.bitstream-formats.edit.shortDescription.label" : "Název", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.scope.email" : "E-mail (exact)" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.scope.email" : "E-mail (přesný)", + // "admin.registries.bitstream-formats.edit.success.content": "The bitstream format was successfully edited.", + "admin.registries.bitstream-formats.edit.success.content" : "The bitstream formát úspěšně editován.", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.button" : "Search" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.button" : "Hledat", + // "admin.registries.bitstream-formats.edit.success.head": "Success", + "admin.registries.bitstream-formats.edit.success.head" : "Úspěšně", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.id" : "ID" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.id" : "ID", + // "admin.registries.bitstream-formats.edit.supportLevel.hint": "The level of support your institution pledges for this format.", + "admin.registries.bitstream-formats.edit.supportLevel.hint" : "Úroveň podpory vaší instituce garantuje tento formát.", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.name" : "Name" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.name" : "Název", + // "admin.registries.bitstream-formats.edit.supportLevel.label": "Support level", + "admin.registries.bitstream-formats.edit.supportLevel.label" : "Úroveň podpory", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.identity" : "Identity" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.identity" : "Identita", + // "admin.registries.bitstream-formats.head": "Bitstream Format Registry", + "admin.registries.bitstream-formats.head" : "Registr formátů souborů", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.email" : "Email" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.email" : "E-mail", + // "admin.registries.bitstream-formats.no-items": "No bitstream formats to show.", + "admin.registries.bitstream-formats.no-items" : "Žádné bitstream formáty.", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.netid" : "NetID" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.netid" : "NetID", + // "admin.registries.bitstream-formats.table.delete": "Delete selected", + "admin.registries.bitstream-formats.table.delete" : "Vymazat označené", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit" : "Remove / Add" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit" : "Odstranit / Přidat", + // "admin.registries.bitstream-formats.table.deselect-all": "Deselect all", + "admin.registries.bitstream-formats.table.deselect-all" : "Odznačit vše", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit.buttons.remove" : "Remove member with name \"{{name}}\"" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit.buttons.remove" : "Odstranit člena \"{{name}}\"", + // "admin.registries.bitstream-formats.table.internal": "internal", + "admin.registries.bitstream-formats.table.internal" : "interní", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.success.addMember" : "Successfully added member: \"{{name}}\"" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.success.addMember" : "Člen \"{{name}}\" úspěšně přidán", + // "admin.registries.bitstream-formats.table.mimetype": "MIME Type", + "admin.registries.bitstream-formats.table.mimetype" : "MIME Typ", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.addMember" : "Failed to add member: \"{{name}}\"" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.addMember" : "Nepodařilo se přidat člena: \"{{name}}\"", + // "admin.registries.bitstream-formats.table.name": "Name", + "admin.registries.bitstream-formats.table.name" : "Název", + // "admin.registries.bitstream-formats.table.id" : "ID", + "admin.registries.bitstream-formats.table.id" : "ID", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.success.deleteMember" : "Successfully deleted member: \"{{name}}\"" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.success.deleteMember" : "Člen \"{{name}}\" úspěšně odstraněn", + // "admin.registries.bitstream-formats.table.return": "Back", + "admin.registries.bitstream-formats.table.return" : "Návrat", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.deleteMember" : "Failed to delete member: \"{{name}}\"" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.deleteMember" : "Nepodařilo se odstranit člena \"{{name}}\"", + // "admin.registries.bitstream-formats.table.supportLevel.KNOWN": "Known", + "admin.registries.bitstream-formats.table.supportLevel.KNOWN" : "Známé", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit.buttons.add" : "Add member with name \"{{name}}\"" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit.buttons.add" : "Přidat člena \"{{name}}\"", + // "admin.registries.bitstream-formats.table.supportLevel.SUPPORTED": "Supported", + "admin.registries.bitstream-formats.table.supportLevel.SUPPORTED" : "Podporováno", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.noActiveGroup" : "No current active group, submit a name first." - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.noActiveGroup" : "Žádná současná aktivní skupina, nejprve uveďte název.", + // "admin.registries.bitstream-formats.table.supportLevel.UNKNOWN": "Unknown", + "admin.registries.bitstream-formats.table.supportLevel.UNKNOWN" : "Neznámé", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.no-members-yet" : "No members in group yet, search and add." - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.no-members-yet" : "Ve skupině zatím nejsou žádní členové, vyhledejte je a přidejte.", + // "admin.registries.bitstream-formats.table.supportLevel.head": "Support Level", + "admin.registries.bitstream-formats.table.supportLevel.head" : "Úroveň podpory", - // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.no-items" : "No EPeople found in that search" - "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.no-items" : "V tomto vyhledávání nebyly nalezeny žádní EPeople", + // "admin.registries.bitstream-formats.title": "Bitstream Format Registry", + "admin.registries.bitstream-formats.title" : "Registr formátů souborů", - // "advanced-workflow-action.select-reviewer.no-reviewer-selected.error" : "No reviewer selected." - "advanced-workflow-action.select-reviewer.no-reviewer-selected.error" : "Nebyl vybrán žádný recenzent", - // "admin.batch-import.page.validateOnly.hint" : "When selected, the uploaded ZIP will be validated. You will receive a report of detected changes, but no changes will be saved." - "admin.batch-import.page.validateOnly.hint" : "Po výběru se nahraný ZIP ověří. Obdržíte zprávu o zjištěných změnách, žádné se však neuloží.", - // "admin.batch-import.page.remove" : "remove" - "admin.batch-import.page.remove" : "odstranit", + // "admin.registries.metadata.breadcrumbs": "Metadata registry", + "admin.registries.metadata.breadcrumbs" : "Registr metadat", - // "bitstream.download.page.back" : "Back" - "bitstream.download.page.back" : "Zpět", + // "admin.registries.metadata.description": "The metadata registry maintains a list of all metadata fields available in the repository. These fields may be divided amongst multiple schemas. However, DSpace requires the qualified Dublin Core schema.", + "admin.registries.metadata.description" : "Registr metadat je seznam všech metadatových polí dostupných v repozitáři. Tyto pole mohou být rozdělena do více schémat. DSpace však vyžaduje použití schématu Kvalifikovaný Dublin Core.", - // "browse.back.all-results" : "All browse results" - "browse.back.all-results" : "Všechny výsledky procházení", + // "admin.registries.metadata.form.create": "Create metadata schema", + "admin.registries.metadata.form.create" : "Vytvořit schéma metadat", - // "pagination.next.button" : "Next" - "pagination.next.button" : "Další", + // "admin.registries.metadata.form.edit": "Edit metadata schema", + "admin.registries.metadata.form.edit" : "Editovat schéma metadat", - // "pagination.previous.button" : "Previous" - "pagination.previous.button" : "Předchozí", + // "admin.registries.metadata.form.name": "Name", + "admin.registries.metadata.form.name" : "Název", - // "pagination.next.button.disabled.tooltip" : "No more pages of results" - "pagination.next.button.disabled.tooltip" : "Žádné další stránky s výsledky", + // "admin.registries.metadata.form.namespace": "Namespace", + "admin.registries.metadata.form.namespace" : "Jmenný prostor", - // "browse.startsWith" : ", starting with {{ startsWith }}" - "browse.startsWith" : ", počínaje {{ startsWith }}", + // "admin.registries.metadata.head": "Metadata Registry", + "admin.registries.metadata.head" : "Registr metadat", - // "browse.title.page" : "Browsing {{ collection }} by {{ field }} {{ value }}" - "browse.title.page" : "Procházení {{ collection }} podle {{ field }} {{ hodnota }}", + // "admin.registries.metadata.schemas.no-items": "No metadata schemas to show.", + "admin.registries.metadata.schemas.no-items" : "Žádná schémata metadat.", - // "search.browse.item-back" : "Back to Results" - "search.browse.item-back" : "Zpět na výsledky", + // "admin.registries.metadata.schemas.table.delete": "Delete selected", + "admin.registries.metadata.schemas.table.delete" : "Vymazat označené", - // "claimed-approved-search-result-list-element.title" : "Approved" - "claimed-approved-search-result-list-element.title" : "Schváleno", + // "admin.registries.metadata.schemas.table.id": "ID", + "admin.registries.metadata.schemas.table.id" : "ID", - // "claimed-declined-search-result-list-element.title" : "Rejected, sent back to submitter" - "claimed-declined-search-result-list-element.title" : "Zamítnuto, zasláno zpět předkladateli", + // "admin.registries.metadata.schemas.table.name": "Name", + "admin.registries.metadata.schemas.table.name" : "Název", - // "claimed-declined-task-search-result-list-element.title" : "Declined, sent back to Review Manager's workflow" - "claimed-declined-task-search-result-list-element.title" : "Zamítnuto, odesláno zpět do pracovního postupu revizního manažera", + // "admin.registries.metadata.schemas.table.namespace": "Namespace", + "admin.registries.metadata.schemas.table.namespace" : "Jmenný prostor", - // "contact-us.breadcrumbs" : "Contact Us" - "contact-us.breadcrumbs" : "Kontaktujte nás", + // "admin.registries.metadata.title": "Metadata Registry", + "admin.registries.metadata.title" : "Registr metadat", - // "contact-us.title" : "Contact Us" - "contact-us.title" : "Kontaktujte nás", - // "contact-us.description" : "DSpace@TUL administrators may be contacted at:" - "contact-us.description" : "Správce DSpace@TUL můžete kontaktovat na adrese:", - // "contact-us.form" : "On-line form:" - "contact-us.form" : "On-line formulář:", + // "admin.registries.schema.breadcrumbs": "Metadata schema", + "admin.registries.schema.breadcrumbs" : "Schéma metadat", - // "contact-us.feedback" : "Feedback" - "contact-us.feedback" : "Zpětná vazba", + // "admin.registries.schema.description": "This is the metadata schema for \"{{namespace}}\".", + "admin.registries.schema.description" : "Toto je schéma metadat pro „{{namespace}}“.", - // "contact-us.email" : "Email:" - "contact-us.email" : "E-mail:", + // "admin.registries.schema.fields.head": "Schema metadata fields", + "admin.registries.schema.fields.head" : "Pole schématu metadat", - // "collection.edit.item.authorizations.load-bundle-button" : "Load more bundles" - "collection.edit.item.authorizations.load-bundle-button" : "Načíst další balíčky", + // "admin.registries.schema.fields.no-items": "No metadata fields to show.", + "admin.registries.schema.fields.no-items" : "Žádná metadatová pole.", - // "collection.edit.item.authorizations.load-more-button" : "Load more" - "collection.edit.item.authorizations.load-more-button" : "Načíst více", + // "admin.registries.schema.fields.table.delete": "Delete selected", + "admin.registries.schema.fields.table.delete" : "Vymazat označené", - // "collection.edit.item.authorizations.show-bitstreams-button" : "Show bitstream policies for bundle" - "collection.edit.item.authorizations.show-bitstreams-button" : "Zobrazit zásady bitstreamu pro svazek", + // "admin.registries.schema.fields.table.field": "Field", + "admin.registries.schema.fields.table.field" : "Pole", + // "admin.registries.schema.fields.table.id" : "ID", + "admin.registries.schema.fields.table.id" : "ID", - // "comcol-role.edit.create.error.title" : "Failed to create a group for the '{{ role }}' role" - "comcol-role.edit.create.error.title" : "Nepodařilo se vytvořit skupinu pro roli '{{ role }}'", + // "admin.registries.schema.fields.table.scopenote": "Scope Note", + "admin.registries.schema.fields.table.scopenote" : "Poznámka o rozsahu", - // "comcol-role.edit.delete.error.title" : "Failed to delete the '{{ role }}' role's group" - "comcol-role.edit.delete.error.title" : "Nepodařilo se odstranit '{{ role }}' roli skupiny", + // "admin.registries.schema.form.create": "Create metadata field", + "admin.registries.schema.form.create" : "Vytvoření metadatového pole", - // "comcol-role.edit.scorereviewers.name" : "Score Reviewers" - "comcol-role.edit.scorereviewers.name" : "Hodnotitelé skóre", + // "admin.registries.schema.form.edit": "Edit metadata field", + "admin.registries.schema.form.edit" : "Editace metadatového pole", - // "comcol-role.edit.scorereviewers.description" : "Reviewers are able to give a score to incoming submissions, this will define whether the submission will be rejected or not." - "comcol-role.edit.scorereviewers.description" : "Hodnotitelé mohou příchozím příspěvkům přidělit bodové hodnocení, které určí, zda bude příspěvek zamítnut, nebo ne.", + // "admin.registries.schema.form.element": "Element", + "admin.registries.schema.form.element" : "Element", - // "cookies.consent.app.disable-all.description" : "Use this switch to enable or disable all services." - "cookies.consent.app.disable-all.description" : "Pomocí tohoto přepínače povolte nebo zakažte všechny služby.", + // "admin.registries.schema.form.qualifier": "Qualifier", + "admin.registries.schema.form.qualifier" : "Kvalifikátor", - // "cookies.consent.app.disable-all.title" : "Enable or disable all services" - "cookies.consent.app.disable-all.title" : "Povolit nebo zakázat všechny služby", + // "admin.registries.schema.form.scopenote": "Scope Note", + "admin.registries.schema.form.scopenote" : "Poznámka o rozsahu", - // "cookies.consent.ok" : "That's ok" - "cookies.consent.ok" : "V pořádku", + // "admin.registries.schema.head": "Metadata Schema", + "admin.registries.schema.head" : "Metadatové schéma", - // "cookies.consent.save" : "Save" - "cookies.consent.save" : "Uložit", + // "admin.registries.schema.notification.created": "Successfully created metadata schema \"{{prefix}}\"", + "admin.registries.schema.notification.created" : "Úspěšně vytvořeno schéma metadat \"{{prefix}}\"", - // "cookies.consent.content-notice.title" : "Cookie Consent" - "cookies.consent.content-notice.title" : "Souhlas s použitím souborů cookie", + // "admin.registries.schema.notification.deleted.failure": "Failed to delete {{amount}} metadata schemas", + "admin.registries.schema.notification.deleted.failure" : "Nelze odstranit {{amount}} schéma metadat", - // "cookies.consent.content-notice.description.no-privacy" : "We collect and process your personal information for the following purposes: Authentication, Preferences, Acknowledgement and Statistics." - "cookies.consent.content-notice.description.no-privacy" : "Vaše osobní údaje shromažďujeme a zpracováváme pro následující účely: Ověřování, předvolby, potvrzení a statistiky.", + // "admin.registries.schema.notification.deleted.success": "Successfully deleted {{amount}} metadata schemas", + "admin.registries.schema.notification.deleted.success" : "Úspěšně odstraněno {{amount}} schémat metadat", - // "cookies.consent.content-modal.services" : "services" - "cookies.consent.content-modal.services" : "služby", + // "admin.registries.schema.notification.edited": "Successfully edited metadata schema \"{{prefix}}\"", + "admin.registries.schema.notification.edited" : "Úspěšně editováno schéma metadat \"{{prefix}}\"", - // "cookies.consent.content-modal.service" : "service" - "cookies.consent.content-modal.service" : "služba", + // "admin.registries.schema.notification.failure": "Error", + "admin.registries.schema.notification.failure" : "Chyba", - // "cookies.consent.app.title.google-recaptcha" : "Google reCaptcha" - "cookies.consent.app.title.google-recaptcha" : "Google reCaptcha", + // "admin.registries.schema.notification.field.created": "Successfully created metadata field \"{{field}}\"", + "admin.registries.schema.notification.field.created" : "Úspěšně vytvořeno schéma metadat \"{{field}}\"", - // "cookies.consent.app.description.google-recaptcha" : "We use google reCAPTCHA service during registration and password recovery" - "cookies.consent.app.description.google-recaptcha" : "Při registraci a obnově hesla používáme službu reCAPTCHA společnosti Google.", + // "admin.registries.schema.notification.field.deleted.failure": "Failed to delete {{amount}} metadata fields", + "admin.registries.schema.notification.field.deleted.failure" : "Nepodařilo se odstranit {{amount}} schémat metadat", - // "cookies.consent.purpose.registration-password-recovery" : "Registration and Password recovery" - "cookies.consent.purpose.registration-password-recovery" : "Registrace a obnovení hesla", + // "admin.registries.schema.notification.field.deleted.success": "Successfully deleted {{amount}} metadata fields", + "admin.registries.schema.notification.field.deleted.success" : "Úspěšně odstraněno {{amount}} položek metadat", - // "cookies.consent.purpose.sharing" : "Sharing" - "cookies.consent.purpose.sharing" : "Sdílení", + // "admin.registries.schema.notification.field.edited": "Successfully edited metadata field \"{{field}}\"", + "admin.registries.schema.notification.field.edited" : "Úspěšně editováno položek metadat \"{{field}}\"", - // "curation-task.task.citationpage.label" : "Generate Citation Page" - "curation-task.task.citationpage.label" : "Vytvořit stránku s citacemi", + // "admin.registries.schema.notification.success": "Success", + "admin.registries.schema.notification.success" : "Úspěšně", - // "curation-task.task.register-doi.label" : "Register DOI" - "curation-task.task.register-doi.label" : "Registrovat DOI", + // "admin.registries.schema.return": "Back", + "admin.registries.schema.return" : "Návrat", - // "curation.form.submit.error.invalid-handle" : "Couldn't determine the handle for this object" - "curation.form.submit.error.invalid-handle" : "Nepodařilo se určit handle tohoto objektu", + // "admin.registries.schema.title": "Metadata Schema Registry", + "admin.registries.schema.title" : "Registr schémat metadat", - // "dso-selector.create.community.or-divider" : "or" - "dso-selector.create.community.or-divider" : "nebo", - // "dso-selector.export-batch.dspaceobject.head" : "Export Batch (ZIP) from" - "dso-selector.export-batch.dspaceobject.head" : "Exportovat dávku (ZIP) z", - // "dso-selector.import-batch.dspaceobject.head" : "Import batch from" - "dso-selector.import-batch.dspaceobject.head" : "Importovat dávku z", + // "admin.access-control.epeople.actions.delete": "Delete EPerson", + "admin.access-control.epeople.actions.delete" : "Smazat EOsobu", - // "dso-selector.set-scope.community.or-divider" : "or" - "dso-selector.set-scope.community.or-divider" : "nebo", + // "admin.access-control.epeople.actions.impersonate": "Impersonate EPerson", + "admin.access-control.epeople.actions.impersonate" : "Vydávající se EOsoba", - // "dso-selector.claim.item.head" : "Profile tips" - "dso-selector.claim.item.head" : "Tipy k profilu", + // "admin.access-control.epeople.actions.reset": "Reset password", + "admin.access-control.epeople.actions.reset" : "Resetovat heslo", - // "dso-selector.claim.item.body" : "These are existing profiles that may be related to you. If you recognize yourself in one of these profiles, select it and on the detail page, among the options, choose to claim it. Otherwise you can create a new profile from scratch using the button below." - "dso-selector.claim.item.body" : "Jedná se o existující profily, které s vámi mohou souviset. Pokud se v některém z těchto profilů poznáte, vyberte jej a na stránce s podrobnostmi mezi možnostmi zvolte, zda jej chcete reklamovat. V opačném případě si můžete vytvořit nový profil od začátku pomocí tlačítka níže.", + // "admin.access-control.epeople.actions.stop-impersonating": "Stop impersonating EPerson", + "admin.access-control.epeople.actions.stop-impersonating" : "Stop vydávající se EOsobě", - // "dso-selector.claim.item.not-mine-label" : "None of these are mine" - "dso-selector.claim.item.not-mine-label" : "Žádný z nich není můj", + // "admin.access-control.epeople.breadcrumbs": "EPeople", + "admin.access-control.epeople.breadcrumbs" : "EPeople", - // "dso-selector.claim.item.create-from-scratch" : "Create a new one" - "dso-selector.claim.item.create-from-scratch" : "Vytvořit nový", + // "admin.access-control.epeople.title": "EPeople", + "admin.access-control.epeople.title" : "EOsoby", - // "dso-selector.results-could-not-be-retrieved" : "Something went wrong, please refresh again ↻" - "dso-selector.results-could-not-be-retrieved" : "Něco se pokazilo, obnovte prosím znovu ↻", + // "admin.access-control.epeople.head": "EPeople", + "admin.access-control.epeople.head" : "EOsoby", - // "supervision-group-selector.header" : "Supervision Group Selector" - "supervision-group-selector.header" : "Výběr dozorčí skupiny", + // "admin.access-control.epeople.search.head": "Search", + "admin.access-control.epeople.search.head" : "Hledat", - // "supervision-group-selector.select.type-of-order.label" : "Select a type of Order" - "supervision-group-selector.select.type-of-order.label" : "Vyberte typ objednávky", + // "admin.access-control.epeople.button.see-all": "Browse All", + "admin.access-control.epeople.button.see-all" : "Procházet vše", - // "supervision-group-selector.select.type-of-order.option.none" : "NONE" - "supervision-group-selector.select.type-of-order.option.none" : "ŽÁDNÁ", + // "admin.access-control.epeople.search.scope.metadata": "Metadata", + "admin.access-control.epeople.search.scope.metadata" : "Metadata", - // "supervision-group-selector.select.type-of-order.option.editor" : "EDITOR" - "supervision-group-selector.select.type-of-order.option.editor" : "EDITOR", + // "admin.access-control.epeople.search.scope.email": "E-mail (exact)", + "admin.access-control.epeople.search.scope.email" : "E-mail (exaktně)", - // "supervision-group-selector.select.type-of-order.option.observer" : "OBSERVER" - "supervision-group-selector.select.type-of-order.option.observer" : "PŘIHLÍŽEJÍCI", + // "admin.access-control.epeople.search.button": "Search", + "admin.access-control.epeople.search.button" : "Vyhledávat", - // "supervision-group-selector.select.group.label" : "Select a Group" - "supervision-group-selector.select.group.label" : "Vyberte skupinu", + // "admin.access-control.epeople.search.placeholder": "Search people...", + "admin.access-control.epeople.search.placeholder" : "Hledat lidi...", - // "supervision-group-selector.button.cancel" : "Cancel" - "supervision-group-selector.button.cancel" : "Zrušit", + // "admin.access-control.epeople.button.add": "Add EPerson", + "admin.access-control.epeople.button.add" : "Přidat EOsobu", - // "supervision-group-selector.button.save" : "Save" - "supervision-group-selector.button.save" : "Uložit", + // "admin.access-control.epeople.table.id": "ID", + "admin.access-control.epeople.table.id" : "ID", - // "supervision-group-selector.select.type-of-order.error" : "Please select a type of order" - "supervision-group-selector.select.type-of-order.error" : "Vyberte typ objednávky", + // "admin.access-control.epeople.table.name": "Name", + "admin.access-control.epeople.table.name" : "Jméno", - // "supervision-group-selector.select.group.error" : "Please select a group" - "supervision-group-selector.select.group.error" : "Vyberte prosím skupinu", + // "admin.access-control.epeople.table.email": "E-mail (exact)", + "admin.access-control.epeople.table.email" : "E-mail (exaktně)", - // "supervision-group-selector.notification.create.success.title" : "Successfully created supervision order for group {{ name }}" - "supervision-group-selector.notification.create.success.title" : "Úspěšně vytvořeno pořadí dohledu pro skupinu {{ název }}", + // "admin.access-control.epeople.table.edit": "Edit", + "admin.access-control.epeople.table.edit" : "Editovat", - // "supervision-group-selector.notification.create.failure.title" : "Error" - "supervision-group-selector.notification.create.failure.title" : "Chyba", + // "admin.access-control.epeople.table.edit.buttons.edit": "Edit \"{{name}}\"", + "admin.access-control.epeople.table.edit.buttons.edit" : "Editovat \"{{name}}\"", - // "supervision-group-selector.notification.create.already-existing" : "A supervision order already exists on this item for selected group" - "supervision-group-selector.notification.create.already-existing" : "Pro tuto položku již existuje příkaz k dohledu pro vybranou skupinu", + // "admin.access-control.epeople.table.edit.buttons.edit-disabled": "You are not authorized to edit this group", + "admin.access-control.epeople.table.edit.buttons.edit-disabled" : "Nejste oprávněni upravovat tuto skupinu", - // "confirmation-modal.export-batch.header" : "Export batch (ZIP) for {{ dsoName }}" - "confirmation-modal.export-batch.header" : "Dávka exportu (ZIP) pro {{ dsoName }}", + // "admin.access-control.epeople.table.edit.buttons.remove": "Delete \"{{name}}\"", + "admin.access-control.epeople.table.edit.buttons.remove" : "Smazat \"{{name}}\"", - // "confirmation-modal.export-batch.info" : "Are you sure you want to export batch (ZIP) for {{ dsoName }}" - "confirmation-modal.export-batch.info" : "Jste si jisti, že chcete exportovat dávku (ZIP) pro {{ dsoName }}", + // "admin.access-control.epeople.no-items": "No EPeople to show.", + "admin.access-control.epeople.no-items" : "Žádni EOsoby na zobrazení.", - // "confirmation-modal.export-batch.cancel" : "Cancel" - "confirmation-modal.export-batch.cancel" : "Zrušit", + // "admin.access-control.epeople.form.create": "Create EPerson", + "admin.access-control.epeople.form.create" : "Vytvořit EPerson", - // "confirmation-modal.export-batch.confirm" : "Export" - "confirmation-modal.export-batch.confirm" : "Export", + // "admin.access-control.epeople.form.edit": "Edit EPerson", + "admin.access-control.epeople.form.edit" : "Editovat EOsobu", - // "confirmation-modal.delete-profile.header" : "Delete Profile" - "confirmation-modal.delete-profile.header" : "Smazat profil", + // "admin.access-control.epeople.form.firstName": "First name", + "admin.access-control.epeople.form.firstName" : "Jméno", - // "confirmation-modal.delete-profile.info" : "Are you sure you want to delete your profile" - "confirmation-modal.delete-profile.info" : "Jste si jisti, že chcete odstranit svůj profil?", + // "admin.access-control.epeople.form.lastName": "Last name", + "admin.access-control.epeople.form.lastName" : "Příjmení", - // "confirmation-modal.delete-profile.cancel" : "Cancel" - "confirmation-modal.delete-profile.cancel" : "Zrušit", + // "admin.access-control.epeople.form.email": "E-mail", + "admin.access-control.epeople.form.email" : "E-mail", - // "confirmation-modal.delete-profile.confirm" : "Delete" - "confirmation-modal.delete-profile.confirm" : "Odstranit", + // "admin.access-control.epeople.form.emailHint": "Must be valid e-mail address", + "admin.access-control.epeople.form.emailHint" : "Nutno zadat validní e-mailovou adresu", - // "confirmation-modal.delete-subscription.header" : "Delete Subscription" - "confirmation-modal.delete-subscription.header" : "Odstranění odběru", + // "admin.access-control.epeople.form.canLogIn": "Can log in", + "admin.access-control.epeople.form.canLogIn" : "Možno přihlásit se", - // "confirmation-modal.delete-subscription.info" : "Are you sure you want to delete subscription for \"{{ dsoName }}\"" - "confirmation-modal.delete-subscription.info" : "Jste si jisti, že chcete odstranit odběr pro \"{{ dsoName }}\"?", + // "admin.access-control.epeople.form.requireCertificate": "Requires certificate", + "admin.access-control.epeople.form.requireCertificate" : "Vyžadován certifikát", - // "confirmation-modal.delete-subscription.cancel" : "Cancel" - "confirmation-modal.delete-subscription.cancel" : "Zrušit", + // "admin.access-control.epeople.form.return": "Back", + "admin.access-control.epeople.form.return" : "Zpět", - // "confirmation-modal.delete-subscription.confirm" : "Delete" - "confirmation-modal.delete-subscription.confirm" : "Odstranit", + // "admin.access-control.epeople.form.notification.created.success": "Successfully created EPerson \"{{name}}\"", + "admin.access-control.epeople.form.notification.created.success" : "Úspěšně vytvořena EOsoba \"{{name}}\"", - // "feed.description" : "Syndication feed" - "feed.description" : "Synchronizační kanál", + // "admin.access-control.epeople.form.notification.created.failure": "Failed to create EPerson \"{{name}}\"", + "admin.access-control.epeople.form.notification.created.failure" : "Selhalo vytvoření EOsoby \"{{name}}\"", - // "footer.link.contact-us" : "Contact us" - "footer.link.contact-us" : "Kontaktujte nás", + // "admin.access-control.epeople.form.notification.created.failure.emailInUse": "Failed to create EPerson \"{{name}}\", email \"{{email}}\" already in use.", + "admin.access-control.epeople.form.notification.created.failure.emailInUse" : "Selhalo vytvoření EOsoby \"{{name}}\", email \"{{email}}\" already in use.", - // "forgot-email.form.email.error.not-email-form" : "Please fill in a valid email address" - "forgot-email.form.email.error.not-email-form" : "Vyplňte prosím platnou e-mailovou adresu", + // "admin.access-control.epeople.form.notification.edited.failure.emailInUse": "Failed to edit EPerson \"{{name}}\", email \"{{email}}\" already in use.", + "admin.access-control.epeople.form.notification.edited.failure.emailInUse" : "Selhalo vytvoření EOsoby \"{{name}}\", email \"{{email}}\" already in use.", - // "health.breadcrumbs" : "Health" - "health.breadcrumbs" : "Stav", + // "admin.access-control.epeople.form.notification.edited.success": "Successfully edited EPerson \"{{name}}\"", + "admin.access-control.epeople.form.notification.edited.success" : "Úspěrně editována EOsoba \"{{name}}\"", - // "health-page.heading" : "Health" - "health-page.heading" : "Stav", + // "admin.access-control.epeople.form.notification.edited.failure": "Failed to edit EPerson \"{{name}}\"", + "admin.access-control.epeople.form.notification.edited.failure" : "Selhala editace EOsoby \"{{name}}\"", - // "health-page.info-tab" : "Info" - "health-page.info-tab" : "Informace", + // "admin.access-control.epeople.form.notification.deleted.success": "Successfully deleted EPerson \"{{name}}\"", + "admin.access-control.epeople.form.notification.deleted.success" : "Úspěšně vymazána EOsoba \"{{name}}\"", - // "health-page.status-tab" : "Status" - "health-page.status-tab" : "Status", + // "admin.access-control.epeople.form.notification.deleted.failure": "Failed to delete EPerson \"{{name}}\"", + "admin.access-control.epeople.form.notification.deleted.failure" : "Selhalo vymazání EOsoby \"{{name}}\"", - // "health-page.error.msg" : "The health check service is temporarily unavailable" - "health-page.error.msg" : "Služba kontroly stavu je dočasně nedostupná.", + // "admin.access-control.epeople.form.groupsEPersonIsMemberOf": "Member of these groups:", + "admin.access-control.epeople.form.groupsEPersonIsMemberOf": "Členové těchto skupin:", - // "health-page.property.status" : "Status code" - "health-page.property.status" : "Stavový kód", + // "admin.access-control.epeople.form.table.id": "ID", + "admin.access-control.epeople.form.table.id" : "ID", - // "health-page.section.db.title" : "Database" - "health-page.section.db.title" : "Databáze", + // "admin.access-control.epeople.form.table.name": "Name", + "admin.access-control.epeople.form.table.name" : "Jméno", - // "health-page.section.geoIp.title" : "GeoIp" - "health-page.section.geoIp.title" : "GeoIp", + // "admin.access-control.epeople.form.table.collectionOrCommunity": "Collection/Community", + "admin.access-control.epeople.form.table.collectionOrCommunity" : "Kolekce/komunita", - // "health-page.section.solrAuthorityCore.title" : "Solr: authority core" - "health-page.section.solrAuthorityCore.title" : "Solr: jádro autority", + // "admin.access-control.epeople.form.memberOfNoGroups": "This EPerson is not a member of any groups", + "admin.access-control.epeople.form.memberOfNoGroups" : "Tato EOsoba není členem žádné skupiny", - // "health-page.section.solrOaiCore.title" : "Solr: oai core" - "health-page.section.solrOaiCore.title" : "Solr: jádro oai", + // "admin.access-control.epeople.form.goToGroups": "Add to groups", + "admin.access-control.epeople.form.goToGroups" : "Přidat do skupin", - // "health-page.section.solrSearchCore.title" : "Solr: search core" - "health-page.section.solrSearchCore.title" : "Solr: vyhledávací jádro", + // "admin.access-control.epeople.notification.deleted.failure": "Failed to delete EPerson: \"{{name}}\"", + "admin.access-control.epeople.notification.deleted.failure": "Selhalo vymazání EOsoby: \"{{name}}\"", - // "health-page.section.solrStatisticsCore.title" : "Solr: statistics core" - "health-page.section.solrStatisticsCore.title" : "Solr: statistické jádro", + // "admin.access-control.epeople.notification.deleted.success": "Successfully deleted EPerson: \"{{name}}\"", + "admin.access-control.epeople.notification.deleted.success": "Úspěšně vymazána EOsoba: \"{{name}}\"", - // "health-page.section-info.app.title" : "Application Backend" - "health-page.section-info.app.title" : "Backend aplikace", - // "health-page.section-info.java.title" : "Java" - "health-page.section-info.java.title" : "Java", - // "health-page.status" : "Status" - "health-page.status" : "Stav", + // "admin.access-control.groups.title": "Groups", + "admin.access-control.groups.title" : "Skupiny", - // "health-page.status.ok.info" : "Operational" - "health-page.status.ok.info" : "Provozní", + // "admin.access-control.groups.breadcrumbs": "Groups", + "admin.access-control.groups.breadcrumbs" : "Skupiny", - // "health-page.status.error.info" : "Problems detected" - "health-page.status.error.info" : "Zjištěné problémy", + // "admin.access-control.groups.singleGroup.breadcrumbs": "Edit Group", + "admin.access-control.groups.singleGroup.breadcrumbs" : "Upravit skupinu", - // "health-page.status.warning.info" : "Possible issues detected" - "health-page.status.warning.info" : "Zjištěné možné problémy", + // "admin.access-control.groups.title.singleGroup": "Edit Group", + "admin.access-control.groups.title.singleGroup" : "Editovat skupinu", - // "health-page.title" : "Health" - "health-page.title" : "Stav", + // "admin.access-control.groups.title.addGroup": "New Group", + "admin.access-control.groups.title.addGroup" : "Nová skupina", - // "health-page.section.no-issues" : "No issues detected" - "health-page.section.no-issues" : "Nebyly zjištěny žádné problémy", + // "admin.access-control.groups.addGroup.breadcrumbs": "New Group", + "admin.access-control.groups.addGroup.breadcrumbs" : "Nová skupina", - // "item.edit.identifiers.doi.status.UNKNOWN" : "Unknown" - "item.edit.identifiers.doi.status.UNKNOWN" : "Neznámý", + // "admin.access-control.groups.head": "Groups", + "admin.access-control.groups.head" : "Skupiny", - // "item.edit.identifiers.doi.status.TO_BE_REGISTERED" : "Queued for registration" - "item.edit.identifiers.doi.status.TO_BE_REGISTERED" : "Zařazeno do fronty na registraci", + // "admin.access-control.groups.button.add": "Add group", + "admin.access-control.groups.button.add" : "Přidat skupinu", - // "item.edit.identifiers.doi.status.TO_BE_RESERVED" : "Queued for reservation" - "item.edit.identifiers.doi.status.TO_BE_RESERVED" : "Ve frontě na rezervaci", + // "admin.access-control.groups.search.head": "Search groups", + "admin.access-control.groups.search.head" : "Hledat skupinu", - // "item.edit.identifiers.doi.status.IS_REGISTERED" : "Registered" - "item.edit.identifiers.doi.status.IS_REGISTERED" : "Registrováno", + // "admin.access-control.groups.button.see-all": "Browse all", + "admin.access-control.groups.button.see-all" : "Procházet vše", - // "item.edit.identifiers.doi.status.IS_RESERVED" : "Reserved" - "item.edit.identifiers.doi.status.IS_RESERVED" : "Rezervováno", + // "admin.access-control.groups.search.button": "Search", + "admin.access-control.groups.search.button" : "Hledat", - // "item.edit.identifiers.doi.status.UPDATE_RESERVED" : "Reserved (update queued)" - "item.edit.identifiers.doi.status.UPDATE_RESERVED" : "Rezervováno (aktualizace zařazena do fronty)", + // "admin.access-control.groups.search.placeholder": "Search groups...", + "admin.access-control.groups.search.placeholder" : "Hledat skupiny...", - // "item.edit.identifiers.doi.status.UPDATE_REGISTERED" : "Registered (update queued)" - "item.edit.identifiers.doi.status.UPDATE_REGISTERED" : "Registrováno (aktualizace zařazena do fronty)", + // "admin.access-control.groups.table.id": "ID", + "admin.access-control.groups.table.id" : "ID", - // "item.edit.identifiers.doi.status.UPDATE_BEFORE_REGISTRATION" : "Queued for update and registration" - "item.edit.identifiers.doi.status.UPDATE_BEFORE_REGISTRATION" : "Ve frontě na aktualizaci a registraci", + // "admin.access-control.groups.table.name": "Name", + "admin.access-control.groups.table.name" : "Jméno", - // "item.edit.identifiers.doi.status.TO_BE_DELETED" : "Queued for deletion" - "item.edit.identifiers.doi.status.TO_BE_DELETED" : "Ve frontě na smazání", + // "admin.access-control.groups.table.collectionOrCommunity": "Collection/Community", + "admin.access-control.groups.table.collectionOrCommunity" : "Kolekce/komunita", - // "item.edit.identifiers.doi.status.DELETED" : "Deleted" - "item.edit.identifiers.doi.status.DELETED" : "Odstraněno", + // "admin.access-control.groups.table.members": "Members", + "admin.access-control.groups.table.members" : "Členové", - // "item.edit.identifiers.doi.status.PENDING" : "Pending (not registered)" - "item.edit.identifiers.doi.status.PENDING" : "Čeká na vyřízení (neregistrováno)", + // "admin.access-control.groups.table.edit": "Edit", + "admin.access-control.groups.table.edit" : "Editovat", - // "item.edit.identifiers.doi.status.MINTED" : "Minted (not registered)" - "item.edit.identifiers.doi.status.MINTED" : "Vytvořené (neregistrované)", + // "admin.access-control.groups.table.edit.buttons.edit": "Edit \"{{name}}\"", + "admin.access-control.groups.table.edit.buttons.edit" : "Editovat \"{{name}}\"", - // "item.edit.tabs.status.buttons.register-doi.label" : "Register a new or pending DOI" - "item.edit.tabs.status.buttons.register-doi.label" : "Registrovat nového nebo čekajícího DOI", + // "admin.access-control.groups.table.edit.buttons.remove": "Delete \"{{name}}\"", + "admin.access-control.groups.table.edit.buttons.remove" : "Smazat \"{{name}}\"", - // "item.edit.tabs.status.buttons.register-doi.button" : "Register DOI..." - "item.edit.tabs.status.buttons.register-doi.button" : "Registrovat DOI...", + // "admin.access-control.groups.no-items": "No groups found with this in their name or this as UUID", + "admin.access-control.groups.no-items" : "Nebyly nalezeny žádné skupiny s těmino jmény nebo UUID", - // "item.edit.register-doi.header" : "Register a new or pending DOI" - "item.edit.register-doi.header" : "Registrovat nového nebo nevyřízeného DOI", + // "admin.access-control.groups.notification.deleted.success": "Successfully deleted group \"{{name}}\"", + "admin.access-control.groups.notification.deleted.success" : "Úspěšně vymazána skupina \"{{name}}\"", - // "item.edit.register-doi.description" : "Review any pending identifiers and item metadata below and click Confirm to proceed with DOI registration, or Cancel to back out" - "item.edit.register-doi.description" : "Zkontrolujte všechny čekající identifikátory a metadata položky níže. Kliknutím na tlačítko Potvrdit pokračujte v registraci DOI nebo Zrušit se vraťte zpět.", + // "admin.access-control.groups.notification.deleted.failure.title": "Failed to delete group \"{{name}}\"", + "admin.access-control.groups.notification.deleted.failure.title" : "Selhalo vymazání skupiny \"{{name}}\"", - // "item.edit.register-doi.confirm" : "Confirm" - "item.edit.register-doi.confirm" : "Potvrdit", + // "admin.access-control.groups.notification.deleted.failure.content": "Cause: \"{{cause}}\"", + "admin.access-control.groups.notification.deleted.failure.content": "Způsobeno: \"{{cause}}\"", - // "item.edit.register-doi.cancel" : "Cancel" - "item.edit.register-doi.cancel" : "Zrušit", - // "item.edit.register-doi.success" : "DOI queued for registration successfully." - "item.edit.register-doi.success" : "DOI úspěšně zařazen do fronty pro registraci.", - // "item.edit.register-doi.error" : "Error registering DOI" - "item.edit.register-doi.error" : "Chyba při registraci DOI", + // "admin.access-control.groups.form.alert.permanent": "This group is permanent, so it can't be edited or deleted. You can still add and remove group members using this page.", + "admin.access-control.groups.form.alert.permanent" : "Tato skupina je trvalá, nemůže být vymazána nebo editována. Je stále možno přidat nebo odebrat členy na této stránce.", - // "item.edit.register-doi.to-update" : "The following DOI has already been minted and will be queued for registration online" - "item.edit.register-doi.to-update" : "Následující DOI již byl vyražen a bude zařazen do fronty pro registraci online", + // "admin.access-control.groups.form.alert.workflowGroup": "This group can’t be modified or deleted because it corresponds to a role in the submission and workflow process in the \"{{name}}\" {{comcol}}. You can delete it from the \"assign roles\" tab on the edit {{comcol}} page. You can still add and remove group members using this page.", + "admin.access-control.groups.form.alert.workflowGroup" : "Tato skupina nemůže být modifikována nebo vymazána, protože koresponduje roli ve workflow \"{{name}}\" {{comcol}}. Smazat je možné v \"přiřadit role\" rozbalením editační {{comcol}} stránky. Je stále možno přidat nebo odebrat členy na této stránce.", - // "item.edit.metadata.edit.buttons.confirm" : "Confirm" - "item.edit.metadata.edit.buttons.confirm" : "Potvrdit", + // "admin.access-control.groups.form.head.create": "Create group", + "admin.access-control.groups.form.head.create" : "Vytvořit skupinu", - // "item.edit.metadata.edit.buttons.drag" : "Drag to reorder" - "item.edit.metadata.edit.buttons.drag" : "Potáhnutím změníte pořadí", + // "admin.access-control.groups.form.head.edit": "Edit group", + "admin.access-control.groups.form.head.edit" : "Editovat skupinu", - // "item.edit.metadata.edit.buttons.virtual" : "This is a virtual metadata value, i.e. a value inherited from a related entity. It can’t be modified directly. Add or remove the corresponding relationship in the "Relationships" tab" - "item.edit.metadata.edit.buttons.virtual" : "Jedná se o hodnotu virtuálních metadat, tj. hodnotu zděděnou od příbuzné entity. Nelze ji přímo upravovat. Přidejte nebo odstraňte odpovídající relaci na karte „Relace“", + // "admin.access-control.groups.form.groupName": "Group name", + "admin.access-control.groups.form.groupName" : "Jméno skupiny", - // "item.edit.metadata.metadatafield.error" : "An error occurred validating the metadata field" - "item.edit.metadata.metadatafield.error" : "Při ověřování pole metadat došlo k chybě.", + // "admin.access-control.groups.form.groupCommunity": "Community or Collection", + "admin.access-control.groups.form.groupCommunity" : "Komunita nebo kolekce", - // "item.edit.metadata.reset-order-button" : "Undo reorder" - "item.edit.metadata.reset-order-button" : "Zrušit změny pořadí", + // "admin.access-control.groups.form.groupDescription": "Description", + "admin.access-control.groups.form.groupDescription" : "Popis", - // "item.orcid.return" : "Back" - "item.orcid.return" : "Zpět", + // "admin.access-control.groups.form.notification.created.success": "Successfully created Group \"{{name}}\"", + "admin.access-control.groups.form.notification.created.success" : "Úspěšně editována skupina \"{{name}}\"", - // "item.truncatable-part.show-more" : "Show more" - "item.truncatable-part.show-more" : "Zobrazit více", + // "admin.access-control.groups.form.notification.created.failure": "Failed to create Group \"{{name}}\"", + "admin.access-control.groups.form.notification.created.failure" : "Selhala editace skupiny \"{{name}}\"", - // "item.truncatable-part.show-less" : "Collapse" - "item.truncatable-part.show-less" : "Sbalit", + // "admin.access-control.groups.form.notification.created.failure.groupNameInUse": "Failed to create Group with name: \"{{name}}\", make sure the name is not already in use.", + "admin.access-control.groups.form.notification.created.failure.groupNameInUse": "Selhala editace skupiny s názvem: \"{{name}}\", make sure the name is not already in use.", - // "workflow-item.search.result.delete-supervision.modal.header" : "Delete Supervision Order" - "workflow-item.search.result.delete-supervision.modal.header" : "Vymazat příkaz dohledu", + // "admin.access-control.groups.form.notification.edited.failure": "Failed to edit Group \"{{name}}\"", + "admin.access-control.groups.form.notification.edited.failure" : "Selhala editace skupiny \"{{name}}\"", - // "workflow-item.search.result.delete-supervision.modal.info" : "Are you sure you want to delete Supervision Order" - "workflow-item.search.result.delete-supervision.modal.info" : "Jste si jisti, že chcete odstranit příkaz k dohledu?", + // "admin.access-control.groups.form.notification.edited.failure.groupNameInUse": "Name \"{{name}}\" already in use!", + "admin.access-control.groups.form.notification.edited.failure.groupNameInUse" : "Jméno \"{{name}}\" je již používáno!", - // "workflow-item.search.result.delete-supervision.modal.cancel" : "Cancel" - "workflow-item.search.result.delete-supervision.modal.cancel" : "Zrušit", + // "admin.access-control.groups.form.notification.edited.success": "Successfully edited Group \"{{name}}\"", + "admin.access-control.groups.form.notification.edited.success" : "Úspěšně editována skupina \"{{name}}\"", - // "workflow-item.search.result.delete-supervision.modal.confirm" : "Delete" - "workflow-item.search.result.delete-supervision.modal.confirm" : "Odstranit", + // "admin.access-control.groups.form.actions.delete": "Delete Group", + "admin.access-control.groups.form.actions.delete" : "Vymazat skupinu", - // "workflow-item.search.result.notification.deleted.success" : "Successfully deleted supervision order \"{{name}}\"" - "workflow-item.search.result.notification.deleted.success" : "Úspěšně odstraněn příkaz k dohledu \"{{name}}\".", + // "admin.access-control.groups.form.delete-group.modal.header": "Delete Group \"{{ dsoName }}\"", + "admin.access-control.groups.form.delete-group.modal.header" : "Smazat skupinu \"{{ dsoName }}\"", - // "workflow-item.search.result.notification.deleted.failure" : "Failed to delete supervision order \"{{name}}\"" - "workflow-item.search.result.notification.deleted.failure" : "Nepodařilo se odstranit příkaz k dohledu \"{{name}}\".", + // "admin.access-control.groups.form.delete-group.modal.info": "Are you sure you want to delete Group \"{{ dsoName }}\"", + "admin.access-control.groups.form.delete-group.modal.info" : "Opravdu chcete smazat skupinu \"{{ dsoName }}\"", - // "workflow-item.search.result.list.element.supervised-by" : "Supervised by:" - "workflow-item.search.result.list.element.supervised-by" : "Pod dohledem:", + // "admin.access-control.groups.form.delete-group.modal.cancel": "Cancel", + "admin.access-control.groups.form.delete-group.modal.cancel" : "Storno", - // "workflow-item.search.result.list.element.supervised.remove-tooltip" : "Remove supervision group" - "workflow-item.search.result.list.element.supervised.remove-tooltip" : "Odebrat dozorčí skupinu", + // "admin.access-control.groups.form.delete-group.modal.confirm": "Delete", + "admin.access-control.groups.form.delete-group.modal.confirm" : "Smazat", - // "item.page.orcid.title" : "ORCID" - "item.page.orcid.title" : "ORCID", + // "admin.access-control.groups.form.notification.deleted.success": "Successfully deleted group \"{{ name }}\"", + "admin.access-control.groups.form.notification.deleted.success" : "Úspěšně vymazána skupina \"{{ name }}\"", - // "item.page.orcid.tooltip" : "Open ORCID setting page" - "item.page.orcid.tooltip" : "Otevřít stránku nastavení ORCID", + // "admin.access-control.groups.form.notification.deleted.failure.title": "Failed to delete group \"{{ name }}\"", + "admin.access-control.groups.form.notification.deleted.failure.title" : "Selhalo smazání skupiny \"{{ name }}\"", - // "item.page.claim.button" : "Claim" - "item.page.claim.button" : "Reklamace", + // "admin.access-control.groups.form.notification.deleted.failure.content": "Cause: \"{{ cause }}\"", + "admin.access-control.groups.form.notification.deleted.failure.content": "Způsobeno: \"{{ cause }}\"", - // "item.page.claim.tooltip" : "Claim this item as profile" - "item.page.claim.tooltip" : "Prohlásit tuto položku za profil", + // "admin.access-control.groups.form.members-list.head": "EPeople", + "admin.access-control.groups.form.members-list.head" : "EOsoby", - // "item.preview.dc.type" : "Type:" - "item.preview.dc.type" : "Typ:", + // "admin.access-control.groups.form.members-list.search.head": "Add EPeople", + "admin.access-control.groups.form.members-list.search.head" : "Přidat EOsoby", - // "item.preview.oaire.citation.issue" : "Issue" - "item.preview.oaire.citation.issue" : "Vydání", + // "admin.access-control.groups.form.members-list.button.see-all": "Browse All", + "admin.access-control.groups.form.members-list.button.see-all" : "Vyhledávat vše", - // "item.preview.oaire.citation.volume" : "Volume" - "item.preview.oaire.citation.volume" : "Svazek", + // "admin.access-control.groups.form.members-list.headMembers": "Current Members", + "admin.access-control.groups.form.members-list.headMembers" : "Aktuální členové", - // "item.preview.dc.relation.issn" : "ISSN" - "item.preview.dc.relation.issn" : "ISSN", + // "admin.access-control.groups.form.members-list.search.scope.metadata": "Metadata", + "admin.access-control.groups.form.members-list.search.scope.metadata" : "Metadata", - // "item.preview.dc.identifier.isbn" : "ISBN" - "item.preview.dc.identifier.isbn" : "ISBN", + // "admin.access-control.groups.form.members-list.search.scope.email": "E-mail (exact)", + "admin.access-control.groups.form.members-list.search.scope.email" : "E-mail (exatkně)", - // "item.preview.dc.identifier" : "Identifier:" - "item.preview.dc.identifier" : "Identifikátor:", + // "admin.access-control.groups.form.members-list.search.button": "Search", + "admin.access-control.groups.form.members-list.search.button" : "Hledat", - // "item.preview.dc.relation.ispartof" : "Journal or Serie" - "item.preview.dc.relation.ispartof" : "Časopis nebo série", + // "admin.access-control.groups.form.members-list.table.id": "ID", + "admin.access-control.groups.form.members-list.table.id" : "ID", - // "item.preview.dc.identifier.doi" : "DOI" - "item.preview.dc.identifier.doi" : "DOI", + // "admin.access-control.groups.form.members-list.table.name": "Name", + "admin.access-control.groups.form.members-list.table.name" : "Jméno", - // "item.version.create.modal.submitted.header" : "Creating new version..." - "item.version.create.modal.submitted.header" : "Vytváření nové verze...", + // "admin.access-control.groups.form.members-list.table.identity": "Identity", + "admin.access-control.groups.form.members-list.table.identity" : "Identita", - // "item.version.create.modal.submitted.text" : "The new version is being created. This may take some time if the item has a lot of relationships." - "item.version.create.modal.submitted.text" : "Vytváří se nová verze. Pokud má položka mnoho relací, může to nějakou dobu trvat", + // "admin.access-control.groups.form.members-list.table.email": "Email", + "admin.access-control.groups.form.members-list.table.email" : "E-mail", - // "itemtemplate.edit.metadata.add-button" : "Add" - "itemtemplate.edit.metadata.add-button" : "Přidat", + // "admin.access-control.groups.form.members-list.table.netid": "NetID", + "admin.access-control.groups.form.members-list.table.netid" : "NetID", - // "itemtemplate.edit.metadata.discard-button" : "Discard" - "itemtemplate.edit.metadata.discard-button" : "Zahodit", + // "admin.access-control.groups.form.members-list.table.edit": "Remove / Add", + "admin.access-control.groups.form.members-list.table.edit" : "Přidat / Odebrat", - // "itemtemplate.edit.metadata.edit.buttons.confirm" : "Confirm" - "itemtemplate.edit.metadata.edit.buttons.confirm" : "Potvrdit", + // "admin.access-control.groups.form.members-list.table.edit.buttons.remove": "Remove member with name \"{{name}}\"", + "admin.access-control.groups.form.members-list.table.edit.buttons.remove" : "Odebrat člena se jménem \"{{name}}\"", - // "itemtemplate.edit.metadata.edit.buttons.drag" : "Drag to reorder" - "itemtemplate.edit.metadata.edit.buttons.drag" : "Potáhnutím změníte pořadí", + // "admin.access-control.groups.form.members-list.notification.success.addMember": "Successfully added member: \"{{name}}\"", + "admin.access-control.groups.form.members-list.notification.success.addMember": "Úspěšně přidán člen: \"{{name}}\"", - // "itemtemplate.edit.metadata.edit.buttons.edit" : "Edit" - "itemtemplate.edit.metadata.edit.buttons.edit" : "Upravit", + // "admin.access-control.groups.form.members-list.notification.failure.addMember": "Failed to add member: \"{{name}}\"", + "admin.access-control.groups.form.members-list.notification.failure.addMember": "Nepodařilo se přidat člena: \"{{name}}\"", - // "itemtemplate.edit.metadata.edit.buttons.remove" : "Remove" - "itemtemplate.edit.metadata.edit.buttons.remove" : "Odstranit", + // "admin.access-control.groups.form.members-list.notification.success.deleteMember": "Successfully deleted member: \"{{name}}\"", + "admin.access-control.groups.form.members-list.notification.success.deleteMember": "Úspěšně vymazán člen: \"{{name}}\"", - // "itemtemplate.edit.metadata.edit.buttons.undo" : "Undo changes" - "itemtemplate.edit.metadata.edit.buttons.undo" : "Vrátit změny", + // "admin.access-control.groups.form.members-list.notification.failure.deleteMember": "Failed to delete member: \"{{name}}\"", + "admin.access-control.groups.form.members-list.notification.failure.deleteMember": "Nepodařilo se vymazat člena: \"{{name}}\"", - // "itemtemplate.edit.metadata.edit.buttons.unedit" : "Stop editing" - "itemtemplate.edit.metadata.edit.buttons.unedit" : "Zastavit úpravy", + // "admin.access-control.groups.form.members-list.table.edit.buttons.add": "Add member with name \"{{name}}\"", + "admin.access-control.groups.form.members-list.table.edit.buttons.add" : "Přidat člena se jménem \"{{name}}\"", - // "itemtemplate.edit.metadata.empty" : "The item template currently doesn't contain any metadata. Click Add to start adding a metadata value." - "itemtemplate.edit.metadata.empty" : "Šablona položky aktuálně neobsahuje žádná metadata. Kliknutím na tlačítko Přidat začnete přidávat hodnotu metadat.", + // "admin.access-control.groups.form.members-list.notification.failure.noActiveGroup": "No current active group, submit a name first.", + "admin.access-control.groups.form.members-list.notification.failure.noActiveGroup" : "Žádna aktivní skupina, přidejte nejdříve jméno.", - // "itemtemplate.edit.metadata.headers.edit" : "Edit" - "itemtemplate.edit.metadata.headers.edit" : "Upravit", + // "admin.access-control.groups.form.members-list.no-members-yet": "No members in group yet, search and add.", + "admin.access-control.groups.form.members-list.no-members-yet" : "Ve skupině zatím nejsou žádní členové, vyhledejte je a přidejte.", - // "itemtemplate.edit.metadata.headers.field" : "Field" - "itemtemplate.edit.metadata.headers.field" : "Pole", + // "admin.access-control.groups.form.members-list.no-items": "No EPeople found in that search", + "admin.access-control.groups.form.members-list.no-items" : "Žádné EOsoby nebyly nalezeny", - // "itemtemplate.edit.metadata.headers.language" : "Lang" - "itemtemplate.edit.metadata.headers.language" : "Lang", + // "admin.access-control.groups.form.subgroups-list.notification.failure": "Something went wrong: \"{{cause}}\"", + "admin.access-control.groups.form.subgroups-list.notification.failure": "Něco je špatně: \"{{cause}}\"", - // "itemtemplate.edit.metadata.headers.value" : "Value" - "itemtemplate.edit.metadata.headers.value" : "Hodnota", + // "admin.access-control.groups.form.subgroups-list.head": "Groups", + "admin.access-control.groups.form.subgroups-list.head" : "Skupiny", - // "itemtemplate.edit.metadata.metadatafield.error" : "An error occurred validating the metadata field" - "itemtemplate.edit.metadata.metadatafield.error" : "Při ověřování pole metadat došlo k chybě", + // "admin.access-control.groups.form.subgroups-list.search.head": "Add Subgroup", + "admin.access-control.groups.form.subgroups-list.search.head" : "Přidat podskupinu", - // "itemtemplate.edit.metadata.metadatafield.invalid" : "Please choose a valid metadata field" - "itemtemplate.edit.metadata.metadatafield.invalid" : "Vyberte prosím platné pole metadat", + // "admin.access-control.groups.form.subgroups-list.button.see-all": "Browse All", + "admin.access-control.groups.form.subgroups-list.button.see-all" : "Procházet vše", - // "itemtemplate.edit.metadata.notifications.discarded.content" : "Your changes were discarded. To reinstate your changes click the 'Undo' button" - "itemtemplate.edit.metadata.notifications.discarded.content" : "Změny byly zahozeny. Chcete-li změny obnovit, klikněte na tlačítko Zpět.", + // "admin.access-control.groups.form.subgroups-list.headSubgroups": "Current Subgroups", + "admin.access-control.groups.form.subgroups-list.headSubgroups" : "Aktuální podskupiny", - // "itemtemplate.edit.metadata.notifications.discarded.title" : "Changed discarded" - "itemtemplate.edit.metadata.notifications.discarded.title" : "Změny vyřazeny", + // "admin.access-control.groups.form.subgroups-list.search.button": "Search", + "admin.access-control.groups.form.subgroups-list.search.button" : "Hledat", - // "itemtemplate.edit.metadata.notifications.error.title" : "An error occurred" - "itemtemplate.edit.metadata.notifications.error.title" : "Došlo k chybě", + // "admin.access-control.groups.form.subgroups-list.table.id": "ID", + "admin.access-control.groups.form.subgroups-list.table.id" : "ID", - // "itemtemplate.edit.metadata.notifications.invalid.content" : "Your changes were not saved. Please make sure all fields are valid before you save." - "itemtemplate.edit.metadata.notifications.invalid.content" : "Vaše změny nebyly uloženy. Před uložením se ujistěte, že jsou všechna pole platná.", + // "admin.access-control.groups.form.subgroups-list.table.name": "Name", + "admin.access-control.groups.form.subgroups-list.table.name" : "Jméno", - // "itemtemplate.edit.metadata.notifications.invalid.title" : "Metadata invalid" - "itemtemplate.edit.metadata.notifications.invalid.title" : "Neplatná metadata", + // "admin.access-control.groups.form.subgroups-list.table.collectionOrCommunity": "Collection/Community", + "admin.access-control.groups.form.subgroups-list.table.collectionOrCommunity" : "Kolekce/Komunita", - // "itemtemplate.edit.metadata.notifications.outdated.content" : "The item template you're currently working on has been changed by another user. Your current changes are discarded to prevent conflicts" - "itemtemplate.edit.metadata.notifications.outdated.content" : "Šablona položky, na které právě pracujete, byla změněna jiným uživatelem. Vaše aktuální změny jsou zahozeny, aby se předešlo konfliktům", + // "admin.access-control.groups.form.subgroups-list.table.edit": "Remove / Add", + "admin.access-control.groups.form.subgroups-list.table.edit" : "Odebrat / Přidat", - // "itemtemplate.edit.metadata.notifications.outdated.title" : "Changed outdated" - "itemtemplate.edit.metadata.notifications.outdated.title" : "Změny zastaralé", + // "admin.access-control.groups.form.subgroups-list.table.edit.buttons.remove": "Remove subgroup with name \"{{name}}\"", + "admin.access-control.groups.form.subgroups-list.table.edit.buttons.remove" : "Odebrat podskupinu se jménem \"{{name}}\"", - // "itemtemplate.edit.metadata.notifications.saved.content" : "Your changes to this item template's metadata were saved." - "itemtemplate.edit.metadata.notifications.saved.content" : "Vaše změny v metadatech této šablony položky byly uloženy", + // "admin.access-control.groups.form.subgroups-list.table.edit.buttons.add": "Add subgroup with name \"{{name}}\"", + "admin.access-control.groups.form.subgroups-list.table.edit.buttons.add" : "Přidat podskupinu se jménem \"{{name}}\"", - // "itemtemplate.edit.metadata.notifications.saved.title" : "Metadata saved" - "itemtemplate.edit.metadata.notifications.saved.title" : "Metadata uložena", + // "admin.access-control.groups.form.subgroups-list.table.edit.currentGroup": "Current group", + "admin.access-control.groups.form.subgroups-list.table.edit.currentGroup" : "Aktuální skupina", - // "itemtemplate.edit.metadata.reinstate-button" : "Undo" - "itemtemplate.edit.metadata.reinstate-button" : "Zpět", + // "admin.access-control.groups.form.subgroups-list.notification.success.addSubgroup": "Successfully added subgroup: \"{{name}}\"", + "admin.access-control.groups.form.subgroups-list.notification.success.addSubgroup": "Úspěšně přidána podskupina: \"{{name}}\"", - // "itemtemplate.edit.metadata.reset-order-button" : "Undo reorder" - "itemtemplate.edit.metadata.reset-order-button" : "Zrušit změny pořadí", + // "admin.access-control.groups.form.subgroups-list.notification.failure.addSubgroup": "Failed to add subgroup: \"{{name}}\"", + "admin.access-control.groups.form.subgroups-list.notification.failure.addSubgroup": "Nepodařilo se přidat podskupinu: \"{{name}}\"", - // "itemtemplate.edit.metadata.save-button" : "Save" - "itemtemplate.edit.metadata.save-button" : "Uložit", + // "admin.access-control.groups.form.subgroups-list.notification.success.deleteSubgroup": "Successfully deleted subgroup: \"{{name}}\"", + "admin.access-control.groups.form.subgroups-list.notification.success.deleteSubgroup": "Úspěšně vymazána podskupina: \"{{name}}\"", - // "journal-relationships.search.results.head" : "Journal Search Results" - "journal-relationships.search.results.head" : "Výsledky vyhledávání v časopisech", + // "admin.access-control.groups.form.subgroups-list.notification.failure.deleteSubgroup": "Failed to delete subgroup: \"{{name}}\"", + "admin.access-control.groups.form.subgroups-list.notification.failure.deleteSubgroup": "Něpodařilo se odebrat podskupinu: \"{{name}}\"", - // "login.form.orcid" : "Log in with ORCID" - "login.form.orcid" : "Přihlásit se pomocí ORCID", + // "admin.access-control.groups.form.subgroups-list.notification.failure.noActiveGroup": "No current active group, submit a name first.", + "admin.access-control.groups.form.subgroups-list.notification.failure.noActiveGroup" : "Žádná aktivní skupina, přidejte nejdříve jméno.", - // "clarin.autologin.error.message" : "Something went wrong, the user cannot be signed in automatically." - "clarin.autologin.error.message" : "Něco se pokazilo, uživatele nelze automaticky přihlásit.", + // "admin.access-control.groups.form.subgroups-list.notification.failure.subgroupToAddIsActiveGroup": "This is the current group, can't be added.", + "admin.access-control.groups.form.subgroups-list.notification.failure.subgroupToAddIsActiveGroup" : "Toto je aktuální skupina, nemůže být přidána.", - // "menu.section.export_batch" : "Batch Export (ZIP)" - "menu.section.export_batch" : "Dávkový export (ZIP)", + // "admin.access-control.groups.form.subgroups-list.no-items": "No groups found with this in their name or this as UUID", + "admin.access-control.groups.form.subgroups-list.no-items" : "Žádné skupiny splňující podmínku zahrnutí do názvu nebo UUID nenalezeny", - // "menu.section.icon.health" : "Health check menu section" - "menu.section.icon.health" : "Menu sekce kontrola stavu", + // "admin.access-control.groups.form.subgroups-list.no-subgroups-yet": "No subgroups in group yet.", + "admin.access-control.groups.form.subgroups-list.no-subgroups-yet" : "Zatím žádné podskupiny v této skupině.", - // "menu.section.health" : "Health" - "menu.section.health" : "Stav", + // "admin.access-control.groups.form.return": "Back", + "admin.access-control.groups.form.return" : "Návrat do skupin", - // "metadata-export-search.tooltip" : "Export search results as CSV" - "metadata-export-search.tooltip" : "Exportovat výsledky hledání jako CSV", + // "admin.access-control.groups.form.tooltip.editGroupPage": "On this page, you can modify the properties and members of a group. In the top section, you can edit the group name and description, unless this is an admin group for a collection or community, in which case the group name and description are auto-generated and cannot be edited. In the following sections, you can edit group membership. See [the wiki](https://wiki.lyrasis.org/display/DSDOC7x/Create+or+manage+a+user+group) for more details.", + "admin.access-control.groups.form.tooltip.editGroupPage": "Na této stránce můžete upravit vlastnosti a členy skupiny. V horní části můžete upravit název a popis skupiny, pokud se nejedná o administrátorskou skupinu pro kolekci nebo komunitu, v takovém případě jsou název a popis skupiny generovány automaticky a nelze je upravovat. V následujících částech můžete upravit členství ve skupině. Další podrobnosti naleznete v části [wiki](https://wiki.lyrasis.org/display/DSDOC7x/Create+nebo+správce+uživatelské+skupiny).", - // "metadata-export-search.submit.success" : "The export was started successfully" - "metadata-export-search.submit.success" : "Export byl úspěšně zahájen", + // "admin.access-control.groups.form.tooltip.editGroup.addEpeople": "To add or remove an EPerson to/from this group, either click the 'Browse All' button or use the search bar below to search for users (use the dropdown to the left of the search bar to choose whether to search by metadata or by email). Then click the plus icon for each user you wish to add in the list below, or the trash can icon for each user you wish to remove. The list below may have several pages: use the page controls below the list to navigate to the next pages. Once you are ready, save your changes by clicking the 'Save' button in the top section.", + "admin.access-control.groups.form.tooltip.editGroup.addEpeople": "Chcete-li přidat nebo odebrat EPersona do/z této skupiny, klikněte na tlačítko 'Procházet vše', nebo použijte vyhledávací lištu níže pro vyhledávání uživatelů (pomocí rozbalovacího seznamu vlevo na liště vyhledávání vyberte, zda chcete vyhledávat podle metadat, nebo e-mailem). Poté klikněte na ikonu plus pro každého uživatele, kterého si přejete přidat do seznamu níže, nebo na ikonu koše pro každého uživatele, kterého si přejete odstranit. Seznam níže může mít několik stránek: pomocí ovládacích prvků stránky pod seznamem přejděte na další stránky. Jakmile budete připraveni, uložte své změny kliknutím na tlačítko 'Uložit' v horní části.", - // "metadata-export-search.submit.error" : "Starting the export has failed" - "metadata-export-search.submit.error" : "Spuštění exportu se nezdařilo", + // "admin.access-control.groups.form.tooltip.editGroup.addSubgroups": "To add or remove a Subgroup to/from this group, either click the 'Browse All' button or use the search bar below to search for users. Then click the plus icon for each user you wish to add in the list below, or the trash can icon for each user you wish to remove. The list below may have several pages: use the page controls below the list to navigate to the next pages. Once you are ready, save your changes by clicking the 'Save' button in the top section.", + "admin.access-control.groups.form.tooltip.editGroup.addSubgroups": "Chcete-li přidat nebo odebrat podskupinu do/z této skupiny, klikněte na tlačítko 'Procházet vše', nebo použijte vyhledávací lištu níže pro vyhledávání uživatelů. Poté klikněte na ikonu plus pro každého uživatele, kterého si přejete přidat v seznamu níže, nebo na ikonu koše pro každého uživatele, kterého si přejete odstranit. Seznam níže může mít několik stránek: použijte ovládací prvky stránky pod seznamem pro navigaci na další stránky. Jakmile budete připraveni, uložte své změny kliknutím na tlačítko 'Uložit' v horní části.", - // "mydspace.show.supervisedWorkspace" : "Supervised items" - "mydspace.show.supervisedWorkspace" : "Kontrolované položky", + // "admin.search.breadcrumbs": "Administrative Search", + "admin.search.breadcrumbs" : "Administrativní vyhledávání", - // "nav.context-help-toggle" : "Toggle context help" - "nav.context-help-toggle" : "Přepnout kontextovou nápovědu", + // "admin.search.collection.edit": "Edit", + "admin.search.collection.edit" : "Editace", - // "nav.user-profile-menu-and-logout" : "User profile menu and Log Out" - "nav.user-profile-menu-and-logout" : "Menu uživatelského profilu a Odhlásit se", + // "admin.search.community.edit": "Edit", + "admin.search.community.edit" : "Editace", - // "nav.subscriptions" : "Subscriptions" - "nav.subscriptions" : "Odběry", + // "admin.search.item.delete": "Delete", + "admin.search.item.delete" : "Smazat", - // "orgunit.listelement.no-title" : "Untitled" - "orgunit.listelement.no-title" : "Bez názvu", + // "admin.search.item.edit": "Edit", + "admin.search.item.edit" : "Editace", - // "person.page.name" : "Name" - "person.page.name" : "Jméno", + // "admin.search.item.make-private": "Make non-discoverable", + "admin.search.item.make-private" : "Nastavit jako privátní", - // "person-relationships.search.results.head" : "Person Search Results" - "person-relationships.search.results.head" : "Výsledky vyhledávání osob", + // "admin.search.item.make-public": "Make discoverable", + "admin.search.item.make-public" : "Nastavit jako privátní", - // "process.detail.actions" : "Actions" - "process.detail.actions" : "Akce", + // "admin.search.item.move": "Move", + "admin.search.item.move" : "Přesun", - // "process.detail.delete.button" : "Delete process" - "process.detail.delete.button" : "Smazat proces", + // "admin.search.item.reinstate": "Reinstate", + "admin.search.item.reinstate" : "Obnovení", - // "process.detail.delete.header" : "Delete process" - "process.detail.delete.header" : "Smazat proces", + // "admin.search.item.withdraw": "Withdraw", + "admin.search.item.withdraw" : "Odstranit", - // "process.detail.delete.body" : "Are you sure you want to delete the current process?" - "process.detail.delete.body" : "Opravdu chcete smazat aktuální proces?", + // "admin.search.title": "Administrative Search", + "admin.search.title" : "Administrativní vyhledávání", - // "process.detail.delete.cancel" : "Cancel" - "process.detail.delete.cancel" : "Zrušit", + // "administrativeView.search.results.head": "Administrative Search", + "administrativeView.search.results.head" : "Administrativní vyhledávání", - // "process.detail.delete.confirm" : "Delete process" - "process.detail.delete.confirm" : "Smazat proces", - // "process.detail.delete.success" : "The process was successfully deleted." - "process.detail.delete.success" : "Proces byl úspěšně odstraněn.", - // "process.detail.delete.error" : "Something went wrong when deleting the process" - "process.detail.delete.error" : "Při odstraňování procesu se něco pokazilo", - // "process.overview.table.actions" : "Actions" - "process.overview.table.actions" : "Akce", + // "admin.workflow.breadcrumbs": "Administer Workflow", + "admin.workflow.breadcrumbs" : "Administrativní workflow", - // "process.overview.delete" : "Delete {{count}} processes" - "process.overview.delete" : "Odstranění procesů {{count}}", + // "admin.workflow.title": "Administer Workflow", + "admin.workflow.title" : "Administrativní Workflow", - // "process.overview.delete.clear" : "Clear delete selection" - "process.overview.delete.clear" : "Vymazat výběr mazání", + // "admin.workflow.item.workflow": "Workflow", + "admin.workflow.item.workflow" : "Workflow", - // "process.overview.delete.processing" : "{{count}} process(es) are being deleted. Please wait for the deletion to fully complete. Note that this can take a while." - "process.overview.delete.processing" : "{{count}} proces(y) je (sou) mazán(y). Počkejte prosím na úplné dokončení mazání. Upozorňujeme, že to může chvíli trvat.", + // "admin.workflow.item.workspace": "Workspace", + "admin.workflow.item.workspace" : "Pracovní prostor", - // "process.overview.delete.body" : "Are you sure you want to delete {{count}} process(es)?" - "process.overview.delete.body" : "Opravdu chcete smazat procesy {{count}} ?", + // "admin.workflow.item.delete": "Delete", + "admin.workflow.item.delete" : "Odstranit", - // "process.overview.delete.header" : "Delete processes" - "process.overview.delete.header" : "Smazat procesy", + // "admin.workflow.item.send-back": "Send back", + "admin.workflow.item.send-back" : "Odeslat zpět", - // "process.bulk.delete.error.head" : "Error on deleteing process" - "process.bulk.delete.error.head" : "Chyba při mazání procesu", + // "admin.workflow.item.policies": "Policies", + "admin.workflow.item.policies" : "Zásady", - // "process.bulk.delete.error.body" : "The process with ID {{processId}} could not be deleted. The remaining processes will continue being deleted." - "process.bulk.delete.error.body" : "Proces s ID {{processId}} se nepodařilo odstranit. Zbývající procesy budou nadále mazány.", + // "admin.workflow.item.supervision": "Supervision", + "admin.workflow.item.supervision" : "Dohled", - // "process.bulk.delete.success" : "{{count}} process(es) have been succesfully deleted" - "process.bulk.delete.success" : "{{count}} proces(y) byl(y) úspěšně smazán(y)", - // "profile.special.groups.head" : "Authorization special groups you belong to" - "profile.special.groups.head" : "Autorizace speciálních skupin, do kterých patříte", - // "profile.security.form.label.current-password" : "Current password" - "profile.security.form.label.current-password" : "Aktuální heslo", + // "admin.metadata-import.breadcrumbs": "Import Metadata", + "admin.metadata-import.breadcrumbs" : "Importovat metadata", - // "profile.security.form.notifications.error.change-failed" : "An error occurred while trying to change the password. Please check if the current password is correct." - "profile.security.form.notifications.error.change-failed" : "Při pokusu o změnu hesla došlo k chybě. Zkontrolujte, zda je aktuální heslo správné.", + // "admin.batch-import.breadcrumbs": "Import Batch", + "admin.batch-import.breadcrumbs" : "Importovat sadu", - // "profile.security.form.notifications.error.general" : "Please fill required fields of security form." - "profile.security.form.notifications.error.general" : "Vyplňte prosím povinná pole bezpečnostního formuláře.", + // "admin.metadata-import.title": "Import Metadata", + "admin.metadata-import.title" : "Importovat metadata", - // "profile.card.researcher" : "Researcher Profile" - "profile.card.researcher" : "Profil výzkumníka", + // "admin.batch-import.title": "Import Batch", + "admin.batch-import.title" : "Importovat sadu", - // "project-relationships.search.results.head" : "Project Search Results" - "project-relationships.search.results.head" : "Výsledky vyhledávání projektů", + // "admin.metadata-import.page.header": "Import Metadata", + "admin.metadata-import.page.header" : "Importovat metadata", - // "publication-relationships.search.results.head" : "Publication Search Results" - "publication-relationships.search.results.head" : "Výsledky vyhledávání publikací", + // "admin.batch-import.page.header": "Import Batch", + "admin.batch-import.page.header" : "Importovat sadu", - // "register-page.registration.email.error.not-email-form" : "Please fill in a valid email address." - "register-page.registration.email.error.not-email-form" : "Vyplňte prosím platnou e-mailovou adresu.", + // "admin.metadata-import.page.help": "You can drop or browse CSV files that contain batch metadata operations on files here", + "admin.metadata-import.page.help" : "CSV soubory, které obsahují dávkové metadatové operace na souborech, můžete přetahovat nebo procházet zde", - // "register-page.registration.email.error.not-valid-domain" : "Use email with allowed domains: {{ domains }}" - "register-page.registration.email.error.not-valid-domain" : "Používejte e-mail s povolenými doménami: {{ domains }}", + // "admin.batch-import.page.help": "Select the Collection to import into. Then, drop or browse to a Simple Archive Format (SAF) zip file that includes the Items to import", + "admin.batch-import.page.help" : "Vyberte kolekci, do které chcete importovat. Poté potáhněte nebo procházejte do zipového souboru SAF (Simple Archive Format), který obsahuje položky k importu", - // "register-page.registration.error.recaptcha" : "Error when trying to authenticate with recaptcha" - "register-page.registration.error.recaptcha" : "Chyba při pokusu o ověření pomocí recaptcha", + // "admin.metadata-import.page.dropMsg": "Drop a metadata CSV to import", + "admin.metadata-import.page.dropMsg" : "Upusťte metadata CSV pro import", - // "register-page.registration.google-recaptcha.must-accept-cookies" : "In order to register you must accept the Registration and Password recovery (Google reCaptcha) cookies." - "register-page.registration.google-recaptcha.must-accept-cookies" : "Abyste se mohli zaregistrovat, musíte přijmout soubory cookie Registrace a obnovení hesla (Google reCaptcha).", + // "admin.batch-import.page.dropMsg": "Drop a batch ZIP to import", + "admin.batch-import.page.dropMsg" : "Potáhněte ZIP dávku pro import", - // "register-page.registration.error.maildomain" : "This email address is not on the list of domains who can register. Allowed domains are {{ domains }}" - "register-page.registration.error.maildomain" : "Tato e-mailová adresa není na seznamu domén, které lze registrovat. Povolené domény jsou {{ domains }}", + // "admin.metadata-import.page.dropMsgReplace": "Drop to replace the metadata CSV to import", + "admin.metadata-import.page.dropMsgReplace" : "Upusťte pro nahrazení metadat CSV pro importování", - // "register-page.registration.google-recaptcha.open-cookie-settings" : "Open cookie settings" - "register-page.registration.google-recaptcha.open-cookie-settings" : "Otevřít nastavení cookie", + // "admin.batch-import.page.dropMsgReplace": "Drop to replace the batch ZIP to import", + "admin.batch-import.page.dropMsgReplace" : "Potáhněte ZIP dávku pro nahrazení k importu", - // "register-page.registration.google-recaptcha.notification.title" : "Google reCaptcha" - "register-page.registration.google-recaptcha.notification.title" : "Google reCaptcha", + // "admin.metadata-import.page.button.return": "Back", + "admin.metadata-import.page.button.return" : "Zpět", - // "register-page.registration.google-recaptcha.notification.message.error" : "An error occurred during reCaptcha verification" - "register-page.registration.google-recaptcha.notification.message.error" : "Při ověřování reCaptcha došlo k chybě", + // "admin.metadata-import.page.button.proceed": "Proceed", + "admin.metadata-import.page.button.proceed" : "Pokračovat", - // "register-page.registration.google-recaptcha.notification.message.expired" : "Verification expired. Please verify again." - "register-page.registration.google-recaptcha.notification.message.expired" : "Platnost ověření vypršela. Zopakujte prosím akci", + // "admin.metadata-import.page.button.select-collection": "Select Collection", + "admin.metadata-import.page.button.select-collection" : "Vybrat kolekci", - // "register-page.registration.info.maildomain" : "Accounts can be registered for mail addresses of the domains" - "register-page.registration.info.maildomain" : "Účty lze registrovat pro poštovní adresy domén.", + // "admin.metadata-import.page.error.addFile": "Select file first!", + "admin.metadata-import.page.error.addFile" : "Nejprve vyberte soubor!", - // "resource-policies.edit.page.target-failure.content" : "An error occurred while editing the target (ePerson or group) of the resource policy." - "resource-policies.edit.page.target-failure.content" : "Při úpravě cíle zásady prostředků (ePersona nebo skupiny) došlo k chybě.", + // "admin.batch-import.page.error.addFile": "Select Zip file first!", + "admin.batch-import.page.error.addFile" : "Nejprve vyberte ZIP soubor!", - // "resource-policies.edit.page.other-failure.content" : "An error occurred while editing the resource policy. The target (ePerson or group) has been successfully updated." - "resource-policies.edit.page.other-failure.content" : "Při úpravě zásad prostředků došlo k chybě. Cíl (ePerson nebo skupina) byl úspěšně aktualizován", + // "admin.metadata-import.page.validateOnly": "Validate Only", + "admin.metadata-import.page.validateOnly" : "Pouze ověřit", - // "resource-policies.form.eperson-group-list.modal.header" : "Cannot change type" - "resource-policies.form.eperson-group-list.modal.header" : "Typ nelze změnit", + // "admin.metadata-import.page.validateOnly.hint": "When selected, the uploaded CSV will be validated. You will receive a report of detected changes, but no changes will be saved.", + "admin.metadata-import.page.validateOnly.hint" : "Po výběru bude nahraný CSV ověřen. Obdržíte zprávu o zjištěných změnách, ale žádné změny se neuloží.", - // "resource-policies.form.eperson-group-list.modal.text1.toGroup" : "It is not possible to replace an ePerson with a group." - "resource-policies.form.eperson-group-list.modal.text1.toGroup" : "ePersona nelze nahradit skupinou", + // "advanced-workflow-action.rating.form.rating.label": "Rating", + "advanced-workflow-action.rating.form.rating.label" : "Hodnocení", - // "resource-policies.form.eperson-group-list.modal.text1.toEPerson" : "It is not possible to replace a group with an ePerson." - "resource-policies.form.eperson-group-list.modal.text1.toEPerson" : "Skupinu není možné nahradit ePersonem", + // "advanced-workflow-action.rating.form.rating.error": "You must rate the item", + "advanced-workflow-action.rating.form.rating.error" : "Položku musíte ohodnotit", - // "resource-policies.form.eperson-group-list.modal.text2" : "Delete the current resource policy and create a new one with the desired type." - "resource-policies.form.eperson-group-list.modal.text2" : "Odstraňte aktuální zásadu prostředků a vytvořte novou s požadovaným typem", + // "advanced-workflow-action.rating.form.review.label": "Review", + "advanced-workflow-action.rating.form.review.label" : "Recenze", - // "resource-policies.form.eperson-group-list.modal.close" : "Ok" - "resource-policies.form.eperson-group-list.modal.close" : "Ok", + // "advanced-workflow-action.rating.form.review.error": "You must enter a review to submit this rating", + "advanced-workflow-action.rating.form.review.error" : "Před odesláním tohoto hodnocení musíte zadat recenzi", - // "search.filters.applied.f.supervisedBy" : "Supervised by" - "search.filters.applied.f.supervisedBy" : "Pod dohledem", + // "advanced-workflow-action.rating.description": "Please select a rating below", + "advanced-workflow-action.rating.description" : "Níže vyberte hodnocení", - // "search.filters.filter.show-tree" : "Browse {{ name }} tree" - "search.filters.filter.show-tree" : "Procházet strom {{ name }}", + // "advanced-workflow-action.rating.description-requiredDescription": "Please select a rating below and also add a review", + "advanced-workflow-action.rating.description-requiredDescription" : "Níže prosím vyberte hodnocení a přidejte recenzi", - // "search.filters.filter.supervisedBy.head" : "Supervised By" - "search.filters.filter.supervisedBy.head" : "Pod dohledem", - // "search.filters.filter.supervisedBy.placeholder" : "Supervised By" - "search.filters.filter.supervisedBy.placeholder" : "Pod dohledem", + // "advanced-workflow-action.select-reviewer.description-single": "Please select a single reviewer below before submitting", + "advanced-workflow-action.select-reviewer.description-single" : "Před odesláním prosím vyberte jednoho recenzenta níže.", - // "search.filters.filter.supervisedBy.label" : "Search Supervised By" - "search.filters.filter.supervisedBy.label" : "Hledat dohlížené", + // "advanced-workflow-action.select-reviewer.description-multiple": "Please select one or more reviewers below before submitting", + "advanced-workflow-action.select-reviewer.description-multiple" : "Před odesláním prosím vyberte jednoho nebo více recenzentů níže.", - // "search.results.view-result" : "View" - "search.results.view-result" : "Zobrazit", - // "search.results.response.500" : "An error occurred during query execution, please try again later" - "search.results.response.500" : "Při provádění dotazu došlo k chybě, zkuste to prosím později", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.head": "EPeople", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.head" : "EPeople", - // "default-relationships.search.results.head" : "Search Results" - "default-relationships.search.results.head" : "Výsledky vyhledávání", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.head": "Add EPeople", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.head" : "Přidat EPeople", - // "submission.import-external.source.ads" : "NASA/ADS" - "submission.import-external.source.ads" : "NASA/ADS", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.button.see-all": "Browse All", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.button.see-all" : "Procházet vše", - // "submission.import-external.source.cinii" : "CiNii" - "submission.import-external.source.cinii" : "CiNii", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.headMembers": "Current Members", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.headMembers" : "Současní členové", - // "submission.import-external.source.crossref" : "CrossRef" - "submission.import-external.source.crossref" : "CrossRef", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.scope.metadata": "Metadata", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.scope.metadata" : "Metadata", - // "submission.import-external.source.datacite" : "DataCite" - "submission.import-external.source.datacite" : "DataCite", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.scope.email": "E-mail (exact)", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.scope.email" : "E-mail (přesný)", - // "submission.import-external.source.scielo" : "SciELO" - "submission.import-external.source.scielo" : "SciELO", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.button": "Search", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.search.button" : "Hledat", - // "submission.import-external.source.scopus" : "Scopus" - "submission.import-external.source.scopus" : "Scopus", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.id": "ID", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.id" : "ID", - // "submission.import-external.source.vufind" : "VuFind" - "submission.import-external.source.vufind" : "VuFind", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.name": "Name", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.name" : "Název", - // "submission.import-external.source.wos" : "Web Of Science" - "submission.import-external.source.wos" : "Web of Science", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.identity": "Identity", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.identity" : "Identita", - // "submission.import-external.source.orcidWorks" : "ORCID" - "submission.import-external.source.orcidWorks" : "ORCID", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.email": "Email", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.email" : "E-mail", - // "submission.import-external.source.epo" : "European Patent Office (EPO)" - "submission.import-external.source.epo" : "Evropský patentový úřad (EPO)", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.netid": "NetID", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.netid" : "NetID", - // "submission.import-external.source.pubmedeu" : "Pubmed Europe" - "submission.import-external.source.pubmedeu" : "Pubmed Europe", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit": "Remove / Add", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit" : "Odstranit / Přidat", - // "submission.import-external.preview.title.Publication" : "Publication Preview" - "submission.import-external.preview.title.Publication" : "Náhled publikace", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit.buttons.remove": "Remove member with name \"{{name}}\"", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit.buttons.remove" : "Odstranit člena \"{{name}}\"", - // "submission.import-external.preview.title.none" : "Item Preview" - "submission.import-external.preview.title.none" : "Náhled položky", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.success.addMember": "Successfully added member: \"{{name}}\"", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.success.addMember": "Člen \"{{name}}\" úspěšně přidán", - // "submission.import-external.preview.title.Journal" : "Journal Preview" - "submission.import-external.preview.title.Journal" : "Náhled časopisu", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.addMember": "Failed to add member: \"{{name}}\"", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.addMember": "Nepodařilo se přidat člena: \"{{name}}\"", - // "submission.import-external.preview.title.OrgUnit" : "Organizational Unit Preview" - "submission.import-external.preview.title.OrgUnit" : "Náhled organizační jednotky", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.success.deleteMember": "Successfully deleted member: \"{{name}}\"", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.success.deleteMember": "Člen \"{{name}}\" úspěšně odstraněn", - // "submission.import-external.preview.title.Person" : "Person Preview" - "submission.import-external.preview.title.Person" : "Náhled osoby", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.deleteMember": "Failed to delete member: \"{{name}}\"", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.deleteMember": "Nepodařilo se odstranit člena \"{{name}}\"", - // "submission.import-external.preview.title.Project" : "Project Preview" - "submission.import-external.preview.title.Project" : "Náhled projektu", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit.buttons.add": "Add member with name \"{{name}}\"", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.table.edit.buttons.add" : "Přidat člena \"{{name}}\"", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.none" : "Import remote item" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.none" : "Import dálkové položky", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.noActiveGroup": "No current active group, submit a name first.", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.notification.failure.noActiveGroup" : "Žádná současná aktivní skupina, nejprve uveďte název.", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Event" : "Import remote event" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.Event" : "Import dálkové události", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.no-members-yet": "No members in group yet, search and add.", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.no-members-yet" : "Ve skupině zatím nejsou žádní členové, vyhledejte je a přidejte.", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Product" : "Import remote product" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.Product" : "Import dálkového produktu", + // "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.no-items": "No EPeople found in that search", + "advanced-workflow-action-select-reviewer.groups.form.reviewers-list.no-items" : "V tomto vyhledávání nebyly nalezeny žádní EPeople", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Equipment" : "Import remote equipment" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.Equipment" : "Import dálkového zařízení", + // "advanced-workflow-action.select-reviewer.no-reviewer-selected.error": "No reviewer selected.", + "advanced-workflow-action.select-reviewer.no-reviewer-selected.error" : "Nebyl vybrán žádný recenzent", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.OrgUnit" : "Import remote organizational unit" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.OrgUnit" : "Import dálkové organizační jednotky", + // "admin.batch-import.page.validateOnly.hint": "When selected, the uploaded ZIP will be validated. You will receive a report of detected changes, but no changes will be saved.", + "admin.batch-import.page.validateOnly.hint" : "Po výběru se nahraný ZIP ověří. Obdržíte zprávu o zjištěných změnách, žádné se však neuloží.", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Funding" : "Import remote fund" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.Funding" : "Import dálkového fondu", + // "admin.batch-import.page.remove": "remove", + "admin.batch-import.page.remove" : "odstranit", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Person" : "Import remote person" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.Person" : "Import dálkové osoby", + // "auth.errors.invalid-user": "Invalid email address or password.", + "auth.errors.invalid-user" : "Neplatná e-mailová adresa nebo heslo.", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Patent" : "Import remote patent" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.Patent" : "Import dálkového patentu", + // "auth.messages.expired": "Your session has expired. Please log in again.", + "auth.messages.expired" : "Vaše relace vypršela. Prosím, znova se přihlaste.", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Project" : "Import remote project" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.Project" : "Import dálkového projektu", + // "auth.messages.token-refresh-failed": "Refreshing your session token failed. Please log in again.", + "auth.messages.token-refresh-failed" : "Aktualizace tokenu relace se nezdařila. Přihlaste se znovu.", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Publication" : "Import remote publication" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.Publication" : "Import dálkové publikace", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isPublicationOfAuthor" : "Publication of the Author" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.isPublicationOfAuthor" : "Publikace autora", - // "submission.sections.describe.relationship-lookup.title.isPublicationOfAuthor" : "Publication" - "submission.sections.describe.relationship-lookup.title.isPublicationOfAuthor" : "Publikace", + // "bitstream.download.page": "Now downloading {{bitstream}}..." , + "bitstream.download.page" : "Nyní se stahuje {{bitstream}}...", - // "submission.sections.describe.relationship-lookup.selection-tab.title.crossref" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.crossref" : "Výsledky vyhledávání", + // "clarin.license.agreement.breadcrumbs": "License Agreement", + "clarin.license.agreement.breadcrumbs" : "Licenční smlouva", - // "submission.sections.describe.relationship-lookup.selection-tab.title.epo" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.epo" : "Výsledky vyhledávání", + // "clarin.license.agreement.title": "License Agreement", + "clarin.license.agreement.title" : "Licenční smlouva", - // "submission.sections.describe.relationship-lookup.selection-tab.title.scopus" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.scopus" : "Výsledky vyhledávání", + // "clarin.license.agreement.header.info": "The requested content is distributed under one or more licence(s). You have to agree to the licence(s) below before you can obtain the content. Please, view the licence(s) by clicking on the button(s) and read it carefully. The data filled below might be shared with the submitter of the item and/or for creating statistics.", + "clarin.license.agreement.header.info" : "Požadovaný obsah je šířen pod jednou nebo více licencemi. Před získáním obsahu musíte souhlasit s níže uvedenými licencemi. Prohlédněte si prosím licenci (e) kliknutím na tlačítko(a) a pečlivě si ji (je) přečtěte. Níže vyplněné údaje mohou být sdíleny s předkladatelem položky a/nebo pro vytváření statistik.", - // "submission.sections.describe.relationship-lookup.selection-tab.title.scielo" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.scielo" : "Výsledky vyhledávání", + // "clarin.license.agreement.signer.header.info": ["The information below identifies you, the SIGNER. If the information is incorrect, please contact our", "Help Desk.", "This information will be stored as part of the electronic signatures."], + "clarin.license.agreement.signer.header.info" : ['Informace uvedené níže vás, PODEPSANÉHO, identifikují. Pokud jsou tyto informace nesprávné, kontaktujte prosím', 'poradnu.', 'Tyto informace budou uloženy spolu se záznamem o souhlasu.'], - // "submission.sections.describe.relationship-lookup.selection-tab.title.wos" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.wos" : "Výsledky vyhledávání", + // "clarin.license.agreement.item.handle": "Item handle", + "clarin.license.agreement.item.handle" : "Klika položky", - // "submission.sections.describe.relationship-lookup.selection-tab.title" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title" : "Výsledky vyhledávání", + // "clarin.license.agreement.bitstream.name": "Bitstream", + "clarin.license.agreement.bitstream.name" : "Bitstream", - // "submission.sections.general.cannot_deposit" : "Deposit cannot be completed due to errors in the form.
Please fill out all required fields to complete the deposit." - "submission.sections.general.cannot_deposit" : "Vklad nelze dokončit kvůli chybám ve formuláři.
Pro dokončení vkladu vyplňte všechna požadovaná pole.", + // "clarin.license.agreement.signer.name": "Signer", + "clarin.license.agreement.signer.name" : "Podepisovatel", - // "submission.sections.identifiers.info" : "The following identifiers will be created for your item:" - "submission.sections.identifiers.info" : "Pro vaši položku budou vytvořeny následující identifikátory:", + // "clarin.license.agreement.signer.id": "User ID", + "clarin.license.agreement.signer.id" : "ID uživatele", - // "submission.sections.identifiers.no_handle" : "No handles have been minted for this item." - "submission.sections.identifiers.no_handle" : "K této položce nebyly vyraženy žádné handles.", + // "clarin.license.agreement.token.info": "You will receive an email with download instructions.", + "clarin.license.agreement.token.info" : "Obdržíte e-mail s pokyny ke stažení.", - // "submission.sections.identifiers.no_doi" : "No DOIs have been minted for this item." - "submission.sections.identifiers.no_doi" : "Pro tuto položku nebyly vyraženy žádné DOI.", + // "clarin.license.agreement.signer.ip.address": "Ip Address", + "clarin.license.agreement.signer.ip.address" : "IP adresa", - // "submission.sections.identifiers.handle_label" : "Handle:" - "submission.sections.identifiers.handle_label" : "Handle:", + // "clarin.license.agreement.button.agree": "I AGREE", + "clarin.license.agreement.button.agree" : "SOUHLASÍM", - // "submission.sections.identifiers.doi_label" : "DOI:" - "submission.sections.identifiers.doi_label" : "DOI:", + // "clarin.license.agreement.warning": "By clicking on the button below I, SIGNER with the above ID, agree to the LICENCE(s) restricting the usage of requested BITSTREAM(s).", + "clarin.license.agreement.warning" : "Kliknutím na tlačítko níže Já, PODPISUJÍCÍ s výše uvedeným ID, souhlasím s LICENCÍ omezující používání požadovaného BITSTREAMU.", - // "submission.sections.identifiers.otherIdentifiers_label" : "Other identifiers:" - "submission.sections.identifiers.otherIdentifiers_label" : "Další identifikátory:", + // "clarin.license.agreement.notification.error.required.info": "You must fill in required info.", + "clarin.license.agreement.notification.error.required.info" : "Musíte vyplnit požadované informace.", - // "submission.sections.submit.progressbar.identifiers" : "Identifiers" - "submission.sections.submit.progressbar.identifiers" : "Identifikátory", + // "clarin.license.agreement.error.message.cannot.download": ["Something went wrong and you cannot download this bitstream, please contact", " Help Desk."], + "clarin.license.agreement.error.message.cannot.download" : ['Error: Nelze stáhnout tento bitstream, prosím kontaktujte:', 'poradnu.:'], - // "submission.sections.submit.progressbar.sherpapolicy" : "Sherpa policies" - "submission.sections.submit.progressbar.sherpapolicy" : "Zásady sherpa", + // "clarin.license.agreement.notification.check.email": "You will receive email with download link.", + "clarin.license.agreement.notification.check.email" : "Obdržíte e-mail s odkazem ke stažení.", - // "submission.sections.submit.progressbar.sherpaPolicies" : "Publisher open access policy information" - "submission.sections.submit.progressbar.sherpaPolicies" : "Informace o zásadách otevřeného přístupu vydavatele", + // "clarin.license.agreement.notification.cannot.send.email": "Error: cannot send the email.", + "clarin.license.agreement.notification.cannot.send.email": "Error: cannot send the email.", + // "bitstream.download.page.back": "Back" , + "bitstream.download.page.back" : "Zpět", - // "submission.sections.sherpa-policy.title-empty" : "No publisher policy information available. If your work has an associated ISSN, please enter it above to see any related publisher open access policies." - "submission.sections.sherpa-policy.title-empty" : "Informace o zásadách vydavatele nejsou k dispozici. Pokud je k vaší práci přiřazeno ISSN, zadejte ho výše, abyste viděli všechny související zásady otevřeného přístupu vydavatele.", - // "submission.sections.status.info.title" : "Additional Information" - "submission.sections.status.info.title" : "Další informace", + // "clarin.license.all-page.title": "Available Licenses", + "clarin.license.all-page.title": "Dostupné licence", - // "submission.sections.status.info.aria" : "Additional Information" - "submission.sections.status.info.aria" : "Další informace", + // "clarin.license.all-page.source": "Source:", + "clarin.license.all-page.source": "Zdroj:", - // "submission.sections.license.granted-label" : "I confirm the license above" - "submission.sections.license.granted-label" : "Potvrzuji výše uvedenou licenci", + // "clarin.license.all-page.labels": "Labels:", + "clarin.license.all-page.labels": "Štítky:", - // "submission.sections.license.required" : "You must accept the license" - "submission.sections.license.required" : "Musíte přijmout licenci", + // "clarin.license.all-page.extra-information": "Extra information required:", + "clarin.license.all-page.extra-information": "Vyžadovány dodatečné informace:", - // "submission.sections.license.notgranted" : "You must accept the license" - "submission.sections.license.notgranted" : "Musíte přijmout licenci", + // "clarin.license.all-page.extra-information.default": "NONE", + "clarin.license.all-page.extra-information.default": "Žádné", - // "submission.sections.sherpa.publication.information" : "Publication information" - "submission.sections.sherpa.publication.information" : "Informace o publikaci", - // "submission.sections.sherpa.publication.information.title" : "Title" - "submission.sections.sherpa.publication.information.title" : "Název", - // "submission.sections.sherpa.publication.information.issns" : "ISSNs" - "submission.sections.sherpa.publication.information.issns" : "ISSN", + // "bitstream.edit.authorizations.link": "Edit bitstream's Policies", + "bitstream.edit.authorizations.link" : "Upravit zásady bitstreamu", - // "submission.sections.sherpa.publication.information.url" : "URL" - "submission.sections.sherpa.publication.information.url" : "ADRESA URL", + // "bitstream.edit.authorizations.title": "Edit bitstream's Policies", + "bitstream.edit.authorizations.title" : "Upravit zásady bitstreamu", - // "submission.sections.sherpa.publication.information.publishers" : "Publisher" - "submission.sections.sherpa.publication.information.publishers" : "Vydavatel", + // "bitstream.edit.return": "Back", + "bitstream.edit.return" : "Zpět", - // "submission.sections.sherpa.publication.information.romeoPub" : "Romeo Pub" - "submission.sections.sherpa.publication.information.romeoPub" : "Romeo Pub", + // "bitstream.edit.bitstream": "Bitstream: ", + "bitstream.edit.bitstream": "Bitstream: ", - // "submission.sections.sherpa.publication.information.zetoPub" : "Zeto Pub" - "submission.sections.sherpa.publication.information.zetoPub" : "Zeto Pub", + // "bitstream.edit.form.description.hint": "Optionally, provide a brief description of the file, for example \"Main article\" or \"Experiment data readings\".", + "bitstream.edit.form.description.hint" : "Volitelně, poskytněte krátký popis souboru, například \"Main article\" or \"Experiment data readings\".", - // "submission.sections.sherpa.publisher.policy" : "Publisher Policy" - "submission.sections.sherpa.publisher.policy" : "Zásady vydavatele", + // "bitstream.edit.form.description.label": "Description", + "bitstream.edit.form.description.label" : "Popis", - // "submission.sections.sherpa.publisher.policy.description" : "The below information was found via Sherpa Romeo. Based on the policies of your publisher, it provides advice regarding whether an embargo may be necessary and/or which files you are allowed to upload. If you have questions, please contact your site administrator via the feedback form in the footer." - "submission.sections.sherpa.publisher.policy.description" : "Níže uvedené informace byly nalezeny prostřednictvím aplikace Sherpa Romeo. Na základě zásad vašeho vydavatele poskytuje rady ohledně toho, zda může být embargo nezbytné a/nebo jaké soubory smíte nahrávat. Máte-li dotazy, kontaktujte prosím správce svého webu prostřednictvím formuláře pro zpětnou vazbu v zápatí.", + // "bitstream.edit.form.embargo.hint": "The first day from which access is allowed. This date cannot be modified on this form. To set an embargo date for a bitstream, go to the Item Status tab, click Authorizations..., create or edit the bitstream's READ policy, and set the Start Date as desired.", + "bitstream.edit.form.embargo.hint" : "První den, od kterého je povolen přístup. Toto datum nelze v tomto formuláři změnit. Chcete-li nastavit datum embarga pro bitstream, přejděte na kartu Stav položky, klikněte na Oprávnění..., vytvořte nebo upravte zásady ČTENÍ bitstreamu a nastavte Datum zahájení podle potřeby.", - // "submission.sections.sherpa.publisher.policy.openaccess" : "Open Access pathways permitted by this journal's policy are listed below by article version. Click on a pathway for a more detailed view" - "submission.sections.sherpa.publisher.policy.openaccess" : "Cesty otevřeného přístupu povolené zásadami tohoto časopisu jsou uvedeny níže podle verzí článků. Kliknutím na cestu získáte podrobnější zobrazení", + // "bitstream.edit.form.embargo.label": "Embargo until specific date", + "bitstream.edit.form.embargo.label" : "Embargo do konkrétního data", - // "submission.sections.sherpa.publisher.policy.more.information" : "For more information, please see the following links:" - "submission.sections.sherpa.publisher.policy.more.information" : "Další informace naleznete na následujících odkazech:", + // "bitstream.edit.form.fileName.hint": "Change the filename for the bitstream. Note that this will change the display bitstream URL, but old links will still resolve as long as the sequence ID does not change.", + "bitstream.edit.form.fileName.hint" : "Změna názvu souboru bitstreamu. Všimněte si, že se tím změní zobrazovaná URL adresa bitstreamu, ale staré odkazy budou stále vyřešeny, pokud se nezmění ID sekvence.", - // "submission.sections.sherpa.publisher.policy.version" : "Version" - "submission.sections.sherpa.publisher.policy.version" : "Verze", + // "bitstream.edit.form.fileName.label": "Filename", + "bitstream.edit.form.fileName.label" : "Název souboru", - // "submission.sections.sherpa.publisher.policy.embargo" : "Embargo" - "submission.sections.sherpa.publisher.policy.embargo" : "Embargo", + // "bitstream.edit.form.newFormat.label": "Describe new format", + "bitstream.edit.form.newFormat.label" : "Popis nového formátu", - // "submission.sections.sherpa.publisher.policy.noembargo" : "No Embargo" - "submission.sections.sherpa.publisher.policy.noembargo" : "Žádné embargo", + // "bitstream.edit.form.newFormat.hint": "The application you used to create the file, and the version number (for example, \"ACMESoft SuperApp version 1.5\").", + "bitstream.edit.form.newFormat.hint" : "Aplikace, kterou jste použili k vytvoření souboru, a číslo verze (například \"ACMESoft SuperApp verze 1.5\").", - // "submission.sections.sherpa.publisher.policy.nolocation" : "None" - "submission.sections.sherpa.publisher.policy.nolocation" : "Žádné", + // "bitstream.edit.form.primaryBitstream.label": "Primary bitstream", + "bitstream.edit.form.primaryBitstream.label" : "Primární bitstream", - // "submission.sections.sherpa.publisher.policy.license" : "License" - "submission.sections.sherpa.publisher.policy.license" : "Licence", + // "bitstream.edit.form.selectedFormat.hint": "If the format is not in the above list, select \"format not in list\" above and describe it under \"Describe new format\".", + "bitstream.edit.form.selectedFormat.hint" : "Pokud formát není ve výše uvedeném seznamu, vyberte \"formát není v seznamu\" výše a popište jej v části \"Popsat nový formát\".", - // "submission.sections.sherpa.publisher.policy.prerequisites" : "Prerequisites" - "submission.sections.sherpa.publisher.policy.prerequisites" : "Předpoklady", + // "bitstream.edit.form.selectedFormat.label": "Selected Format", + "bitstream.edit.form.selectedFormat.label" : "Vybraný formát", - // "submission.sections.sherpa.publisher.policy.location" : "Location" - "submission.sections.sherpa.publisher.policy.location" : "Umístění", + // "bitstream.edit.form.selectedFormat.unknown": "Format not in list", + "bitstream.edit.form.selectedFormat.unknown" : "Formát není v seznamu", - // "submission.sections.sherpa.publisher.policy.conditions" : "Conditions" - "submission.sections.sherpa.publisher.policy.conditions" : "Podmínky", + // "bitstream.edit.notifications.error.format.title": "An error occurred saving the bitstream's format", + "bitstream.edit.notifications.error.format.title" : "Při ukládání bitstream formátu došlo k chybě", - // "submission.sections.sherpa.publisher.policy.refresh" : "Refresh" - "submission.sections.sherpa.publisher.policy.refresh" : "Obnovit", + // "bitstream.edit.form.iiifLabel.label": "IIIF Label", + "bitstream.edit.form.iiifLabel.label" : "Štítek IIIF", - // "submission.sections.sherpa.record.information" : "Record Information" - "submission.sections.sherpa.record.information" : "Informace o záznamu", + // "bitstream.edit.form.iiifLabel.hint": "Canvas label for this image. If not provided default label will be used.", + "bitstream.edit.form.iiifLabel.hint" : "Štítek plátna pro tento obrázek. Pokud není zadán, použije se výchozí popisek.", - // "submission.sections.sherpa.record.information.id" : "ID" - "submission.sections.sherpa.record.information.id" : "ID", + // "bitstream.edit.form.iiifToc.label": "IIIF Table of Contents", + "bitstream.edit.form.iiifToc.label" : "Obsah IIIF", - // "submission.sections.sherpa.record.information.date.created" : "Date Created" - "submission.sections.sherpa.record.information.date.created" : "Datum vytvoření", + // "bitstream.edit.form.iiifToc.hint": "Adding text here makes this the start of a new table of contents range.", + "bitstream.edit.form.iiifToc.hint" : "Přidáním textu zde začíná nový rozsah obsahu.", - // "submission.sections.sherpa.record.information.date.modified" : "Last Modified" - "submission.sections.sherpa.record.information.date.modified" : "Poslední změna", + // "bitstream.edit.form.iiifWidth.label": "IIIF Canvas Width", + "bitstream.edit.form.iiifWidth.label" : "IIIF Šířka plátna", - // "submission.sections.sherpa.record.information.uri" : "URI" - "submission.sections.sherpa.record.information.uri" : "URI", + // "bitstream.edit.form.iiifWidth.hint": "The canvas width should usually match the image width.", + "bitstream.edit.form.iiifWidth.hint" : "Šířka plátna by obvykle měla odpovídat šířce obrázku.", - // "submission.sections.sherpa.error.message" : "There was an error retrieving sherpa informations" - "submission.sections.sherpa.error.message" : "Došlo k chybě při načítání informací o šerpách", + // "bitstream.edit.form.iiifHeight.label": "IIIF Canvas Height", + "bitstream.edit.form.iiifHeight.label" : "IIIF Výška plátna", - // "submission.workflow.generic.submit_select_reviewer" : "Select Reviewer" - "submission.workflow.generic.submit_select_reviewer" : "Vybrat recenzenta", + // "bitstream.edit.form.iiifHeight.hint": "The canvas height should usually match the image height.", + "bitstream.edit.form.iiifHeight.hint" : "Výška plátna by obvykle měla odpovídat výšce obrázku.", - // "submission.workflow.generic.submit_select_reviewer-help": "" - "submission.workflow.generic.submit_select_reviewer-help" : "", - // "submission.workflow.generic.submit_score" : "Rate" - "submission.workflow.generic.submit_score" : "Hodnotit", + // "bitstream.edit.notifications.saved.content": "Your changes to this bitstream were saved.", + "bitstream.edit.notifications.saved.content" : "Vaše změny v tomto bitstreamu byly uloženy.", - // "submission.workflow.generic.submit_score-help": "" - "submission.workflow.generic.submit_score-help": "", + // "bitstream.edit.notifications.saved.title": "Bitstream saved", + "bitstream.edit.notifications.saved.title" : "Bitstream uložen", - // "submission.workflow.tasks.claimed.decline" : "Decline" - "submission.workflow.tasks.claimed.decline" : "", + // "bitstream.edit.title": "Edit bitstream", + "bitstream.edit.title" : "Upravit bitstream", - // "submission.workflow.tasks.claimed.decline_help": "" - "submission.workflow.tasks.claimed.decline_help": "", + // "bitstream-request-a-copy.alert.canDownload1": "You already have access to this file. If you want to download the file, click ", + "bitstream-request-a-copy.alert.canDownload1" : "K tomuto souboru již máte přístup. Pokud si chcete soubor stáhnout, klikněte na tlačítko", - // "submission.workspace.generic.view" : "View" - "submission.workspace.generic.view" : "Zobrazit", + // "bitstream-request-a-copy.alert.canDownload2": "here", + "bitstream-request-a-copy.alert.canDownload2" : "zde", - // "submission.workspace.generic.view-help" : "Select this option to view the item's metadata." - "submission.workspace.generic.view-help" : "Chcete-li zobrazit metadata položky, vyberte tuto možnost", + // "bitstream-request-a-copy.header": "Request a copy of the file", + "bitstream-request-a-copy.header" : "Požádat o kopii souboru", - // "subscriptions.title" : "Subscriptions" - "subscriptions.title" : "Odběry", + // "bitstream-request-a-copy.intro": "Enter the following information to request a copy for the following item: ", + "bitstream-request-a-copy.intro": "Pro vyžádání kopie pro následující položku zadejte následující informace:", - // "subscriptions.item" : "Subscriptions for items" - "subscriptions.item" : "Odběry pro položky", + // "bitstream-request-a-copy.intro.bitstream.one": "Requesting the following file: ", + "bitstream-request-a-copy.intro.bitstream.one": "Žádost o následující soubor:", + // "bitstream-request-a-copy.intro.bitstream.all": "Requesting all files. ", + "bitstream-request-a-copy.intro.bitstream.all" : "Vyžádání všech souborů.", - // "subscriptions.collection" : "Subscriptions for collections" - "subscriptions.collection" : "Odběry pro kolekce", + // "bitstream-request-a-copy.name.label": "Name *", + "bitstream-request-a-copy.name.label" : "Jméno *", - // "subscriptions.community" : "Subscriptions for communities" - "subscriptions.community" : "Odběry pro komunity", + // "bitstream-request-a-copy.name.error": "The name is required", + "bitstream-request-a-copy.name.error" : "Jméno je povinné", - // "subscriptions.subscription_type" : "Subscription type" - "subscriptions.subscription_type" : "Typ odběru", + // "bitstream-request-a-copy.email.label": "Your e-mail address *", + "bitstream-request-a-copy.email.label" : "Vaše e-mailová adresa *", - // "subscriptions.frequency" : "Subscription frequency" - "subscriptions.frequency" : "Frekvence odběru", + // "bitstream-request-a-copy.email.hint": "This email address is used for sending the file.", + "bitstream-request-a-copy.email.hint" : "Tato e-mailová adresa slouží k odeslání souboru.", - // "subscriptions.frequency.D" : "Daily" - "subscriptions.frequency.D" : "Denně", + // "bitstream-request-a-copy.email.error": "Please enter a valid email address.", + "bitstream-request-a-copy.email.error" : "Zadejte prosím platnou e-mailovou adresu.", - // "subscriptions.frequency.M" : "Monthly" - "subscriptions.frequency.M" : "Měsíčně", + // "bitstream-request-a-copy.allfiles.label": "Files", + "bitstream-request-a-copy.allfiles.label" : "Soubory", - // "subscriptions.frequency.W" : "Weekly" - "subscriptions.frequency.W" : "Týdně", + // "bitstream-request-a-copy.files-all-false.label": "Only the requested file", + "bitstream-request-a-copy.files-all-false.label" : "Pouze požadovaný soubor", - // "subscriptions.tooltip" : "Subscribe" - "subscriptions.tooltip" : "Přihlásit se k odběru", + // "bitstream-request-a-copy.files-all-true.label": "All files (of this item) in restricted access", + "bitstream-request-a-copy.files-all-true.label" : "Všechny soubory (této položky) v omezeném přístupu", - // "subscriptions.modal.title" : "Subscriptions" - "subscriptions.modal.title" : "Odběry", + // "bitstream-request-a-copy.message.label": "Message", + "bitstream-request-a-copy.message.label" : "Zpráva", - // "subscriptions.modal.type-frequency" : "Type and frequency" - "subscriptions.modal.type-frequency" : "Typ a frekvence", + // "bitstream-request-a-copy.return": "Back", + "bitstream-request-a-copy.return" : "Zpět", - // "subscriptions.modal.close" : "Close" - "subscriptions.modal.close" : "Zavřít", + // "bitstream-request-a-copy.submit": "Request copy", + "bitstream-request-a-copy.submit" : "Vyžádat si kopii", - // "subscriptions.modal.delete-info" : "To remove this subscription, please visit the "Subscriptions" page under your user profile" - "subscriptions.modal.delete-info" : "Chcete-li odběr zrušit, navštivte stránku \"Odběry\" ve svém uživatelském profilu.", + // "bitstream-request-a-copy.submit.success": "The item request was submitted successfully.", + "bitstream-request-a-copy.submit.success" : "Požadavek na položku byl úspěšně odeslán.", - // "subscriptions.modal.new-subscription-form.type.content" : "Content" - "subscriptions.modal.new-subscription-form.type.content" : "Obsah", + // "bitstream-request-a-copy.submit.error": "Something went wrong with submitting the item request.", + "bitstream-request-a-copy.submit.error" : "Při odesílání žádosti o položku se něco pokazilo.", - // "subscriptions.modal.new-subscription-form.frequency.D" : "Daily" - "subscriptions.modal.new-subscription-form.frequency.D" : "Denně", - // "subscriptions.modal.new-subscription-form.frequency.W" : "Weekly" - "subscriptions.modal.new-subscription-form.frequency.W" : "Týdně", - // "subscriptions.modal.new-subscription-form.frequency.M" : "Monthly" - "subscriptions.modal.new-subscription-form.frequency.M" : "Měsíčně", + // "browse.back.all-results": "All browse results", + "browse.back.all-results" : "Všechny výsledky procházení", - // "subscriptions.modal.new-subscription-form.submit" : "Submit" - "subscriptions.modal.new-subscription-form.submit" : "Odeslat", + // "browse.comcol.by.author": "By Author", + "browse.comcol.by.author" : "Podle autora", - // "subscriptions.modal.new-subscription-form.processing" : "Processing..." - "subscriptions.modal.new-subscription-form.processing" : "Zpracování...", + // "browse.comcol.by.dateissued": "By Issue Date", + "browse.comcol.by.dateissued" : "Podle data přidání", - // "subscriptions.modal.create.success" : "Subscribed to {{ type }} successfully." - "subscriptions.modal.create.success" : "Úspěšně přihlášen k odběru {{ type }} .", + // "browse.comcol.by.subject": "By Subject", + "browse.comcol.by.subject" : "Podle předmětu", - // "subscriptions.modal.delete.success" : "Subscription deleted successfully" - "subscriptions.modal.delete.success" : "Odběr byl úspěšně odstraněn", + // "browse.comcol.by.title": "By Title", + "browse.comcol.by.title" : "Podle názvu", - // "subscriptions.modal.update.success" : "Subscription to {{ type }} updated successfully" - "subscriptions.modal.update.success" : "Přihlášení k odběru {{ type }} úspěšně aktualizováno", + // "browse.comcol.head": "Browse", + "browse.comcol.head" : "Procházet", - // "subscriptions.modal.create.error" : "An error occurs during the subscription creation" - "subscriptions.modal.create.error" : "Při vytváření odběru došlo k chybě", + // "browse.empty": "No items to show.", + "browse.empty" : "Žádné položky k zobrazení.", - // "subscriptions.modal.delete.error" : "An error occurs during the subscription delete" - "subscriptions.modal.delete.error" : "Při odstraňování odběru došlo k chybě", + // "browse.metadata.author": "Author", + "browse.metadata.author" : "Autor", - // "subscriptions.modal.update.error" : "An error occurs during the subscription update" - "subscriptions.modal.update.error" : "Během aktualizace odběru došlo k chybě", + // "browse.metadata.dateissued": "Issue Date", + "browse.metadata.dateissued" : "Datum vydání", - // "subscriptions.table.dso" : "Subject" - "subscriptions.table.dso" : "Předmět", + // "browse.metadata.subject": "Subject", + "browse.metadata.subject" : "Předmět", - // "subscriptions.table.subscription_type" : "Subscription Type" - "subscriptions.table.subscription_type" : "Typ odběru", + // "browse.metadata.title": "Title", + "browse.metadata.title" : "Název", - // "subscriptions.table.subscription_frequency" : "Subscription Frequency" - "subscriptions.table.subscription_frequency" : "Frekvence odběru", + // "browse.metadata.author.breadcrumbs": "Browse by Author", + "browse.metadata.author.breadcrumbs" : "Procházet podle autora", - // "subscriptions.table.action" : "Action" - "subscriptions.table.action" : "Akce", + // "browse.metadata.dateissued.breadcrumbs": "Browse by Date", + "browse.metadata.dateissued.breadcrumbs" : "Procházet podle data", - // "subscriptions.table.edit" : "Edit" - "subscriptions.table.edit" : "Upravit", + // "browse.metadata.subject.breadcrumbs": "Browse by Subject", + "browse.metadata.subject.breadcrumbs" : "Procházet podle předmětu", - // "subscriptions.table.delete" : "Delete" - "subscriptions.table.delete" : "Odstranit", + // "browse.metadata.title.breadcrumbs": "Browse by Title", + "browse.metadata.title.breadcrumbs" : "Procházet podle názvu", - // "subscriptions.table.not-available" : "Not available" - "subscriptions.table.not-available" : "Není k dispozici", + // "pagination.next.button": "Next", + "pagination.next.button" : "Další", - // "subscriptions.table.not-available-message" : "The subscribed item has been deleted, or you don't currently have the permission to view it" - "subscriptions.table.not-available-message" : "Odebíraná položka byla smazána, nebo nemáte aktuálně oprávnění k jejímu zobrazení", + // "pagination.previous.button": "Previous", + "pagination.previous.button" : "Předchozí", - // "subscriptions.table.empty.message" : "You do not have any subscriptions at this time. To subscribe to email updates for a Community or Collection, use the subscription button on the object's page." - "subscriptions.table.empty.message" : "V tuto chvíli nemáte žádné odběry. Chcete-li se přihlásit k odběru e-mailových aktualizací pro komunitu nebo kolekci, použijte tlačítko pro odběr na stránce objektu.", + // "pagination.next.button.disabled.tooltip": "No more pages of results", + "pagination.next.button.disabled.tooltip" : "Žádné další stránky s výsledky", - // "vocabulary-treeview.info" : "Select a subject to add as search filter" - "vocabulary-treeview.info" : "Vyberte předmět, který chcete přidat jako vyhledávací filtr", + // "browse.startsWith": ", starting with {{ startsWith }}", + "browse.startsWith" : ", počínaje {{ startsWith }}", - // "supervisedWorkspace.search.results.head" : "Supervised Items" - "supervisedWorkspace.search.results.head" : "Kontrolované položky", + // "browse.startsWith.choose_start": "(Choose start)", + "browse.startsWith.choose_start" : "(Zvolit začátek)", - // "supervision.search.results.head" : "Workflow and Workspace tasks" - "supervision.search.results.head" : "Úlohy pracovních postupů a pracovního prostoru", + // "browse.startsWith.choose_year": "(Choose year)", + "browse.startsWith.choose_year" : "(Zvolit rok)", - // "workspace-item.view.breadcrumbs" : "Workspace View" - "workspace-item.view.breadcrumbs" : "Zobrazení pracovního prostoru", + // "browse.startsWith.choose_year.label": "Choose the issue year", + "browse.startsWith.choose_year.label" : "Zvolte rok vydání", - // "workspace-item.view.title" : "Workspace View" - "workspace-item.view.title" : "Zobrazení pracovního prostoru", + // "browse.startsWith.jump": "Filter results by year or month", + "browse.startsWith.jump" : "Přeskočit na místo v indexu:", - // "workflow-item.advanced.title" : "Advanced workflow" - "workflow-item.advanced.title" : "Pokročilý pracovní postup", + // "browse.startsWith.months.april": "April", + "browse.startsWith.months.april" : "Duben", - // "workflow-item.selectrevieweraction.notification.success.title" : "Selected reviewer" - "workflow-item.selectrevieweraction.notification.success.title" : "Vybraný recenzent", + // "browse.startsWith.months.august": "August", + "browse.startsWith.months.august" : "Srpen", - // "workflow-item.selectrevieweraction.notification.success.content" : "The reviewer for this workflow item has been successfully selected" - "workflow-item.selectrevieweraction.notification.success.content" : "Recenzent pro tuto položku pracovního postupu byl úspěšně vybrán.", + // "browse.startsWith.months.december": "December", + "browse.startsWith.months.december" : "Prosinec", - // "workflow-item.selectrevieweraction.notification.error.title" : "Something went wrong" - "workflow-item.selectrevieweraction.notification.error.title" : "Něco se pokazilo", + // "browse.startsWith.months.february": "February", + "browse.startsWith.months.february" : "Únor", - // "workflow-item.selectrevieweraction.notification.error.content" : "Couldn't select the reviewer for this workflow item" - "workflow-item.selectrevieweraction.notification.error.content" : "Nepodařilo se vybrat recenzenta pro tuto položku pracovního postupu", + // "browse.startsWith.months.january": "January", + "browse.startsWith.months.january" : "Leden", - // "workflow-item.selectrevieweraction.title" : "Select Reviewer" - "workflow-item.selectrevieweraction.title" : "Vybrat recenzenta", + // "browse.startsWith.months.july": "July", + "browse.startsWith.months.july" : "Červenec", - // "workflow-item.selectrevieweraction.header" : "Select Reviewer" - "workflow-item.selectrevieweraction.header" : "Vybrat recenzenta", + // "browse.startsWith.months.june": "June", + "browse.startsWith.months.june" : "Červen", - // "workflow-item.selectrevieweraction.button.cancel" : "Cancel" - "workflow-item.selectrevieweraction.button.cancel" : "Zrušit", + // "browse.startsWith.months.march": "March", + "browse.startsWith.months.march" : "Březen", - // "workflow-item.selectrevieweraction.button.confirm" : "Confirm" - "workflow-item.selectrevieweraction.button.confirm" : "Potvrdit", + // "browse.startsWith.months.may": "May", + "browse.startsWith.months.may" : "Květen", - // "workflow-item.scorereviewaction.notification.success.title" : "Rating review" - "workflow-item.scorereviewaction.notification.success.title" : "Hodnocení", + // "browse.startsWith.months.none": "(Choose month)", + "browse.startsWith.months.none" : "(Zvolit měsíc)", - // "workflow-item.scorereviewaction.notification.success.content" : "The rating for this item workflow item has been successfully submitted" - "workflow-item.scorereviewaction.notification.success.content" : "Hodnocení této položky pracovního postupu byla úspěšně odeslána", + // "browse.startsWith.months.none.label": "Choose the issue month", + "browse.startsWith.months.none.label" : "Vyberte měsíc vydání", - // "workflow-item.scorereviewaction.notification.error.title" : "Something went wrong" - "workflow-item.scorereviewaction.notification.error.title" : "Něco se pokazilo", + // "browse.startsWith.months.november": "November", + "browse.startsWith.months.november" : "Listopad", - // "workflow-item.scorereviewaction.notification.error.content" : "Couldn't rate this item" - "workflow-item.scorereviewaction.notification.error.content" : "Nelze ohodnotit tuto položku", + // "browse.startsWith.months.october": "October", + "browse.startsWith.months.october" : "Říjen", - // "workflow-item.scorereviewaction.title" : "Rate this item" - "workflow-item.scorereviewaction.title" : "Ohodnotit tuto položku", + // "browse.startsWith.months.september": "September", + "browse.startsWith.months.september" : "Září", - // "workflow-item.scorereviewaction.header" : "Rate this item" - "workflow-item.scorereviewaction.header" : "Ohodnotit tuto položku", + // "browse.startsWith.submit": "Browse", + "browse.startsWith.submit" : "Procházet", - // "workflow-item.scorereviewaction.button.cancel" : "Cancel" - "workflow-item.scorereviewaction.button.cancel" : "Zrušit", + // "browse.startsWith.type_date": "Filter results by date", + "browse.startsWith.type_date" : "Nebo zadejte datum (rok-měsíc):", - // "workflow-item.scorereviewaction.button.confirm" : "Confirm" - "workflow-item.scorereviewaction.button.confirm" : "Potvrdit", + // "browse.startsWith.type_date.label": "Or type in a date (year-month) and click on the Browse button", + "browse.startsWith.type_date.label" : "Nebo zadejte datum (rok-měsíc) a klikněte na tlačítko Procházet.", - // "researcher.profile.action.processing" : "Processing..." - "researcher.profile.action.processing" : "Zpracování...", + // "browse.startsWith.type_text": "Filter results by typing the first few letters", + "browse.startsWith.type_text" : "Nebo zadejte několik prvních písmen:", - // "researcher.profile.associated" : "Researcher profile associated" - "researcher.profile.associated" : "Profil výzkumného pracovníka byl přidružen", + // "browse.title": "Browsing {{ collection }} by {{ field }}{{ startsWith }} {{ value }}", + "browse.title" : "Prohlížíte {{ collection }} dle {{ field }} {{ value }}", - // "researcher.profile.change-visibility.fail" : "An unexpected error occurs while changing the profile visibility" - "researcher.profile.change-visibility.fail" : "Při změně viditelnosti profilu došlo k neočekávané chybě", + // "browse.title.page": "Browsing {{ collection }} by {{ field }} {{ value }}", + "browse.title.page" : "Procházení {{ collection }} podle {{ field }} {{ hodnota }}", - // "researcher.profile.create.new" : "Create new" - "researcher.profile.create.new" : "Vytvořit nový", - // "researcher.profile.create.success" : "Researcher profile created successfully" - "researcher.profile.create.success" : "Profil výzkumníka byl úspěšně vytvořen", + // "search.browse.item-back": "Back to Results", + "search.browse.item-back" : "Zpět na výsledky", - // "researcher.profile.create.fail" : "An error occurs during the researcher profile creation" - "researcher.profile.create.fail" : "Při vytváření profilu výzkumníka došlo k chybě", - // "researcher.profile.delete" : "Delete" - "researcher.profile.delete" : "Odstranit", + // "chips.remove": "Remove chip", + "chips.remove" : "Odstranit čip", - // "researcher.profile.expose" : "Expose" - "researcher.profile.expose" : "Odkrýt", - // "researcher.profile.hide" : "Hide" - "researcher.profile.hide" : "Skrýt", + // "claimed-approved-search-result-list-element.title": "Approved", + "claimed-approved-search-result-list-element.title" : "Schváleno", - // "researcher.profile.not.associated" : "Researcher profile not yet associated" - "researcher.profile.not.associated" : "Profil výzkumníka zatím není přidružen", + // "claimed-declined-search-result-list-element.title": "Rejected, sent back to submitter", + "claimed-declined-search-result-list-element.title" : "Zamítnuto, zasláno zpět předkladateli", - // "researcher.profile.view" : "View" - "researcher.profile.view" : "Zobrazit", + // "claimed-declined-task-search-result-list-element.title": "Declined, sent back to Review Manager's workflow", + "claimed-declined-task-search-result-list-element.title" : "Zamítnuto, odesláno zpět do pracovního postupu revizního manažera", - // "researcher.profile.private.visibility" : "PRIVATE" - "researcher.profile.private.visibility" : "SOUKROMÉ", + // "contact-us.breadcrumbs": "Contact Us", + "contact-us.breadcrumbs" : "Kontaktujte nás", - // "researcher.profile.public.visibility" : "PUBLIC" - "researcher.profile.public.visibility" : "VEŘEJNÉ", + // "contact-us.title": "Contact Us", + "contact-us.title" : "Kontaktujte nás", - // "researcher.profile.status" : "Status:" - "researcher.profile.status" : "Stav:", + // "contact-us.description": "DSpace@TUL administrators may be contacted at:", + "contact-us.description": "Správce DSpace@UK můžete kontaktovat na adrese:", - // "researcherprofile.claim.not-authorized" : "You are not authorized to claim this item. For more details contact the administrator(s)." - "researcherprofile.claim.not-authorized" : "K reklamaci této položky nemáte oprávnění. Další informace získáte u správce (správců).", + // "contact-us.form": "On-line form: ", + "contact-us.form": "On-line formulář:", - // "researcherprofile.error.claim.body" : "An error occurred while claiming the profile, please try again later" - "researcherprofile.error.claim.body" : "Při nárokování profilu došlo k chybě, zkuste to prosím později", + // "contact-us.feedback": "Feedback", + "contact-us.feedback" : "Zpětná vazba", - // "researcherprofile.error.claim.title" : "Error" - "researcherprofile.error.claim.title" : "Chyba", + // "contact-us.email": "Email: ", + "contact-us.email": "Email: ", - // "researcherprofile.success.claim.body" : "Profile claimed with success" - "researcherprofile.success.claim.body" : "", + // "collection.create.head": "Create a Collection", + "collection.create.head" : "Vytvořit kolekci", - // "researcherprofile.success.claim.title" : "Success" - "researcherprofile.success.claim.title" : "Úspěch", + // "collection.create.notifications.success": "Successfully created the Collection", + "collection.create.notifications.success" : "Kolekce úspěšně vytvořena", - // "person.page.orcid.create" : "Create an ORCID ID" - "person.page.orcid.create" : "Vytvořit ID ORCID", + // "collection.create.sub-head": "Create a Collection for Community {{ parent }}", + "collection.create.sub-head" : "Vytvořit kolekci pro komunitu {{ parent }}", - // "person.page.orcid.granted-authorizations" : "Granted authorizations" - "person.page.orcid.granted-authorizations" : "Udělená povolení", + // "collection.curate.header": "Curate Collection: {{collection}}", + "collection.curate.header": "Kurátorská kolekce: {{collection}}", - // "person.page.orcid.grant-authorizations" : "Grant authorizations" - "person.page.orcid.grant-authorizations" : "Povolení grantů", + // "collection.delete.cancel": "Cancel", + "collection.delete.cancel" : "Zrušit", - // "person.page.orcid.link" : "Connect to ORCID ID" - "person.page.orcid.link" : "Připojit k ID ORCID", + // "collection.delete.confirm": "Confirm", + "collection.delete.confirm" : "Potvrdit", - // "person.page.orcid.link.processing" : "Linking profile to ORCID..." - "person.page.orcid.link.processing" : "Propojení profilu s ORCID...", + // "collection.delete.processing": "Deleting", + "collection.delete.processing" : "Mazání", - // "person.page.orcid.link.error.message" : "Something went wrong while connecting the profile with ORCID. If the problem persists, contact the administrator." - "person.page.orcid.link.error.message" : "Při propojování profilu s ORCID se něco pokazilo. Pokud problém přetrvává, kontaktujte správce.", + // "collection.delete.head": "Delete Collection", + "collection.delete.head" : "Odstranit kolekci", - // "person.page.orcid.orcid-not-linked-message" : "The ORCID iD of this profile ({{ orcid }}) has not yet been connected to an account on the ORCID registry or the connection is expired." - "person.page.orcid.orcid-not-linked-message" : "ID ORCID tohoto profilu ({{ orcid }}) ještě nebylo připojeno k účtu v registru ORCID nebo platnost připojení vypršela.", + // "collection.delete.notification.fail": "Collection could not be deleted", + "collection.delete.notification.fail" : "kolekci nelze smazat", - // "person.page.orcid.unlink" : "Disconnect from ORCID" - "person.page.orcid.unlink" : "Odpojit od ORCID", + // "collection.delete.notification.success": "Successfully deleted collection", + "collection.delete.notification.success" : "Kolekce úspěšně odstraněna", - // "person.page.orcid.unlink.processing" : "Processing..." - "person.page.orcid.unlink.processing" : "Zpracování...", + // "collection.delete.text": "Are you sure you want to delete collection \"{{ dso }}\"", + "collection.delete.text" : "Opravdu chcete smazat kolekci \"{{ dso }}\"", - // "person.page.orcid.missing-authorizations" : "Missing authorizations" - "person.page.orcid.missing-authorizations" : "Chybějící oprávnění", - // "person.page.orcid.missing-authorizations-message" : "The following authorizations are missing:" - "person.page.orcid.missing-authorizations-message" : "Chybí následující oprávnění:", - // "person.page.orcid.no-missing-authorizations-message" : "Great! This box is empty, so you have granted all access rights to use all functions offers by your institution." - "person.page.orcid.no-missing-authorizations-message" : "Skvělé! Toto pole je prázdné, takže jste udělili všechna přístupová práva k využívání všech funkcí, které vaše instituce nabízí.", + // "collection.edit.delete": "Delete this collection", + "collection.edit.delete" : "Odstranit tuto kolekci", - // "person.page.orcid.no-orcid-message" : "No ORCID iD associated yet. By clicking on the button below it is possible to link this profile with an ORCID account." - "person.page.orcid.no-orcid-message" : "Zatím není přidruženo žádné ID ORCID. Kliknutím na tlačítko níže je možné tento profil propojit s účtem ORCID.", + // "collection.edit.head": "Edit Collection", + "collection.edit.head" : "Upravit kolekci", - // "person.page.orcid.profile-preferences" : "Profile preferences" - "person.page.orcid.profile-preferences" : "Předvolby profilu", + // "collection.edit.breadcrumbs": "Edit Collection", + "collection.edit.breadcrumbs" : "Upravit kolekci", - // "person.page.orcid.funding-preferences" : "Funding preferences" - "person.page.orcid.funding-preferences" : "Preference financování", - // "person.page.orcid.publications-preferences" : "Publication preferences" - "person.page.orcid.publications-preferences" : "Publikační preference", - // "person.page.orcid.remove-orcid-message" : "If you need to remove your ORCID, please contact the repository administrator" - "person.page.orcid.remove-orcid-message" : "Pokud potřebujete odebrat svůj ORCID, kontaktujte správce úložiště.", + // "collection.edit.tabs.mapper.head": "Item Mapper", + "collection.edit.tabs.mapper.head" : "Mapovač položek", - // "person.page.orcid.save.preference.changes" : "Update settings" - "person.page.orcid.save.preference.changes" : "Aktualizovat nastavení", + // "collection.edit.tabs.item-mapper.title": "Collection Edit - Item Mapper", + "collection.edit.tabs.item-mapper.title" : "Úprava kolekce - Mapovač položek", - // "person.page.orcid.sync-profile.affiliation" : "Affiliation" - "person.page.orcid.sync-profile.affiliation" : "Příslušnost", + // "collection.edit.item-mapper.cancel": "Cancel", + "collection.edit.item-mapper.cancel" : "Zrušit", - // "person.page.orcid.sync-profile.biographical" : "Biographical data" - "person.page.orcid.sync-profile.biographical" : "Biografické údaje", + // "collection.edit.item-mapper.collection": "Collection: \"{{name}}\"", + "collection.edit.item-mapper.collection": "Kolekce: \"{{name}}\"", - // "person.page.orcid.sync-profile.education" : "Education" - "person.page.orcid.sync-profile.education" : "Vzdělání", + // "collection.edit.item-mapper.confirm": "Map selected items", + "collection.edit.item-mapper.confirm" : "Mapovat vybrané položky", - // "person.page.orcid.sync-profile.identifiers" : "Identifiers" - "person.page.orcid.sync-profile.identifiers" : "Identifikátory", + // "collection.edit.item-mapper.description": "This is the item mapper tool that allows collection administrators to map items from other collections into this collection. You can search for items from other collections and map them, or browse the list of currently mapped items.", + "collection.edit.item-mapper.description" : "Toto je nástroj pro mapování položek, který umožňuje správcům kolekcí mapovat položky z jiných kolekcí do této kolekce. Můžete vyhledávat položky z jiných kolekcí a mapovat je, nebo procházet seznam aktuálně mapovaných položek.", - // "person.page.orcid.sync-fundings.all" : "All fundings" - "person.page.orcid.sync-fundings.all" : "Všechny finanční prostředky", + // "collection.edit.item-mapper.head": "Item Mapper - Map Items from Other Collections", + "collection.edit.item-mapper.head" : "Mapovač položek - mapování položek z jiných kolekcí", - // "person.page.orcid.sync-fundings.mine" : "My fundings" - "person.page.orcid.sync-fundings.mine" : "Moje financování", + // "collection.edit.item-mapper.no-search": "Please enter a query to search", + "collection.edit.item-mapper.no-search" : "Zadejte prosím dotaz pro vyhledávání", - // "person.page.orcid.sync-fundings.my_selected" : "Selected fundings" - "person.page.orcid.sync-fundings.my_selected" : "Vybrané financování", + // "collection.edit.item-mapper.notifications.map.error.content": "Errors occurred for mapping of {{amount}} items.", + "collection.edit.item-mapper.notifications.map.error.content" : "Při mapování položek {{amount}} došlo k chybám.", - // "person.page.orcid.sync-fundings.disabled" : "Disabled" - "person.page.orcid.sync-fundings.disabled" : "", + // "collection.edit.item-mapper.notifications.map.error.head": "Mapping errors", + "collection.edit.item-mapper.notifications.map.error.head" : "Chyby při mapování", - // "person.page.orcid.sync-publications.all" : "All publications" - "person.page.orcid.sync-publications.all" : "Všechny publikace", + // "collection.edit.item-mapper.notifications.map.success.content": "Successfully mapped {{amount}} items.", + "collection.edit.item-mapper.notifications.map.success.content" : "Úspěšně namapováno {{amount}} položek.", - // "person.page.orcid.sync-publications.mine" : "My publications" - "person.page.orcid.sync-publications.mine" : "Moje publikace", + // "collection.edit.item-mapper.notifications.map.success.head": "Mapping completed", + "collection.edit.item-mapper.notifications.map.success.head" : "Mapování dokončeno", - // "person.page.orcid.sync-publications.my_selected" : "Selected publications" - "person.page.orcid.sync-publications.my_selected" : "Vybrané publikace", + // "collection.edit.item-mapper.notifications.unmap.error.content": "Errors occurred for removing the mappings of {{amount}} items.", + "collection.edit.item-mapper.notifications.unmap.error.content" : "Při odstraňování mapování položek {{amount}} došlo k chybám.", - // "person.page.orcid.sync-publications.disabled" : "Disabled" - "person.page.orcid.sync-publications.disabled" : "", + // "collection.edit.item-mapper.notifications.unmap.error.head": "Remove mapping errors", + "collection.edit.item-mapper.notifications.unmap.error.head" : "Odstranit chyby mapování", - // "person.page.orcid.sync-queue.discard" : "Discard the change and do not synchronize with the ORCID registry" - "person.page.orcid.sync-queue.discard" : "Změnu zahoďte a nesynchronizujte s registrem ORCID", + // "collection.edit.item-mapper.notifications.unmap.success.content": "Successfully removed the mappings of {{amount}} items.", + "collection.edit.item-mapper.notifications.unmap.success.content" : "Mapování položek {{amount}} bylo úspěšně odstraněno.", - // "person.page.orcid.sync-queue.discard.error" : "The discarding of the ORCID queue record failed" - "person.page.orcid.sync-queue.discard.error" : "Vyřazení záznamu z fronty ORCID se nezdařilo", + // "collection.edit.item-mapper.notifications.unmap.success.head": "Remove mapping completed", + "collection.edit.item-mapper.notifications.unmap.success.head" : "Odstranění mapování dokončeno", - // "person.page.orcid.sync-queue.discard.success" : "The ORCID queue record have been discarded successfully" - "person.page.orcid.sync-queue.discard.success" : "Záznam fronty ORCID byl úspěšně vyřazen", + // "collection.edit.item-mapper.remove": "Remove selected item mappings", + "collection.edit.item-mapper.remove" : "Odstranit mapování vybraných položek", - // "person.page.orcid.sync-queue.empty-message" : "The ORCID queue registry is empty" - "person.page.orcid.sync-queue.empty-message" : "Registr fronty ORCID je prázdný", + // "collection.edit.item-mapper.search-form.placeholder": "Search items...", + "collection.edit.item-mapper.search-form.placeholder" : "Hledat položky...", - // "person.page.orcid.sync-queue.table.header.type" : "Type" - "person.page.orcid.sync-queue.table.header.type" : "Typ", + // "collection.edit.item-mapper.tabs.browse": "Browse mapped items", + "collection.edit.item-mapper.tabs.browse" : "Procházet namapované položky", - // "person.page.orcid.sync-queue.table.header.description" : "Description" - "person.page.orcid.sync-queue.table.header.description" : "Popis", + // "collection.edit.item-mapper.tabs.map": "Map new items", + "collection.edit.item-mapper.tabs.map" : "Mapovat nové položky", - // "person.page.orcid.sync-queue.table.header.action" : "Action" - "person.page.orcid.sync-queue.table.header.action" : "Akce", - // "person.page.orcid.sync-queue.description.affiliation" : "Affiliations" - "person.page.orcid.sync-queue.description.affiliation" : "Přidružení", + // "collection.edit.logo.delete.title": "Delete logo", + "collection.edit.logo.delete.title" : "Odstranit logo", - // "person.page.orcid.sync-queue.description.country" : "Country" - "person.page.orcid.sync-queue.description.country" : "Země", + // "collection.edit.logo.delete-undo.title": "Undo delete", + "collection.edit.logo.delete-undo.title" : "Zrušit odstranění", - // "person.page.orcid.sync-queue.description.education" : "Educations" - "person.page.orcid.sync-queue.description.education" : "Vzdělání", + // "collection.edit.logo.label": "Collection logo", + "collection.edit.logo.label" : "Logo kolekce", - // "person.page.orcid.sync-queue.description.external_ids" : "External ids" - "person.page.orcid.sync-queue.description.external_ids" : "Externí ids", + // "collection.edit.logo.notifications.add.error": "Uploading Collection logo failed. Please verify the content before retrying.", + "collection.edit.logo.notifications.add.error" : "Nahrání loga kolekce se nezdařilo. Před dalším pokusem ověřte obsah.", - // "person.page.orcid.sync-queue.description.other_names" : "Other names" - "person.page.orcid.sync-queue.description.other_names" : "Další názvy", + // "collection.edit.logo.notifications.add.success": "Upload Collection logo successful.", + "collection.edit.logo.notifications.add.success" : "Nahrání loga kolekce bylo úspěšné.", - // "person.page.orcid.sync-queue.description.qualification" : "Qualifications" - "person.page.orcid.sync-queue.description.qualification" : "Kvalifikace", + // "collection.edit.logo.notifications.delete.success.title": "Logo deleted", + "collection.edit.logo.notifications.delete.success.title" : "Logo smazáno", - // "person.page.orcid.sync-queue.description.researcher_urls" : "Researcher urls" - "person.page.orcid.sync-queue.description.researcher_urls" : "URL adresa výzkumného pracovníka", + // "collection.edit.logo.notifications.delete.success.content": "Successfully deleted the collection's logo", + "collection.edit.logo.notifications.delete.success.content" : "Logo kolekce úspěšně smazáno", - // "person.page.orcid.sync-queue.description.keywords" : "Keywords" - "person.page.orcid.sync-queue.description.keywords" : "Klíčová slova", + // "collection.edit.logo.notifications.delete.error.title": "Error deleting logo", + "collection.edit.logo.notifications.delete.error.title" : "Chyba při mazání loga", - // "person.page.orcid.sync-queue.tooltip.insert" : "Add a new entry in the ORCID registry" - "person.page.orcid.sync-queue.tooltip.insert" : "Přidat nový záznam do registru ORCID", + // "collection.edit.logo.upload": "Drop a Collection Logo to upload", + "collection.edit.logo.upload" : "Uveďte logo kolekce, které chcete nahrát", - // "person.page.orcid.sync-queue.tooltip.update" : "Update this entry on the ORCID registry" - "person.page.orcid.sync-queue.tooltip.update" : "Aktualizovat tuto položku v registru ORCID", - // "person.page.orcid.sync-queue.tooltip.delete" : "Remove this entry from the ORCID registry" - "person.page.orcid.sync-queue.tooltip.delete" : "Odstranit tuto položku z registru ORCID", - // "person.page.orcid.sync-queue.tooltip.publication" : "Publication" - "person.page.orcid.sync-queue.tooltip.publication" : "Publikace", + // "collection.edit.notifications.success": "Successfully edited the Collection", + "collection.edit.notifications.success" : "Kolekce úspěšně upravena", - // "person.page.orcid.sync-queue.tooltip.project" : "Project" - "person.page.orcid.sync-queue.tooltip.project" : "Projekt", + // "collection.edit.return": "Back", + "collection.edit.return" : "Zpět", - // "person.page.orcid.sync-queue.tooltip.affiliation" : "Affiliation" - "person.page.orcid.sync-queue.tooltip.affiliation" : "Přidružení", - // "person.page.orcid.sync-queue.tooltip.education" : "Education" - "person.page.orcid.sync-queue.tooltip.education" : "Vzdělání", - // "person.page.orcid.sync-queue.tooltip.qualification" : "Qualification" - "person.page.orcid.sync-queue.tooltip.qualification" : "Kvalifikace", + // "collection.edit.tabs.curate.head": "Curate", + "collection.edit.tabs.curate.head" : "", - // "person.page.orcid.sync-queue.tooltip.other_names" : "Other name" - "person.page.orcid.sync-queue.tooltip.other_names" : "Jiný název", + // "collection.edit.tabs.curate.title": "Collection Edit - Curate", + "collection.edit.tabs.curate.title" : "Úprava kolekce - kurátor", - // "person.page.orcid.sync-queue.tooltip.country" : "Country" - "person.page.orcid.sync-queue.tooltip.country" : "Země", + // "collection.edit.tabs.authorizations.head": "Authorizations", + "collection.edit.tabs.authorizations.head" : "Oprávnění", - // "person.page.orcid.sync-queue.tooltip.keywords" : "Keyword" - "person.page.orcid.sync-queue.tooltip.keywords" : "Klíčové slovo", + // "collection.edit.tabs.authorizations.title": "Collection Edit - Authorizations", + "collection.edit.tabs.authorizations.title" : "Úprava kolekce - Oprávnění", - // "person.page.orcid.sync-queue.tooltip.external_ids" : "External identifier" - "person.page.orcid.sync-queue.tooltip.external_ids" : "Externí identifikátor", + // "collection.edit.item.authorizations.load-bundle-button": "Load more bundles", + "collection.edit.item.authorizations.load-bundle-button" : "Načíst další balíčky", - // "person.page.orcid.sync-queue.tooltip.researcher_urls" : "Researcher url" - "person.page.orcid.sync-queue.tooltip.researcher_urls" : "URL adresa výzkumného pracovníka", + // "collection.edit.item.authorizations.load-more-button": "Load more", + "collection.edit.item.authorizations.load-more-button" : "Načíst více", - // "person.page.orcid.sync-queue.send" : "Synchronize with ORCID registry" - "person.page.orcid.sync-queue.send" : "Synchronizovat s registrem ORCID", + // "collection.edit.item.authorizations.show-bitstreams-button": "Show bitstream policies for bundle", + "collection.edit.item.authorizations.show-bitstreams-button" : "Zobrazit zásady bitstreamu pro svazek", - // "person.page.orcid.sync-queue.send.unauthorized-error.title" : "The submission to ORCID failed for missing authorizations." - "person.page.orcid.sync-queue.send.unauthorized-error.title" : "Odeslání na ORCID se nezdařilo kvůli chybějícím autorizacím.", + // "collection.edit.tabs.metadata.head": "Edit Metadata", + "collection.edit.tabs.metadata.head" : "Upravit metadata", - // "person.page.orcid.sync-queue.send.unauthorized-error.content" : "Click here to grant again the required permissions. If the problem persists, contact the administrator" - "person.page.orcid.sync-queue.send.unauthorized-error.content" : "Klikněte na zde pro opětovné udělení požadovaných oprávnění. Pokud problém přetrvá, obraťte se na správce", + // "collection.edit.tabs.metadata.title": "Collection Edit - Metadata", + "collection.edit.tabs.metadata.title" : "Úprava kolekce - Metadata", - // "person.page.orcid.sync-queue.send.bad-request-error" : "The submission to ORCID failed because the resource sent to ORCID registry is not valid" - "person.page.orcid.sync-queue.send.bad-request-error" : "Podání do ORCID se nezdařilo, protože odeslaný zdroj není platný.", + // "collection.edit.tabs.roles.head": "Assign Roles", + "collection.edit.tabs.roles.head" : "Přidělit role", - // "person.page.orcid.sync-queue.send.error" : "The submission to ORCID failed" - "person.page.orcid.sync-queue.send.error" : "Podání na ORCID se nezdařilo", + // "collection.edit.tabs.roles.title": "Collection Edit - Roles", + "collection.edit.tabs.roles.title" : "Úprava kolekce - Role", - // "person.page.orcid.sync-queue.send.conflict-error" : "The submission to ORCID failed because the resource is already present on the ORCID registry" - "person.page.orcid.sync-queue.send.conflict-error" : "Odeslání do ORCID se nezdařilo, protože zdroj je již v registru ORCID přítomen.", + // "collection.edit.tabs.source.external": "This collection harvests its content from an external source", + "collection.edit.tabs.source.external" : "Tato kolekce sklízí svůj obsah z externího zdroje", - // "person.page.orcid.sync-queue.send.not-found-warning" : "The resource does not exists anymore on the ORCID registry." - "person.page.orcid.sync-queue.send.not-found-warning" : "Zdroj již v registru ORCID neexistuje.", + // "collection.edit.tabs.source.form.errors.oaiSource.required": "You must provide a set id of the target collection.", + "collection.edit.tabs.source.form.errors.oaiSource.required" : "Musíte zadat ID sady cílové kolekce.", - // "person.page.orcid.sync-queue.send.success" : "The submission to ORCID was completed successfully" - "person.page.orcid.sync-queue.send.success" : "Odeslání na ORCID bylo úspěšně dokončeno", + // "collection.edit.tabs.source.form.harvestType": "Content being harvested", + "collection.edit.tabs.source.form.harvestType" : "Sklízený obsah", - // "person.page.orcid.sync-queue.send.validation-error" : "The data that you want to synchronize with ORCID is not valid" - "person.page.orcid.sync-queue.send.validation-error" : "Data, která chcete synchronizovat s ORCID, nejsou platná.", + // "collection.edit.tabs.source.form.head": "Configure an external source", + "collection.edit.tabs.source.form.head" : "Konfigurovat externí zdroj", - // "person.page.orcid.sync-queue.send.validation-error.amount-currency.required" : "The amount's currency is required" - "person.page.orcid.sync-queue.send.validation-error.amount-currency.required" : "Je vyžadována měna částky", + // "collection.edit.tabs.source.form.metadataConfigId": "Metadata Format", + "collection.edit.tabs.source.form.metadataConfigId" : "Formát metadat", - // "person.page.orcid.sync-queue.send.validation-error.external-id.required" : "The resource to be sent requires at least one identifier" - "person.page.orcid.sync-queue.send.validation-error.external-id.required" : "Odesílaný zdroj vyžaduje alespoň jeden identifikátor", + // "collection.edit.tabs.source.form.oaiSetId": "OAI specific set id", + "collection.edit.tabs.source.form.oaiSetId" : "OAI specifická sada ID", - // "person.page.orcid.sync-queue.send.validation-error.title.required" : "The title is required" - "person.page.orcid.sync-queue.send.validation-error.title.required" : "Název je povinný", + // "collection.edit.tabs.source.form.oaiSource": "OAI Provider", + "collection.edit.tabs.source.form.oaiSource" : "Poskytovatel OAI", - // "person.page.orcid.sync-queue.send.validation-error.type.required" : "The dc.type is required" - "person.page.orcid.sync-queue.send.validation-error.type.required" : "Je požadován údaj dc.typ", + // "collection.edit.tabs.source.form.options.harvestType.METADATA_AND_BITSTREAMS": "Harvest metadata and bitstreams (requires ORE support)", + "collection.edit.tabs.source.form.options.harvestType.METADATA_AND_BITSTREAMS" : "Sklízení metadat a bitstreamů (vyžaduje podporu ORE)", - // "person.page.orcid.sync-queue.send.validation-error.start-date.required" : "The start date is required" - "person.page.orcid.sync-queue.send.validation-error.start-date.required" : "Je nutné uvést datum zahájení", + // "collection.edit.tabs.source.form.options.harvestType.METADATA_AND_REF": "Harvest metadata and references to bitstreams (requires ORE support)", + "collection.edit.tabs.source.form.options.harvestType.METADATA_AND_REF" : "Sklízení metadat a odkazů na bitstreamy (vyžaduje podporu ORE)", - // "person.page.orcid.sync-queue.send.validation-error.funder.required" : "The funder is required" - "person.page.orcid.sync-queue.send.validation-error.funder.required" : "Je vyžadován sponzor", + // "collection.edit.tabs.source.form.options.harvestType.METADATA_ONLY": "Harvest metadata only", + "collection.edit.tabs.source.form.options.harvestType.METADATA_ONLY" : "Pouze sklizená metadata", - // "person.page.orcid.sync-queue.send.validation-error.country.invalid" : "Invalid 2 digits ISO 3166 country" - "person.page.orcid.sync-queue.send.validation-error.country.invalid" : "Neplatné 2 číslice ISO 3166 země", + // "collection.edit.tabs.source.head": "Content Source", + "collection.edit.tabs.source.head" : "Zdroj obsahu", - // "person.page.orcid.sync-queue.send.validation-error.organization.required" : "The organization is required" - "person.page.orcid.sync-queue.send.validation-error.organization.required" : "Organizace je povinná", + // "collection.edit.tabs.source.notifications.discarded.content": "Your changes were discarded. To reinstate your changes click the 'Undo' button", + "collection.edit.tabs.source.notifications.discarded.content" : "Změny byly zahozeny. Chcete-li změny obnovit, klikněte na tlačítko Zpět.", - // "person.page.orcid.sync-queue.send.validation-error.organization.name-required" : "The organization's name is required" - "person.page.orcid.sync-queue.send.validation-error.organization.name-required" : "Vyžaduje se název organizace", + // "collection.edit.tabs.source.notifications.discarded.title": "Changes discarded", + "collection.edit.tabs.source.notifications.discarded.title" : "Změny vyřazené", - // "person.page.orcid.sync-queue.send.validation-error.publication.date-invalid" : "The publication date must be one year after 1900" - "person.page.orcid.sync-queue.send.validation-error.publication.date-invalid" : "Datum zveřejnění musí být jeden rok po roce 1901", + // "collection.edit.tabs.source.notifications.invalid.content": "Your changes were not saved. Please make sure all fields are valid before you save.", + "collection.edit.tabs.source.notifications.invalid.content" : "Vaše změny nebyly uloženy. Před uložením se prosím ujistěte, že jsou všechna pole platná.", - // "person.page.orcid.sync-queue.send.validation-error.organization.address-required" : "The organization to be sent requires an address" - "person.page.orcid.sync-queue.send.validation-error.organization.address-required" : "Organizace, která má být odeslána, vyžaduje adresu", + // "collection.edit.tabs.source.notifications.invalid.title": "Metadata invalid", + "collection.edit.tabs.source.notifications.invalid.title" : "Neplatná metadata", - // "person.page.orcid.sync-queue.send.validation-error.organization.city-required" : "The address of the organization to be sent requires a city" - "person.page.orcid.sync-queue.send.validation-error.organization.city-required" : "Adresa organizace, která má být zaslána, vyžaduje město", + // "collection.edit.tabs.source.notifications.saved.content": "Your changes to this collection's content source were saved.", + "collection.edit.tabs.source.notifications.saved.content" : "Změny ve zdroji obsahu této kolekce byly uloženy.", - // "person.page.orcid.sync-queue.send.validation-error.organization.country-required" : "The address of the organization to be sent requires a valid 2 digits ISO 3166 country" - "person.page.orcid.sync-queue.send.validation-error.organization.country-required" : "Adresa organizace, která má být odeslána, vyžaduje platnou dvoumístnou adresu země podle ISO 3166.", + // "collection.edit.tabs.source.notifications.saved.title": "Content Source saved", + "collection.edit.tabs.source.notifications.saved.title" : "Zdroj obsahu uložen", - // "person.page.orcid.sync-queue.send.validation-error.disambiguated-organization.required" : "An identifier to disambiguate organizations is required. Supported ids are GRID, Ringgold, Legal Entity identifiers (LEIs) and Crossref Funder Registry identifiers" - "person.page.orcid.sync-queue.send.validation-error.disambiguated-organization.required" : "Je vyžadován identifikátor pro rozlišení organizací. Podporovány jsou identifikátory GRID, Ringgold, identifikátory právnických osob (LEI) a identifikátory Crossref Funder Registry.", + // "collection.edit.tabs.source.title": "Collection Edit - Content Source", + "collection.edit.tabs.source.title" : "Úprava kolekce - Zdroj obsahu", - // "person.page.orcid.sync-queue.send.validation-error.disambiguated-organization.value-required" : "The organization's identifiers requires a value" - "person.page.orcid.sync-queue.send.validation-error.disambiguated-organization.value-required" : "Identifikátory organizace vyžadují hodnotu", - // "person.page.orcid.sync-queue.send.validation-error.disambiguation-source.required" : "The organization's identifiers requires a source" - "person.page.orcid.sync-queue.send.validation-error.disambiguation-source.required" : "Identifikátory organizace vyžadují zdroj", - // "person.page.orcid.sync-queue.send.validation-error.disambiguation-source.invalid" : "The source of one of the organization identifiers is invalid. Supported sources are RINGGOLD, GRID, LEI and FUNDREF" - "person.page.orcid.sync-queue.send.validation-error.disambiguation-source.invalid" : "Zdroj jednoho z identifikátorů organizace je neplatný. Podporované zdroje jsou RINGGOLD, GRID, LEI a FUNDREF.", + // "collection.edit.template.add-button": "Add", + "collection.edit.template.add-button" : "Přidat", - // "person.page.orcid.synchronization-mode" : "Synchronization mode" - "person.page.orcid.synchronization-mode" : "Režim synchronizace", + // "collection.edit.template.breadcrumbs": "Item template", + "collection.edit.template.breadcrumbs" : "Šablona položky", - // "person.page.orcid.synchronization-mode.batch" : "Batch" - "person.page.orcid.synchronization-mode.batch" : "Dávka", + // "collection.edit.template.cancel": "Cancel", + "collection.edit.template.cancel" : "Zrušit", - // "person.page.orcid.synchronization-mode.label" : "Synchronization mode" - "person.page.orcid.synchronization-mode.label" : "Režim synchronizace", + // "collection.edit.template.delete-button": "Delete", + "collection.edit.template.delete-button" : "Odstranit", - // "person.page.orcid.synchronization-mode-message" : "Please select how you would like synchronization to ORCID to occur. The options include "Manual" (you must send your data to ORCID manually), or "Batch" (the system will send your data to ORCID via a scheduled script)." - "person.page.orcid.synchronization-mode-message" : "Zvolte prosím, jakým způsobem chcete synchronizaci s ORCID provádět. Na výběr je možnost \"Ručně\" (data musíte do ORCID odeslat ručně) nebo \"Dávkově\" (systém odešle vaše data do ORCID prostřednictvím naplánovaného skriptu).", + // "collection.edit.template.edit-button": "Edit", + "collection.edit.template.edit-button" : "Upravit", - // "person.page.orcid.synchronization-mode-funding-message" : "Select whether to send your linked Project entities to your ORCID record's list of funding information." - "person.page.orcid.synchronization-mode-funding-message" : "Zvolte, zda se mají propojené entity projektu odeslat do seznamu informací o financování vašeho záznamu ORCID.", + // "collection.edit.template.error": "An error occurred retrieving the template item", + "collection.edit.template.error" : "Při načítání šablony položky došlo k chybě.", - // "person.page.orcid.synchronization-mode-publication-message" : "Select whether to send your linked Publication entities to your ORCID record's list of works." - "person.page.orcid.synchronization-mode-publication-message" : "Zvolte, zda se mají propojené entity publikací odeslat do seznamu děl vašeho záznamu ORCID.", + // "collection.edit.template.head": "Edit Template Item for Collection \"{{ collection }}\"", + "collection.edit.template.head" : "Upravit šablonu položky pro kolekci \"{{ collection }}\"", - // "person.page.orcid.synchronization-mode-profile-message" : "Select whether to send your biographical data or personal identifiers to your ORCID record." - "person.page.orcid.synchronization-mode-profile-message" : "Zvolte, zda chcete do záznamu ORCID odeslat své životopisné údaje nebo osobní identifikátory.", + // "collection.edit.template.label": "Template item", + "collection.edit.template.label" : "Šablona položky", - // "person.page.orcid.synchronization-settings-update.success" : "The synchronization settings have been updated successfully" - "person.page.orcid.synchronization-settings-update.success" : "Synchronizační nastavení bylo úspěšně aktualizováno", + // "collection.edit.template.loading": "Loading template item...", + "collection.edit.template.loading" : "Načítání šablony položky...", - // "person.page.orcid.synchronization-settings-update.error" : "The update of the synchronization settings failed" - "person.page.orcid.synchronization-settings-update.error" : "Aktualizace synchronizačních nastavení se nezdařila", + // "collection.edit.template.notifications.delete.error": "Failed to delete the item template", + "collection.edit.template.notifications.delete.error" : "Nepodařilo se odstranit šablonu položky", - // "person.page.orcid.synchronization-mode.manual" : "Manual" - "person.page.orcid.synchronization-mode.manual" : "Manuální", + // "collection.edit.template.notifications.delete.success": "Successfully deleted the item template", + "collection.edit.template.notifications.delete.success" : "Šablona položky byla úspěšně odstraněna", - // "person.page.orcid.scope.authenticate" : "Get your ORCID iD" - "person.page.orcid.scope.authenticate" : "Získejte své ID ORCID", + // "collection.edit.template.title": "Edit Template Item", + "collection.edit.template.title" : "Upravit šablonu položky", - // "person.page.orcid.scope.read-limited" : "Read your information with visibility set to Trusted Parties" - "person.page.orcid.scope.read-limited" : "Čtěte své informace s viditelností nastavenou na Důvěryhodné strany", - // "person.page.orcid.scope.activities-update" : "Add/update your research activities" - "person.page.orcid.scope.activities-update" : "Přidejte/aktualizujte své výzkumné aktivity", - // "person.page.orcid.scope.person-update" : "Add/update other information about you" - "person.page.orcid.scope.person-update" : "Přidat/aktualizovat další informace o vás", + // "collection.form.abstract": "Short Description", + "collection.form.abstract" : "Krátký popis", - // "person.page.orcid.unlink.success" : "The disconnection between the profile and the ORCID registry was successful" - "person.page.orcid.unlink.success" : "Odpojení profilu od registru ORCID proběhlo úspěšně.", + // "collection.form.description": "Introductory text (HTML)", + "collection.form.description" : "Úvodní text (HTML)", - // "person.page.orcid.unlink.error" : "An error occurred while disconnecting between the profile and the ORCID registry. Try again" - "person.page.orcid.unlink.error" : "Při odpojování profilu od registru ORCID došlo k chybě. Zkuste to znovu", + // "collection.form.errors.title.required": "Please enter a collection name", + "collection.form.errors.title.required" : "Zadejte prosím název kolekce", - // "person.orcid.sync.setting" : "ORCID Synchronization settings" - "person.orcid.sync.setting" : "Nastavení synchronizace ORCID", + // "collection.form.license": "License", + "collection.form.license" : "Licence", - // "person.orcid.registry.queue" : "ORCID Registry Queue" - "person.orcid.registry.queue" : "Fronta registru ORCID", + // "collection.form.provenance": "Provenance", + "collection.form.provenance" : "Původ", - // "person.orcid.registry.auth" : "ORCID Authorizations" - "person.orcid.registry.auth" : "Oprávnění ORCID", + // "collection.form.rights": "Copyright text (HTML)", + "collection.form.rights" : "Text o autorských právech (HTML)", - // "home.recent-submissions.head" : "Recent Submissions" - "home.recent-submissions.head" : "Nejnovější příspěvky", + // "collection.form.tableofcontents": "News (HTML)", + "collection.form.tableofcontents" : "Novinky (HTML)", - // "listable-notification-object.default-message" : "This object couldn't be retrieved" - "listable-notification-object.default-message" : "Tento objekt se nepodařilo načíst", + // "collection.form.title": "Name", + "collection.form.title" : "Jméno", - // "system-wide-alert-banner.retrieval.error" : "Something went wrong retrieving the system-wide alert banner" - "system-wide-alert-banner.retrieval.error" : "Při načítání celosystémového výstražného banneru došlo k chybě.", + // "collection.form.entityType": "Entity Type", + "collection.form.entityType" : "Typ subjektu", - // "system-wide-alert-banner.countdown.prefix" : "In" - "system-wide-alert-banner.countdown.prefix" : "Na adrese", - // "system-wide-alert-banner.countdown.days" : "{{days}} day(s)," - "system-wide-alert-banner.countdown.days" : "{{days}} den(y),", - // "system-wide-alert-banner.countdown.hours" : "{{hours}} hour(s) and" - "system-wide-alert-banner.countdown.hours" : "{{hours}} hodina(y) a", + // "collection.listelement.badge": "Collection", + "collection.listelement.badge" : "Kolekce", - // "system-wide-alert-banner.countdown.minutes" : "{{minutes}} minute(s):" - "system-wide-alert-banner.countdown.minutes" : "{{minutes}} minut(y):", - // "menu.section.system-wide-alert" : "System-wide Alert" - "menu.section.system-wide-alert" : "Celosystémové upozornění", - // "system-wide-alert.form.header" : "System-wide Alert" - "system-wide-alert.form.header" : "Celosystémové upozornění", + // "collection.page.browse.recent.head": "Recent Submissions", + "collection.page.browse.recent.head" : "Poslední příspěvky", - // "system-wide-alert-form.retrieval.error" : "Something went wrong retrieving the system-wide alert" - "system-wide-alert-form.retrieval.error" : "Při načítání celosystémové výstrahy došlo k chybě", + // "collection.page.browse.recent.empty": "No items to show", + "collection.page.browse.recent.empty" : "Žádné položky k zobrazení", - // "system-wide-alert.form.cancel" : "Cancel" - "system-wide-alert.form.cancel" : "Zrušit", + // "collection.page.edit": "Edit this collection", + "collection.page.edit" : "Upravit tuto kolekci", - // "system-wide-alert.form.save" : "Save" - "system-wide-alert.form.save" : "Uložit", + // "collection.page.handle": "Permanent URI for this collection", + "collection.page.handle" : "Trvalé URI pro tuto kolekci", - // "system-wide-alert.form.label.active" : "ACTIVE" - "system-wide-alert.form.label.active" : "AKTIVNÍ", + // "collection.page.license": "License", + "collection.page.license" : "Licence", - // "system-wide-alert.form.label.inactive" : "INACTIVE" - "system-wide-alert.form.label.inactive" : "NEAKTIVNÍ", + // "collection.page.news": "News", + "collection.page.news" : "Novinky", - // "system-wide-alert.form.error.message" : "The system wide alert must have a message" - "system-wide-alert.form.error.message" : "Celosystémové upozornění musí obsahovat zprávu", - // "system-wide-alert.form.label.message" : "Alert message" - "system-wide-alert.form.label.message" : "Výstražná zpráva", - // "system-wide-alert.form.label.countdownTo.enable" : "Enable a countdown timer" - "system-wide-alert.form.label.countdownTo.enable" : "Povolit odpočítávání", + // "collection.select.confirm": "Confirm selected", + "collection.select.confirm" : "Potvrdit vybrané", - // "system-wide-alert.form.label.countdownTo.hint" : "Hint: Set a countdown timer. When enabled, a date can be set in the future and the system-wide alert banner will perform a countdown to the set date. When this timer ends, it will disappear from the alert. The server will NOT be automatically stopped." - "system-wide-alert.form.label.countdownTo.hint" : "Tip: Nastavte časovač odpočítávání. Je-li povolen, lze v budoucnu nastavit datum a celosystémový nápis výstrah provede odpočítávání k nastavenému datu. Když časovač skončí, zmizí z výstrahy. Server NEBUDE automaticky zastaven.", + // "collection.select.empty": "No collections to show", + "collection.select.empty" : "Žádné kolekce k zobrazení", - // "system-wide-alert.form.label.preview" : "System-wide alert preview" - "system-wide-alert.form.label.preview" : "Celosystémový náhled výstrahy", + // "collection.select.table.title": "Title", + "collection.select.table.title" : "Název", - // "system-wide-alert.form.update.success" : "The system-wide alert was successfully updated" - "system-wide-alert.form.update.success" : "Celosystémové upozornění bylo úspěšně aktualizováno", - // "system-wide-alert.form.update.error" : "Something went wrong when updating the system-wide alert" - "system-wide-alert.form.update.error" : "Při aktualizaci celosystémového upozornění došlo k chybě", + // "collection.source.controls.head": "Harvest Controls", + "collection.source.controls.head" : "Kontroly sklizně", + // "collection.source.controls.test.submit.error": "Something went wrong with initiating the testing of the settings", + "collection.source.controls.test.submit.error" : "Něco se pokazilo při zahájení testování nastavení", + // "collection.source.controls.test.failed": "The script to test the settings has failed", + "collection.source.controls.test.failed" : "Skript pro testování nastavení selhal", + // "collection.source.controls.test.completed": "The script to test the settings has successfully finished", + "collection.source.controls.test.completed" : "Skript pro testování nastavení byl úspěšně dokončen", + // "collection.source.controls.test.submit": "Test configuration", + "collection.source.controls.test.submit" : "Testovací konfigurace", + // "collection.source.controls.test.running": "Testing configuration...", + "collection.source.controls.test.running" : "Testování konfigurace...", + // "collection.source.controls.import.submit.success": "The import has been successfully initiated", + "collection.source.controls.import.submit.success" : "Import byl úspěšně zahájen", + // "collection.source.controls.import.submit.error": "Something went wrong with initiating the import", + "collection.source.controls.import.submit.error" : "Něco se pokazilo při zahájení importu", + // "collection.source.controls.import.submit": "Import now", + "collection.source.controls.import.submit" : "Importovat nyní", + // "collection.source.controls.import.running": "Importing...", + "collection.source.controls.import.running" : "Importování...", + // "collection.source.controls.import.failed": "An error occurred during the import", + "collection.source.controls.import.failed" : "Při importu došlo k chybě", + // "collection.source.controls.import.completed": "The import completed", + "collection.source.controls.import.completed" : "Import byl dokončen", + // "collection.source.controls.reset.submit.success": "The reset and reimport has been successfully initiated", + "collection.source.controls.reset.submit.success" : "Reset a opětovný import byl úspěšně zahájen", + // "collection.source.controls.reset.submit.error": "Something went wrong with initiating the reset and reimport", + "collection.source.controls.reset.submit.error" : "Něco se pokazilo při resetu a opětovném importu", + // "collection.source.controls.reset.failed": "An error occurred during the reset and reimport", + "collection.source.controls.reset.failed" : "Při restartu a opětovném importu došlo k chybě", + // "collection.source.controls.reset.completed": "The reset and reimport completed", + "collection.source.controls.reset.completed" : "Reset a opětovný import byly dokončeny", + // "collection.source.controls.reset.submit": "Reset and reimport", + "collection.source.controls.reset.submit" : "Resetovat a opětovne importovat", + // "collection.source.controls.reset.running": "Resetting and reimporting...", + "collection.source.controls.reset.running" : "Resetování a opětovné importování...", + // "collection.source.controls.harvest.status": "Harvest status:", + "collection.source.controls.harvest.status": "Stav harvestovani:", + // "collection.source.controls.harvest.start": "Harvest start time:", + "collection.source.controls.harvest.start": "Začátek harvestovani:", + // "collection.source.controls.harvest.last": "Last time harvested:", + "collection.source.controls.harvest.last": "Naposledy harvestovano:", + // "collection.source.controls.harvest.message": "Harvest info:", + "collection.source.controls.harvest.message": "Informace o harvestovani:", + // "collection.source.controls.harvest.no-information": "N/A", + "collection.source.controls.harvest.no-information" : "Neaplikovatelné", - // "system-wide-alert.form.create.success" : "The system-wide alert was successfully created" - "system-wide-alert.form.create.success" : "Celosystémové upozornění bylo úspěšně vytvořeno", - // "system-wide-alert.form.create.error" : "Something went wrong when creating the system-wide alert" - "system-wide-alert.form.create.error" : "Při vytváření celosystémového upozornění došlo k chybě", + // "collection.source.update.notifications.error.content": "The provided settings have been tested and didn't work.", + "collection.source.update.notifications.error.content" : "Poskytnutá nastavení byla testována a nefungovala.", - // "admin.system-wide-alert.breadcrumbs" : "System-wide Alerts" - "admin.system-wide-alert.breadcrumbs" : "Celosystémové výstrahy", + // "collection.source.update.notifications.error.title": "Server Error", + "collection.source.update.notifications.error.title" : "Chyba serveru", - // "admin.system-wide-alert.title" : "System-wide Alerts" - "admin.system-wide-alert.title" : "Celosystémové výstrahy", - // "401.help" : "You're not authorized to access this page. You can use the button below to get back to the home page." - "401.help" : "Chybějící autorizace k přístupu na tuto stránku. Můžete využít tlačítko k návratu na domovskou stránku.", - // "401.link.home-page" : "Take me to the home page" - "401.link.home-page" : "Návrat na domovskou stránku", + // "communityList.breadcrumbs": "Community List", + "communityList.breadcrumbs" : "Seznam komunity", - // "401.unauthorized" : "unauthorized" - "401.unauthorized" : "bez autorizace", + // "communityList.tabTitle": "Community List", + "communityList.tabTitle" : "DSpace - Seznam komunit", - // "403.help" : "You don't have permission to access this page. You can use the button below to get back to the home page." - "403.help" : "Nemáte oprávnění k přístupu na tuto stránku. Můžete využít tlačítko k návratu na domovskou stránku.", + // "communityList.title": "List of Communities", + "communityList.title" : "Seznam komunit", - // "403.link.home-page" : "Take me to the home page" - "403.link.home-page" : "Návrat na domovskou stránku", + // "communityList.showMore": "Show More", + "communityList.showMore" : "Zobrazit více", - // "403.forbidden" : "forbidden" - "403.forbidden" : "není povoleno", - // "500.page-internal-server-error" : "Service Unavailable" - "500.page-internal-server-error" : "Služba nedostupná", - // "500.help" : "The server is temporarily unable to service your request due to maintenance downtime or capacity problems. Please try again later." - "500.help" : "Server dočasně nemůže váš požadavek obsloužit z důvodu odstávky údržby nebo kapacitních problémů. Zopakujte akci později.", + // "community.create.head": "Create a Community", + "community.create.head" : "Vytvořit komunitu", - // "500.link.home-page" : "Take me to the home page" - "500.link.home-page" : "Přesuňte mě na domovskou stránku", + // "community.create.notifications.success": "Successfully created the Community", + "community.create.notifications.success" : "Úspěšně vytvořená komunita", - // "404.help" : "We can't find the page you're looking for. The page may have been moved or deleted. You can use the button below to get back to the home page." - "404.help" : "Nepodařilo se najít stránku, kterou hledáte. Je možné, že stránka byla přesunuta nebo smazána. Pomocí tlačítka níže můžete přejít na domovskou stránku.", + // "community.create.sub-head": "Create a Sub-Community for Community {{ parent }}", + "community.create.sub-head" : "Vytvořit subkomunitu pro komunitu {{ parent }}", - // "404.link.home-page" : "Take me to the home page" - "404.link.home-page" : "Přejít na domovskou stránku", + // "community.curate.header": "Curate Community: {{community}}", + "community.curate.header": "Spravovat komunitu: {{community}}", - // "404.page-not-found" : "page not found" - "404.page-not-found" : "stránka nenalezena", + // "community.delete.cancel": "Cancel", + "community.delete.cancel" : "Zrušit", - // "admin.curation-tasks.breadcrumbs" : "System curation tasks" - "admin.curation-tasks.breadcrumbs" : "Úkoly administrace systému", + // "community.delete.confirm": "Confirm", + "community.delete.confirm" : "Potvrdit", - // "admin.curation-tasks.title" : "System curation tasks" - "admin.curation-tasks.title" : "Úkoly administrace systému", + // "community.delete.processing": "Deleting...", + "community.delete.processing" : "Odstraňování...", - // "admin.curation-tasks.header" : "System curation tasks" - "admin.curation-tasks.header" : "Úkoly administrace systému", + // "community.delete.head": "Delete Community", + "community.delete.head" : "Odstranit komunitu", - // "admin.registries.bitstream-formats.breadcrumbs" : "Format registry" - "admin.registries.bitstream-formats.breadcrumbs" : "Formát registrů", + // "community.delete.notification.fail": "Community could not be deleted", + "community.delete.notification.fail" : "Komunitu nebylo možné smazat", - // "admin.registries.bitstream-formats.create.breadcrumbs" : "Bitstream format" - "admin.registries.bitstream-formats.create.breadcrumbs" : "Bitstream formát", + // "community.delete.notification.success": "Successfully deleted community", + "community.delete.notification.success" : "Úspěšně odstraněná komunita", - // "admin.registries.bitstream-formats.create.failure.content" : "An error occurred while creating the new bitstream format." - "admin.registries.bitstream-formats.create.failure.content" : "Chybě během vytváření nového bitstreamu.", + // "community.delete.text": "Are you sure you want to delete community \"{{ dso }}\"", + "community.delete.text" : "Opravdu chcete odstranit komunitu \"{{ dso }}\"", - // "admin.registries.bitstream-formats.create.failure.head" : "Failure" - "admin.registries.bitstream-formats.create.failure.head" : "Chyba", + // "community.edit.delete": "Delete this community", + "community.edit.delete" : "Smazat tuto komunitu", - // "admin.registries.bitstream-formats.create.head" : "Create Bitstream format" - "admin.registries.bitstream-formats.create.head" : "Vytvořit bitstream formát", + // "community.edit.head": "Edit Community", + "community.edit.head" : "Upravit komunitu", - // "admin.registries.bitstream-formats.create.new" : "Add a new bitstream format" - "admin.registries.bitstream-formats.create.new" : "Přidat a nový bitstream formát", + // "community.edit.breadcrumbs": "Edit Community", + "community.edit.breadcrumbs" : "Upravit komunitu", - // "admin.registries.bitstream-formats.create.success.content" : "The new bitstream format was successfully created." - "admin.registries.bitstream-formats.create.success.content" : "Nový bitstream format úspěšně vytvořen.", - // "admin.registries.bitstream-formats.create.success.head" : "Success" - "admin.registries.bitstream-formats.create.success.head" : "Úspěšně", + // "community.edit.logo.delete.title": "Delete logo", + "community.edit.logo.delete.title" : "Odstranit logo", - // "admin.registries.bitstream-formats.delete.failure.amount" : "Failed to remove {{ amount }} format(s)" - "admin.registries.bitstream-formats.delete.failure.amount" : "Chyba při odstraňování {{ amount }} formátů", + // "community.edit.logo.delete-undo.title": "Undo delete", + "community.edit.logo.delete-undo.title" : "Zrušit odstranění", - // "admin.registries.bitstream-formats.delete.failure.head" : "Failure" - "admin.registries.bitstream-formats.delete.failure.head" : "Chyba", + // "community.edit.logo.label": "Community logo", + "community.edit.logo.label" : "Logo komunity", - // "admin.registries.bitstream-formats.delete.success.amount" : "Successfully removed {{ amount }} format(s)" - "admin.registries.bitstream-formats.delete.success.amount" : "Úspěšně odstraněno {{ amount }} formátů", + // "community.edit.logo.notifications.add.error": "Uploading Community logo failed. Please verify the content before retrying.", + "community.edit.logo.notifications.add.error" : "Nahrání loga komunity se nezdařilo. Před dalším pokusem ověřte obsah.", - // "admin.registries.bitstream-formats.delete.success.head" : "Success" - "admin.registries.bitstream-formats.delete.success.head" : "Úspěch", + // "community.edit.logo.notifications.add.success": "Upload Community logo successful.", + "community.edit.logo.notifications.add.success" : "Nahrání loga komunity se podařilo.", - // "admin.registries.bitstream-formats.description" : "This list of bitstream formats provides information about known formats and their support level." - "admin.registries.bitstream-formats.description" : "Tento seznam formátů souborů poskytuje informace o známých formátech a o úrovni jejich podpory.", + // "community.edit.logo.notifications.delete.success.title": "Logo deleted", + "community.edit.logo.notifications.delete.success.title" : "Logo odstraněno", - // "admin.registries.bitstream-formats.edit.breadcrumbs" : "Bitstream format" - "admin.registries.bitstream-formats.edit.breadcrumbs" : "Bitstream formát", + // "community.edit.logo.notifications.delete.success.content": "Successfully deleted the community's logo", + "community.edit.logo.notifications.delete.success.content" : "Úspěšně odstraněno logo komunity", - // "admin.registries.bitstream-formats.edit.description.hint" : "" - "admin.registries.bitstream-formats.edit.description.hint" : "", + // "community.edit.logo.notifications.delete.error.title": "Error deleting logo", + "community.edit.logo.notifications.delete.error.title" : "Chyba při mazání loga", - // "admin.registries.bitstream-formats.edit.description.label" : "Description" - "admin.registries.bitstream-formats.edit.description.label" : "Popis", + // "community.edit.logo.upload": "Drop a Community Logo to upload", + "community.edit.logo.upload" : "Vložte logo komunity, které chcete nahrát", - // "admin.registries.bitstream-formats.edit.extensions.hint" : "Extensions are file extensions that are used to automatically identify the format of uploaded files. You can enter several extensions for each format." - "admin.registries.bitstream-formats.edit.extensions.hint" : "Přípony jsou rozšíření souborů pro automatickou identifikaci formátu nahráváných souborů. Je možné použít více přípon pro každý formát.", - // "admin.registries.bitstream-formats.edit.extensions.label" : "File extensions" - "admin.registries.bitstream-formats.edit.extensions.label" : "Přípony souborů", - // "admin.registries.bitstream-formats.edit.extensions.placeholder" : "Enter a file extension without the dot" - "admin.registries.bitstream-formats.edit.extensions.placeholder" : "Zadejte příponu souboru bez tečky", + // "community.edit.notifications.success": "Successfully edited the Community", + "community.edit.notifications.success" : "Úspěšná úprava komunity", - // "admin.registries.bitstream-formats.edit.failure.content" : "An error occurred while editing the bitstream format." - "admin.registries.bitstream-formats.edit.failure.content" : "Chyba během editování bitstream formátů.", + // "community.edit.notifications.unauthorized": "You do not have privileges to make this change", + "community.edit.notifications.unauthorized" : "K provedení této změny nemáte oprávnění", - // "admin.registries.bitstream-formats.edit.failure.head" : "Failure" - "admin.registries.bitstream-formats.edit.failure.head" : "Chyba", + // "community.edit.notifications.error": "An error occured while editing the Community", + "community.edit.notifications.error" : "Při úpravách komunity došlo k chybě.", - // "admin.registries.bitstream-formats.edit.head" : "Bitstream format: {{ format }}" - "admin.registries.bitstream-formats.edit.head" : "Bitstream formát: {{ format }}", + // "community.edit.return": "Back", + "community.edit.return" : "Zpět", - // "admin.registries.bitstream-formats.edit.internal.hint" : "Formats marked as internal are hidden from the user, and used for administrative purposes." - "admin.registries.bitstream-formats.edit.internal.hint" : "Formáty oznaření jako interní jsou skrité pro uživatele a používané pro účely administrace.", - // "admin.registries.bitstream-formats.edit.internal.label" : "Internal" - "admin.registries.bitstream-formats.edit.internal.label" : "Interní", - // "admin.registries.bitstream-formats.edit.mimetype.hint" : "The MIME type associated with this format, does not have to be unique." - "admin.registries.bitstream-formats.edit.mimetype.hint" : "Typ MIME typ asociovaný s tímto formátem nemusí být unikátní.", + // "community.edit.tabs.curate.head": "Curate", + "community.edit.tabs.curate.head" : "Spravovat", - // "admin.registries.bitstream-formats.edit.mimetype.label" : "MIME Type" - "admin.registries.bitstream-formats.edit.mimetype.label" : "MIME Typ", + // "community.edit.tabs.curate.title": "Community Edit - Curate", + "community.edit.tabs.curate.title" : "Úprava komunity - spravovat", - // "admin.registries.bitstream-formats.edit.shortDescription.hint" : "A unique name for this format, (e.g. Microsoft Word XP or Microsoft Word 2000)" - "admin.registries.bitstream-formats.edit.shortDescription.hint" : "Unikátní název pro tento formát (např. Microsoft Word XP or Microsoft Word 2000)", + // "community.edit.tabs.metadata.head": "Edit Metadata", + "community.edit.tabs.metadata.head" : "Upravit metadata", - // "admin.registries.bitstream-formats.edit.shortDescription.label" : "Name" - "admin.registries.bitstream-formats.edit.shortDescription.label" : "Název", + // "community.edit.tabs.metadata.title": "Community Edit - Metadata", + "community.edit.tabs.metadata.title" : "Upravit komunitu - Metadata", - // "admin.registries.bitstream-formats.edit.success.content" : "The bitstream format was successfully edited." - "admin.registries.bitstream-formats.edit.success.content" : "The bitstream formát úspěšně editován.", + // "community.edit.tabs.roles.head": "Assign Roles", + "community.edit.tabs.roles.head" : "Přidělit role", - // "admin.registries.bitstream-formats.edit.success.head" : "Success" - "admin.registries.bitstream-formats.edit.success.head" : "Úspěšně", + // "community.edit.tabs.roles.title": "Community Edit - Roles", + "community.edit.tabs.roles.title" : "Úpravy komunity - Role", - // "admin.registries.bitstream-formats.edit.supportLevel.hint" : "The level of support your institution pledges for this format." - "admin.registries.bitstream-formats.edit.supportLevel.hint" : "Úroveň podpory vaší instituce garantuje tento formát.", + // "community.edit.tabs.authorizations.head": "Authorizations", + "community.edit.tabs.authorizations.head" : "Oprávnění", - // "admin.registries.bitstream-formats.edit.supportLevel.label" : "Support level" - "admin.registries.bitstream-formats.edit.supportLevel.label" : "Úroveň podpory", + // "community.edit.tabs.authorizations.title": "Community Edit - Authorizations", + "community.edit.tabs.authorizations.title" : "Úpravy komunity - Oprávnění", - // "admin.registries.bitstream-formats.head" : "Bitstream Format Registry" - "admin.registries.bitstream-formats.head" : "Registr formátů souborů", - // "admin.registries.bitstream-formats.no-items" : "No bitstream formats to show." - "admin.registries.bitstream-formats.no-items" : "Žádné bitstream formáty.", - // "admin.registries.bitstream-formats.table.delete" : "Delete selected" - "admin.registries.bitstream-formats.table.delete" : "Vymazat označené", + // "community.listelement.badge": "Community", + "community.listelement.badge" : "Komunita", - // "admin.registries.bitstream-formats.table.deselect-all" : "Deselect all" - "admin.registries.bitstream-formats.table.deselect-all" : "Odznačit vše", - // "admin.registries.bitstream-formats.table.internal" : "internal" - "admin.registries.bitstream-formats.table.internal" : "interní", - // "admin.registries.bitstream-formats.table.mimetype" : "MIME Type" - "admin.registries.bitstream-formats.table.mimetype" : "MIME Typ", + // "comcol-role.edit.no-group": "None", + "comcol-role.edit.no-group" : "Žádné", - // "admin.registries.bitstream-formats.table.name" : "Name" - "admin.registries.bitstream-formats.table.name" : "Název", + // "comcol-role.edit.create": "Create", + "comcol-role.edit.create" : "Vytvořit", - // "admin.registries.bitstream-formats.table.return" : "Back" - "admin.registries.bitstream-formats.table.return" : "Návrat", + // "comcol-role.edit.create.error.title": "Failed to create a group for the '{{ role }}' role", + "comcol-role.edit.create.error.title" : "Nepodařilo se vytvořit skupinu pro roli '{{ role }}'", - // "admin.registries.bitstream-formats.table.supportLevel.KNOWN" : "Known" - "admin.registries.bitstream-formats.table.supportLevel.KNOWN" : "Známé", + // "comcol-role.edit.restrict": "Restrict", + "comcol-role.edit.restrict" : "Omezit", - // "admin.registries.bitstream-formats.table.supportLevel.SUPPORTED" : "Supported" - "admin.registries.bitstream-formats.table.supportLevel.SUPPORTED" : "Podporováno", + // "comcol-role.edit.delete": "Delete", + "comcol-role.edit.delete" : "Odstranit", - // "admin.registries.bitstream-formats.table.supportLevel.UNKNOWN" : "Unknown" - "admin.registries.bitstream-formats.table.supportLevel.UNKNOWN" : "Neznámé", + // "comcol-role.edit.delete.error.title": "Failed to delete the '{{ role }}' role's group", + "comcol-role.edit.delete.error.title" : "Nepodařilo se odstranit '{{ role }}' roli skupiny", - // "admin.registries.bitstream-formats.table.supportLevel.head" : "Support Level" - "admin.registries.bitstream-formats.table.supportLevel.head" : "Úroveň podpory", - // "admin.registries.bitstream-formats.title" : "Bitstream Format Registry" - "admin.registries.bitstream-formats.title" : "Registr formátů souborů", + // "comcol-role.edit.community-admin.name": "Administrators", + "comcol-role.edit.community-admin.name" : "Administrátoři", - // "admin.registries.metadata.breadcrumbs" : "Metadata registry" - "admin.registries.metadata.breadcrumbs" : "Registr metadat", + // "comcol-role.edit.collection-admin.name": "Administrators", + "comcol-role.edit.collection-admin.name" : "Administrátoři", - // "admin.registries.metadata.description" : "The metadata registry maintains a list of all metadata fields available in the repository. These fields may be divided amongst multiple schemas. However, DSpace requires the qualified Dublin Core schema." - "admin.registries.metadata.description" : "Registr metadat je seznam všech metadatových polí dostupných v repozitáři. Tyto pole mohou být rozdělena do více schémat. DSpace však vyžaduje použití schématu Kvalifikovaný Dublin Core.", - // "admin.registries.metadata.form.create" : "Create metadata schema" - "admin.registries.metadata.form.create" : "Vytvořit schéma metadat", + // "comcol-role.edit.community-admin.description": "Community administrators can create sub-communities or collections, and manage or assign management for those sub-communities or collections. In addition, they decide who can submit items to any sub-collections, edit item metadata (after submission), and add (map) existing items from other collections (subject to authorization).", + "comcol-role.edit.community-admin.description" : "Komunitní administrátoři mohou vytvářet subkomunity nebo kolekce a spravovat nebo přiřazovat správu pro tyto subkomunity nebo kolekce. Kromě toho rozhodují o tom, kdo může předkládat položky do jakýchkoli subkolekcí, upravovat metadata položek (po předložení) a přidávat (mapovat) existující položky z jiných kolekcí (na základe oprávnění).", - // "admin.registries.metadata.form.edit" : "Edit metadata schema" - "admin.registries.metadata.form.edit" : "Editovat schéma metadat", + // "comcol-role.edit.collection-admin.description": "Collection administrators decide who can submit items to the collection, edit item metadata (after submission), and add (map) existing items from other collections to this collection (subject to authorization for that collection).", + "comcol-role.edit.collection-admin.description" : "Správci kolekcí rozhodují o tom, kdo může do kolekce vkládat položky, upravovat metadata položek (po jejich vložení) a přidávat (mapovat) existující položky z jiných kolekcí do této kolekce (v závislosti na oprávnění dané kolekce).", - // "admin.registries.metadata.form.name" : "Name" - "admin.registries.metadata.form.name" : "Název", - // "admin.registries.metadata.form.namespace" : "Namespace" - "admin.registries.metadata.form.namespace" : "Jmenný prostor", + // "comcol-role.edit.submitters.name": "Submitters", + "comcol-role.edit.submitters.name" : "Předkladatelé", - // "admin.registries.metadata.head" : "Metadata Registry" - "admin.registries.metadata.head" : "Registr metadat", + // "comcol-role.edit.submitters.description": "The E-People and Groups that have permission to submit new items to this collection.", + "comcol-role.edit.submitters.description" : "E-People a skupiny, které mají oprávnění vkládat nové položky do této kolekce.", - // "admin.registries.metadata.schemas.no-items" : "No metadata schemas to show." - "admin.registries.metadata.schemas.no-items" : "Žádná schémata metadat.", - // "admin.registries.metadata.schemas.table.delete" : "Delete selected" - "admin.registries.metadata.schemas.table.delete" : "Vymazat označené", + // "comcol-role.edit.item_read.name": "Default item read access", + "comcol-role.edit.item_read.name" : "Výchozí přístup ke čtení položek", - // "admin.registries.metadata.schemas.table.id" : "ID" - "admin.registries.metadata.schemas.table.id" : "ID", + // "comcol-role.edit.item_read.description": "E-People and Groups that can read new items submitted to this collection. Changes to this role are not retroactive. Existing items in the system will still be viewable by those who had read access at the time of their addition.", + "comcol-role.edit.item_read.description" : "E-Lidé a skupiny, které mohou číst nové položky odeslané do této kolekce. Změny této role nejsou zpětné. Stávající položky v systému budou i nadále zobrazitelné pro ty, kteří měli přístup ke čtení v době jejich přidání.", - // "admin.registries.metadata.schemas.table.name" : "Name" - "admin.registries.metadata.schemas.table.name" : "Název", + // "comcol-role.edit.item_read.anonymous-group": "Default read for incoming items is currently set to Anonymous.", + "comcol-role.edit.item_read.anonymous-group" : "Výchozí čtení pro příchozí položky je aktuálně nastaveno na Anonymní.", - // "admin.registries.metadata.schemas.table.namespace" : "Namespace" - "admin.registries.metadata.schemas.table.namespace" : "Jmenný prostor", - // "admin.registries.metadata.title" : "Metadata Registry" - "admin.registries.metadata.title" : "Registr metadat", + // "comcol-role.edit.bitstream_read.name": "Default bitstream read access", + "comcol-role.edit.bitstream_read.name" : "Výchozí přístup ke čtení bitstreamu", - // "admin.registries.schema.breadcrumbs" : "Metadata schema" - "admin.registries.schema.breadcrumbs" : "Schéma metadat", + // "comcol-role.edit.bitstream_read.description": "Community administrators can create sub-communities or collections, and manage or assign management for those sub-communities or collections. In addition, they decide who can submit items to any sub-collections, edit item metadata (after submission), and add (map) existing items from other collections (subject to authorization).", + "comcol-role.edit.bitstream_read.description" : "Správci komunit mohou vytvářet subkomunity nebo kolekce a spravovat nebo přidělovat správu těmto subkomunitám nebo kolekcím. Kromě toho rozhodují o tom, kdo může do subkolekcí vkládat položky, upravovat metadata položek (po jejich vložení) a přidávat (mapovat) existující položky z jiných kolekcí (na základě oprávnění).", - // "admin.registries.schema.description" : "This is the metadata schema for "{{namespace}}"." - "admin.registries.schema.description" : "Toto je schéma metadat pro „{{namespace}}“.", + // "comcol-role.edit.bitstream_read.anonymous-group": "Default read for incoming bitstreams is currently set to Anonymous.", + "comcol-role.edit.bitstream_read.anonymous-group" : "Výchozí čtení pro příchozí bitstreamy je v současné době nastaveno na hodnotu Anonymní.", - // "admin.registries.schema.fields.head" : "Schema metadata fields" - "admin.registries.schema.fields.head" : "Pole schématu metadat", - // "admin.registries.schema.fields.no-items" : "No metadata fields to show." - "admin.registries.schema.fields.no-items" : "Žádná metadatová pole.", + // "comcol-role.edit.editor.name": "Editors", + "comcol-role.edit.editor.name" : "Editoři", - // "admin.registries.schema.fields.table.delete" : "Delete selected" - "admin.registries.schema.fields.table.delete" : "Vymazat označené", + // "comcol-role.edit.editor.description": "Editors are able to edit the metadata of incoming submissions, and then accept or reject them.", + "comcol-role.edit.editor.description" : "Editoři mohou upravovat metadata příchozích příspěvků a následně je přijmout nebo odmítnout.", - // "admin.registries.schema.fields.table.field" : "Field" - "admin.registries.schema.fields.table.field" : "Pole", - // "admin.registries.schema.fields.table.scopenote" : "Scope Note" - "admin.registries.schema.fields.table.scopenote" : "Poznámka o rozsahu", + // "comcol-role.edit.finaleditor.name": "Final editors", + "comcol-role.edit.finaleditor.name" : "Finální editoři", - // "admin.registries.schema.form.create" : "Create metadata field" - "admin.registries.schema.form.create" : "Vytvoření metadatového pole", + // "comcol-role.edit.finaleditor.description": "Final editors are able to edit the metadata of incoming submissions, but will not be able to reject them.", + "comcol-role.edit.finaleditor.description" : "Finální editoři mohou upravovat metadata příchozích příspěvků, ale nebudou je moci odmítnout.", - // "admin.registries.schema.form.edit" : "Edit metadata field" - "admin.registries.schema.form.edit" : "Editace metadatového pole", - // "admin.registries.schema.form.element" : "Element" - "admin.registries.schema.form.element" : "Element", + // "comcol-role.edit.reviewer.name": "Reviewers", + "comcol-role.edit.reviewer.name" : "Recenzenti", - // "admin.registries.schema.form.qualifier" : "Qualifier" - "admin.registries.schema.form.qualifier" : "Kvalifikátor", + // "comcol-role.edit.reviewer.description": "Reviewers are able to accept or reject incoming submissions. However, they are not able to edit the submission's metadata.", + "comcol-role.edit.reviewer.description" : "Recenzenti mohou příchozí příspěvky přijmout nebo odmítnout. Nemohou však upravovat metadata záznamu.", - // "admin.registries.schema.form.scopenote" : "Scope Note" - "admin.registries.schema.form.scopenote" : "Poznámka o rozsahu", - // "admin.registries.schema.head" : "Metadata Schema" - "admin.registries.schema.head" : "Metadatové schéma", + // "comcol-role.edit.scorereviewers.name": "Score Reviewers", + "comcol-role.edit.scorereviewers.name" : "Hodnotitelé skóre", - // "admin.registries.schema.notification.created" : "Successfully created metadata schema \"{{prefix}}\"" - "admin.registries.schema.notification.created" : "Úspěšně vytvořeno schéma metadat \"{{prefix}}\"", + // "comcol-role.edit.scorereviewers.description": "Reviewers are able to give a score to incoming submissions, this will define whether the submission will be rejected or not.", + "comcol-role.edit.scorereviewers.description" : "Hodnotitelé mohou příchozím příspěvkům přidělit bodové hodnocení, které určí, zda bude příspěvek zamítnut, nebo ne.", - // "admin.registries.schema.notification.deleted.failure" : "Failed to delete {{amount}} metadata schemas" - "admin.registries.schema.notification.deleted.failure" : "Nelze odstranit {{amount}} schéma metadat", - // "admin.registries.schema.notification.deleted.success" : "Successfully deleted {{amount}} metadata schemas" - "admin.registries.schema.notification.deleted.success" : "Úspěšně odstraněno {{amount}} schémat metadat", - // "admin.registries.schema.notification.edited" : "Successfully edited metadata schema \"{{prefix}}\"" - "admin.registries.schema.notification.edited" : "Úspěšně editováno schéma metadat \"{{prefix}}\"", + // "community.form.abstract": "Short Description", + "community.form.abstract" : "Krátký popis", - // "admin.registries.schema.notification.failure" : "Error" - "admin.registries.schema.notification.failure" : "Chyba", + // "community.form.description": "Introductory text (HTML)", + "community.form.description" : "Úvodní text (HTML)", - // "admin.registries.schema.notification.field.created" : "Successfully created metadata field \"{{field}}\"" - "admin.registries.schema.notification.field.created" : "Úspěšně vytvořeno schéma metadat \"{{field}}\"", + // "community.form.errors.title.required": "Please enter a community name", + "community.form.errors.title.required" : "Zadejte prosím název komunity", - // "admin.registries.schema.notification.field.deleted.failure" : "Failed to delete {{amount}} metadata fields" - "admin.registries.schema.notification.field.deleted.failure" : "Nepodařilo se odstranit {{amount}} schémat metadat", + // "community.form.rights": "Copyright text (HTML)", + "community.form.rights" : "Autorské práva (HTML)", - // "admin.registries.schema.notification.field.deleted.success" : "Successfully deleted {{amount}} metadata fields" - "admin.registries.schema.notification.field.deleted.success" : "Úspěšně odstraněno {{amount}} položek metadat", + // "community.form.tableofcontents": "News (HTML)", + "community.form.tableofcontents" : "Novinky (HTML)", - // "admin.registries.schema.notification.field.edited" : "Successfully edited metadata field \"{{field}}\"" - "admin.registries.schema.notification.field.edited" : "Úspěšně editováno položek metadat \"{{field}}\"", + // "community.form.title": "Name", + "community.form.title" : "Jméno", - // "admin.registries.schema.notification.success" : "Success" - "admin.registries.schema.notification.success" : "Úspěšně", + // "community.page.edit": "Edit this community", + "community.page.edit" : "Upravit tuto komunitu", - // "admin.registries.schema.return" : "Back" - "admin.registries.schema.return" : "Návrat", + // "community.page.handle": "Permanent URI for this community", + "community.page.handle" : "Trvalé URI pro tuto komunitu", - // "admin.registries.schema.title" : "Metadata Schema Registry" - "admin.registries.schema.title" : "Registr schémat metadat", + // "community.page.license": "License", + "community.page.license" : "Licence", - // "admin.access-control.epeople.actions.delete" : "Delete EPerson" - "admin.access-control.epeople.actions.delete" : "Smazat EOsobu", + // "community.page.news": "News", + "community.page.news" : "Novinky", - // "admin.access-control.epeople.actions.impersonate" : "Impersonate EPerson" - "admin.access-control.epeople.actions.impersonate" : "Vydávající se EOsoba", + // "community.all-lists.head": "Subcommunities and Collections", + "community.all-lists.head" : "Podkomunity a kolekce", - // "admin.access-control.epeople.actions.reset" : "Reset password" - "admin.access-control.epeople.actions.reset" : "Resetovat heslo", + // "community.sub-collection-list.head": "Collections of this Community", + "community.sub-collection-list.head" : "Kolekce v této komunitě", - // "admin.access-control.epeople.actions.stop-impersonating" : "Stop impersonating EPerson" - "admin.access-control.epeople.actions.stop-impersonating" : "Stop vydávající se EOsobě", + // "community.sub-community-list.head": "Communities of this Community", + "community.sub-community-list.head" : "Komunity této komunity", - // "admin.access-control.epeople.breadcrumbs" : "EPeople" - "admin.access-control.epeople.breadcrumbs" : "EPeople", - // "admin.access-control.epeople.title" : "EPeople" - "admin.access-control.epeople.title" : "EOsoby", - // "admin.access-control.epeople.head" : "EPeople" - "admin.access-control.epeople.head" : "EOsoby", + // "cookies.consent.accept-all": "Accept all", + "cookies.consent.accept-all" : "Přijmout vše", - // "admin.access-control.epeople.search.head" : "Search" - "admin.access-control.epeople.search.head" : "Hledat", + // "cookies.consent.accept-selected": "Accept selected", + "cookies.consent.accept-selected" : "Přijmout zvolené", - // "admin.access-control.epeople.button.see-all" : "Browse All" - "admin.access-control.epeople.button.see-all" : "Procházet vše", + // "cookies.consent.app.opt-out.description": "This app is loaded by default (but you can opt out)", + "cookies.consent.app.opt-out.description" : "Tato aplikace je načtena ve výchozím nastavení (ale můžete ji odhlásit).", - // "admin.access-control.epeople.search.scope.metadata" : "Metadata" - "admin.access-control.epeople.search.scope.metadata" : "Metadata", + // "cookies.consent.app.opt-out.title": "(opt-out)", + "cookies.consent.app.opt-out.title" : "(odhlásit)", - // "admin.access-control.epeople.search.scope.email" : "E-mail (exact)" - "admin.access-control.epeople.search.scope.email" : "E-mail (exaktně)", + // "cookies.consent.app.purpose": "purpose", + "cookies.consent.app.purpose" : "účel", - // "admin.access-control.epeople.search.button" : "Search" - "admin.access-control.epeople.search.button" : "Vyhledávat", + // "cookies.consent.app.required.description": "This application is always required", + "cookies.consent.app.required.description" : "Tato aplikace je vždy vyžadována", - // "admin.access-control.epeople.search.placeholder" : "Search people..." - "admin.access-control.epeople.search.placeholder" : "Hledat lidi...", + // "cookies.consent.app.required.title": "(always required)", + "cookies.consent.app.required.title" : "(vždy vyžadováno)", - // "admin.access-control.epeople.button.add" : "Add EPerson" - "admin.access-control.epeople.button.add" : "Přidat EOsobu", + // "cookies.consent.app.disable-all.description": "Use this switch to enable or disable all services.", + "cookies.consent.app.disable-all.description" : "Pomocí tohoto přepínače povolte nebo zakažte všechny služby.", - // "admin.access-control.epeople.table.id" : "ID" - "admin.access-control.epeople.table.id" : "ID", + // "cookies.consent.app.disable-all.title": "Enable or disable all services", + "cookies.consent.app.disable-all.title" : "Povolit nebo zakázat všechny služby", - // "admin.access-control.epeople.table.name" : "Name" - "admin.access-control.epeople.table.name" : "Jméno", + // "cookies.consent.update": "There were changes since your last visit, please update your consent.", + "cookies.consent.update" : "Od vaší poslední návštěvy došlo ke změnám, aktualizujte prosím svůj souhlas.", - // "admin.access-control.epeople.table.email" : "E-mail (exact)" - "admin.access-control.epeople.table.email" : "E-mail (exaktně)", + // "cookies.consent.close": "Close", + "cookies.consent.close" : "Zavřít", - // "admin.access-control.epeople.table.edit" : "Edit" - "admin.access-control.epeople.table.edit" : "Editovat", + // "cookies.consent.decline": "Decline", + "cookies.consent.decline" : "Odmítnout", - // "admin.access-control.epeople.table.edit.buttons.edit" : "Edit \"{{name}}\"" - "admin.access-control.epeople.table.edit.buttons.edit" : "Editovat \"{{name}}\"", + // "cookies.consent.ok": "That's ok", + "cookies.consent.ok" : "V pořádku", - // "admin.access-control.epeople.table.edit.buttons.edit-disabled" : "You are not authorized to edit this group" - "admin.access-control.epeople.table.edit.buttons.edit-disabled" : "Nejste oprávněni upravovat tuto skupinu", + // "cookies.consent.save": "Save", + "cookies.consent.save" : "Uložit", - // "admin.access-control.epeople.table.edit.buttons.remove" : "Delete \"{{name}}\"" - "admin.access-control.epeople.table.edit.buttons.remove" : "Smazat \"{{name}}\"", + // "cookies.consent.content-notice.title": "Cookie Consent", + "cookies.consent.content-notice.title" : "Souhlas s použitím souborů cookie", - // "admin.access-control.epeople.no-items" : "No EPeople to show." - "admin.access-control.epeople.no-items" : "Žádni EOsoby na zobrazení.", + // "cookies.consent.content-notice.description": "We collect and process your personal information for the following purposes: Authentication, Preferences, Acknowledgement and Statistics.
To learn more, please read our {privacyPolicy}.", + "cookies.consent.content-notice.description": "Vaše osobní údaje shromažďujeme a zpracováváme pro následující účely: Ověřování, předvolby, potvrzení a statistiky.
Chcete-li se dozvědět více, přečtěte si naše {Zásady ochrany osobních údajů}.", - // "admin.access-control.epeople.form.create" : "Create EPerson" - "admin.access-control.epeople.form.create" : "Vytvořit EPerson", + // "cookies.consent.content-notice.description.no-privacy": "We collect and process your personal information for the following purposes: Authentication, Preferences, Acknowledgement and Statistics.", + "cookies.consent.content-notice.description.no-privacy": "Vaše osobní údaje shromažďujeme a zpracováváme pro následující účely: Ověřování, předvolby, potvrzení a statistiky.", - // "admin.access-control.epeople.form.edit" : "Edit EPerson" - "admin.access-control.epeople.form.edit" : "Editovat EOsobu", + // "cookies.consent.content-notice.learnMore": "Customize", + "cookies.consent.content-notice.learnMore" : "Přizpůsobení", - // "admin.access-control.epeople.form.firstName" : "First name" - "admin.access-control.epeople.form.firstName" : "Jméno", + // "cookies.consent.content-modal.description": "Here you can see and customize the information that we collect about you.", + "cookies.consent.content-modal.description" : "Zde si můžete zobrazit a přizpůsobit informace, které o vás shromažďujeme.", - // "admin.access-control.epeople.form.lastName" : "Last name" - "admin.access-control.epeople.form.lastName" : "Příjmení", + // "cookies.consent.content-modal.privacy-policy.name": "privacy policy", + "cookies.consent.content-modal.privacy-policy.name" : "zásady ochrany osobních údajů", - // "admin.access-control.epeople.form.email" : "E-mail" - "admin.access-control.epeople.form.email" : "E-mail", + // "cookies.consent.content-modal.privacy-policy.text": "To learn more, please read our {privacyPolicy}.", + "cookies.consent.content-modal.privacy-policy.text" : "Chcete-li se dozvědět více, přečtěte si naše {zásady ochrany osobních údajů}.", - // "admin.access-control.epeople.form.emailHint" : "Must be valid e-mail address" - "admin.access-control.epeople.form.emailHint" : "Nutno zadat validní e-mailovou adresu", + // "cookies.consent.content-modal.title": "Information that we collect", + "cookies.consent.content-modal.title" : "Informace, které shromažďujeme", - // "admin.access-control.epeople.form.canLogIn" : "Can log in" - "admin.access-control.epeople.form.canLogIn" : "Možno přihlásit se", + // "cookies.consent.content-modal.services": "services", + "cookies.consent.content-modal.services" : "služby", - // "admin.access-control.epeople.form.requireCertificate" : "Requires certificate" - "admin.access-control.epeople.form.requireCertificate" : "Vyžadován certifikát", + // "cookies.consent.content-modal.service": "service", + "cookies.consent.content-modal.service" : "služba", - // "admin.access-control.epeople.form.return" : "Back" - "admin.access-control.epeople.form.return" : "Zpět", + // "cookies.consent.app.title.authentication": "Authentication", + "cookies.consent.app.title.authentication" : "Ověření", - // "admin.access-control.epeople.form.notification.created.success" : "Successfully created EPerson \"{{name}}\"" - "admin.access-control.epeople.form.notification.created.success" : "Úspěšně vytvořena EOsoba \"{{name}}\"", + // "cookies.consent.app.description.authentication": "Required for signing you in", + "cookies.consent.app.description.authentication" : "Povinné pro přihlášení", - // "admin.access-control.epeople.form.notification.created.failure" : "Failed to create EPerson \"{{name}}\"" - "admin.access-control.epeople.form.notification.created.failure" : "Selhalo vytvoření EOsoby \"{{name}}\"", - // "admin.access-control.epeople.form.notification.created.failure.emailInUse" : "Failed to create EPerson \"{{name}}\", email \"{{email}}\" already in use." - "admin.access-control.epeople.form.notification.created.failure.emailInUse" : "Selhalo vytvoření EOsoby \"{{name}}\", email \"{{email}}\" already in use.", + // "cookies.consent.app.title.preferences": "Preferences", + "cookies.consent.app.title.preferences" : "Předvolby", - // "admin.access-control.epeople.form.notification.edited.failure.emailInUse" : "Failed to edit EPerson \"{{name}}\", email \"{{email}}\" already in use." - "admin.access-control.epeople.form.notification.edited.failure.emailInUse" : "Selhalo vytvoření EOsoby \"{{name}}\", email \"{{email}}\" already in use.", + // "cookies.consent.app.description.preferences": "Required for saving your preferences", + "cookies.consent.app.description.preferences" : "Nutné pro uložení vašich předvoleb", - // "admin.access-control.epeople.form.notification.edited.success" : "Successfully edited EPerson \"{{name}}\"" - "admin.access-control.epeople.form.notification.edited.success" : "Úspěrně editována EOsoba \"{{name}}\"", - // "admin.access-control.epeople.form.notification.edited.failure" : "Failed to edit EPerson \"{{name}}\"" - "admin.access-control.epeople.form.notification.edited.failure" : "Selhala editace EOsoby \"{{name}}\"", - // "admin.access-control.epeople.form.notification.deleted.success" : "Successfully deleted EPerson \"{{name}}\"" - "admin.access-control.epeople.form.notification.deleted.success" : "Úspěšně vymazána EOsoba \"{{name}}\"", + // "cookies.consent.app.title.acknowledgement": "Acknowledgement", + "cookies.consent.app.title.acknowledgement" : "Potvrzení", - // "admin.access-control.epeople.form.notification.deleted.failure" : "Failed to delete EPerson \"{{name}}\"" - "admin.access-control.epeople.form.notification.deleted.failure" : "Selhalo vymazání EOsoby \"{{name}}\"", + // "cookies.consent.app.description.acknowledgement": "Required for saving your acknowledgements and consents", + "cookies.consent.app.description.acknowledgement" : "Požadováno pro uložení vašich potvrzení a souhlasů", - // "admin.access-control.epeople.form.groupsEPersonIsMemberOf" : "Member of these groups:" - "admin.access-control.epeople.form.groupsEPersonIsMemberOf" : "Členové těchto skupin:", - // "admin.access-control.epeople.form.table.id" : "ID" - "admin.access-control.epeople.form.table.id" : "ID", - // "admin.access-control.epeople.form.table.name" : "Name" - "admin.access-control.epeople.form.table.name" : "Jméno", + // "cookies.consent.app.title.google-analytics": "Google Analytics", + "cookies.consent.app.title.google-analytics" : "Google Analytics", - // "admin.access-control.epeople.form.table.collectionOrCommunity" : "Collection/Community" - "admin.access-control.epeople.form.table.collectionOrCommunity" : "Kolekce/komunita", + // "cookies.consent.app.description.google-analytics": "Allows us to track statistical data", + "cookies.consent.app.description.google-analytics" : "Umožňuje nám sledovat statistické údaje", - // "admin.access-control.epeople.form.memberOfNoGroups" : "This EPerson is not a member of any groups" - "admin.access-control.epeople.form.memberOfNoGroups" : "Tato EOsoba není členem žádné skupiny", - // "admin.access-control.epeople.form.goToGroups" : "Add to groups" - "admin.access-control.epeople.form.goToGroups" : "Přidat do skupin", - // "admin.access-control.epeople.notification.deleted.failure" : "Failed to delete EPerson: \"{{name}}\"" - "admin.access-control.epeople.notification.deleted.failure" : "Selhalo vymazání EOsoby: \"{{name}}\"", + // "cookies.consent.app.title.google-recaptcha": "Google reCaptcha", + "cookies.consent.app.title.google-recaptcha" : "Google reCaptcha", - // "admin.access-control.epeople.notification.deleted.success" : "Successfully deleted EPerson: \"{{name}}\"" - "admin.access-control.epeople.notification.deleted.success" : "Úspěšně vymazána EOsoba: \"{{name}}\"", + // "cookies.consent.app.description.google-recaptcha": "We use google reCAPTCHA service during registration and password recovery", + "cookies.consent.app.description.google-recaptcha" : "Při registraci a obnově hesla používáme službu reCAPTCHA společnosti Google.", - // "admin.access-control.groups.title" : "Groups" - "admin.access-control.groups.title" : "Skupiny", - // "admin.access-control.groups.breadcrumbs" : "Groups" - "admin.access-control.groups.breadcrumbs" : "Skupiny", + // "cookies.consent.purpose.functional": "Functional", + "cookies.consent.purpose.functional" : "Funkční", - // "admin.access-control.groups.singleGroup.breadcrumbs" : "Edit Group" - "admin.access-control.groups.singleGroup.breadcrumbs" : "Upravit skupinu", + // "cookies.consent.purpose.statistical": "Statistical", + "cookies.consent.purpose.statistical" : "Statistické", - // "admin.access-control.groups.title.singleGroup" : "Edit Group" - "admin.access-control.groups.title.singleGroup" : "Editovat skupinu", + // "cookies.consent.purpose.registration-password-recovery": "Registration and Password recovery", + "cookies.consent.purpose.registration-password-recovery" : "Registrace a obnovení hesla", - // "admin.access-control.groups.title.addGroup" : "New Group" - "admin.access-control.groups.title.addGroup" : "Nová skupina", + // "cookies.consent.purpose.sharing": "Sharing", + "cookies.consent.purpose.sharing" : "Sdílení", - // "admin.access-control.groups.addGroup.breadcrumbs" : "New Group" - "admin.access-control.groups.addGroup.breadcrumbs" : "Nová skupina", + // "curation-task.task.citationpage.label": "Generate Citation Page", + "curation-task.task.citationpage.label" : "Vytvořit stránku s citacemi", - // "admin.access-control.groups.head" : "Groups" - "admin.access-control.groups.head" : "Skupiny", + // "curation-task.task.checklinks.label": "Check Links in Metadata", + "curation-task.task.checklinks.label": "Zkontrolujte linky v metadatech.", - // "admin.access-control.groups.button.add" : "Add group" - "admin.access-control.groups.button.add" : "Přidat skupinu", + // "curation-task.task.noop.label": "NOOP", + "curation-task.task.noop.label" : "NOOP", - // "admin.access-control.groups.search.head" : "Search groups" - "admin.access-control.groups.search.head" : "Hledat skupinu", + // "curation-task.task.profileformats.label": "Profile Bitstream Formats", + "curation-task.task.profileformats.label" : "Formáty profilů bitstreamů", - // "admin.access-control.groups.button.see-all" : "Browse all" - "admin.access-control.groups.button.see-all" : "Procházet vše", + // "curation-task.task.requiredmetadata.label": "Check for Required Metadata", + "curation-task.task.requiredmetadata.label" : "Zkontrolovat požadovaná metadata", - // "admin.access-control.groups.search.button" : "Search" - "admin.access-control.groups.search.button" : "Hledat", + // "curation-task.task.translate.label": "Microsoft Translator", + "curation-task.task.translate.label" : "Překladač Microsoft", - // "admin.access-control.groups.search.placeholder" : "Search groups..." - "admin.access-control.groups.search.placeholder" : "Hledat skupiny...", + // "curation-task.task.vscan.label": "Virus Scan", + "curation-task.task.vscan.label" : "Virová kontrola", - // "admin.access-control.groups.table.id" : "ID" - "admin.access-control.groups.table.id" : "ID", + // "curation-task.task.register-doi.label": "Register DOI", + "curation-task.task.register-doi.label" : "Registrovat DOI", - // "admin.access-control.groups.table.name" : "Name" - "admin.access-control.groups.table.name" : "Jméno", - // "admin.access-control.groups.table.collectionOrCommunity" : "Collection/Community" - "admin.access-control.groups.table.collectionOrCommunity" : "Kolekce/komunita", - // "admin.access-control.groups.table.members" : "Members" - "admin.access-control.groups.table.members" : "Členové", + // "curation.form.task-select.label": "Task:", + "curation.form.task-select.label": "Úkol:", - // "admin.access-control.groups.table.edit" : "Edit" - "admin.access-control.groups.table.edit" : "Editovat", + // "curation.form.submit": "Start", + "curation.form.submit" : "Start", - // "admin.access-control.groups.table.edit.buttons.edit" : "Edit \"{{name}}\"" - "admin.access-control.groups.table.edit.buttons.edit" : "Editovat \"{{name}}\"", + // "curation.form.submit.success.head": "The curation task has been started successfully", + "curation.form.submit.success.head" : "Kurátorský úkol byl úspěšně zahájen", - // "admin.access-control.groups.table.edit.buttons.remove" : "Delete \"{{name}}\"" - "admin.access-control.groups.table.edit.buttons.remove" : "Smazat \"{{name}}\"", + // "curation.form.submit.success.content": "You will be redirected to the corresponding process page.", + "curation.form.submit.success.content" : "Budete přesměrováni na odpovídající stránku procesu.", - // "admin.access-control.groups.no-items" : "No groups found with this in their name or this as UUID" - "admin.access-control.groups.no-items" : "Nebyly nalezeny žádné skupiny s těmino jmény nebo UUID", + // "curation.form.submit.error.head": "Running the curation task failed", + "curation.form.submit.error.head" : "Spuštění kurátorské úlohy se nezdařilo", - // "admin.access-control.groups.notification.deleted.success" : "Successfully deleted group \"{{name}}\"" - "admin.access-control.groups.notification.deleted.success" : "Úspěšně vymazána skupina \"{{name}}\"", + // "curation.form.submit.error.content": "An error occured when trying to start the curation task.", + "curation.form.submit.error.content" : "Při pokusu o spuštění kurátorské úlohy došlo k chybě.", - // "admin.access-control.groups.notification.deleted.failure.title" : "Failed to delete group \"{{name}}\"" - "admin.access-control.groups.notification.deleted.failure.title" : "Selhalo vymazání skupiny \"{{name}}\"", + // "curation.form.submit.error.invalid-handle": "Couldn't determine the handle for this object", + "curation.form.submit.error.invalid-handle" : "Nepodařilo se určit handle tohoto objektu", - // "admin.access-control.groups.notification.deleted.failure.content" : "Cause: \"{{cause}}\"" - "admin.access-control.groups.notification.deleted.failure.content" : "Způsobeno: \"{{cause}}\"", + // "curation.form.handle.label": "Handle:", + "curation.form.handle.label": "Handle:", - // "admin.access-control.groups.form.alert.permanent" : "This group is permanent, so it can't be edited or deleted. You can still add and remove group members using this page." - "admin.access-control.groups.form.alert.permanent" : "Tato skupina je trvalá, nemůže být vymazána nebo editována. Je stále možno přidat nebo odebrat členy na této stránce.", + // "curation.form.handle.hint": "Hint: Enter [your-handle-prefix]/0 to run a task across entire site (not all tasks may support this capability)", + "curation.form.handle.hint": "Tip: Zadejte [your-handle-prefix]/0 pro spuštění úlohy na celém webu (ne všechny úlohy mohou tuto schopnost podporovat)", - // "admin.access-control.groups.form.alert.workflowGroup" : "This group can’t be modified or deleted because it corresponds to a role in the submission and workflow process in the \"{{name}}\" {{comcol}}. You can delete it from the "assign roles" tab on the edit {{comcol}} page. You can still add and remove group members using this page." - "admin.access-control.groups.form.alert.workflowGroup" : "Tato skupina nemůže být modifikována nebo vymazána, protože koresponduje roli ve workflow \"{{name}}\" {{comcol}}. Smazat je možné v \"přiřadit role\" rozbalením editační {{comcol}} stránky. Je stále možno přidat nebo odebrat členy na této stránce.", - // "admin.access-control.groups.form.head.create" : "Create group" - "admin.access-control.groups.form.head.create" : "Vytvořit skupinu", - // "admin.access-control.groups.form.head.edit" : "Edit group" - "admin.access-control.groups.form.head.edit" : "Editovat skupinu", + // "deny-request-copy.email.message": "Dear {{ recipientName }},\nIn response to your request I regret to inform you that it's not possible to send you a copy of the file(s) you have requested, concerning the document: \"{{ itemUrl }}\" ({{ itemName }}), of which I am an author.\n\nBest regards,\n{{ authorName }} <{{ authorEmail }}>", + "deny-request-copy.email.message": "Vážený {{ jméno příjemce }},\nV reakci na Vaši žádost Vám bohužel musím sdělit, že Vám není možné zaslat kopii souboru(ů), který(é) jste požadoval(y), týkající se dokumentu: \"{{ itemUrl }}\" ({{ itemName }}), jehož jsem autorem.\n\nS pozdravem,\n{{ authorName }} <{{ authorEmail }}>", - // "admin.access-control.groups.form.groupName" : "Group name" - "admin.access-control.groups.form.groupName" : "Jméno skupiny", + // "deny-request-copy.email.subject": "Request copy of document", + "deny-request-copy.email.subject" : "Vyžádat si kopii dokumentu", - // "admin.access-control.groups.form.groupCommunity" : "Community or Collection" - "admin.access-control.groups.form.groupCommunity" : "Komunita nebo kolekce", + // "deny-request-copy.error": "An error occurred", + "deny-request-copy.error" : "Došlo k chybě", - // "admin.access-control.groups.form.groupDescription" : "Description" - "admin.access-control.groups.form.groupDescription" : "Popis", + // "deny-request-copy.header": "Deny document copy request", + "deny-request-copy.header" : "Odmítnout žádost o kopii dokumentu", - // "admin.access-control.groups.form.notification.created.success" : "Successfully created Group \"{{name}}\"" - "admin.access-control.groups.form.notification.created.success" : "Úspěšně editována skupina \"{{name}}\"", + // "deny-request-copy.intro": "This message will be sent to the applicant of the request", + "deny-request-copy.intro" : "Tato zpráva bude zaslána žadateli o žádost", - // "admin.access-control.groups.form.notification.created.failure" : "Failed to create Group \"{{name}}\"" - "admin.access-control.groups.form.notification.created.failure" : "Selhala editace skupiny \"{{name}}\"", + // "deny-request-copy.success": "Successfully denied item request", + "deny-request-copy.success" : "Úspěšně zamítnutá žádost o položku", - // "admin.access-control.groups.form.notification.created.failure.groupNameInUse" : "Failed to create Group with name: \"{{name}}\", make sure the name is not already in use." - "admin.access-control.groups.form.notification.created.failure.groupNameInUse" : "Selhala editace skupiny s názvem: \"{{name}}\", make sure the name is not already in use.", - // "admin.access-control.groups.form.notification.edited.failure" : "Failed to edit Group \"{{name}}\"" - "admin.access-control.groups.form.notification.edited.failure" : "Selhala editace skupiny \"{{name}}\"", - // "admin.access-control.groups.form.notification.edited.failure.groupNameInUse" : "Name \"{{name}}\" already in use!" - "admin.access-control.groups.form.notification.edited.failure.groupNameInUse" : "Jméno \"{{name}}\" je již používáno!", + // "dso.name.untitled": "Untitled", + "dso.name.untitled" : "Bez názvu", - // "admin.access-control.groups.form.notification.edited.success" : "Successfully edited Group \"{{name}}\"" - "admin.access-control.groups.form.notification.edited.success" : "Úspěšně editována skupina \"{{name}}\"", - // "admin.access-control.groups.form.actions.delete" : "Delete Group" - "admin.access-control.groups.form.actions.delete" : "Vymazat skupinu", - // "admin.access-control.groups.form.delete-group.modal.header" : "Delete Group \"{{ dsoName }}\"" - "admin.access-control.groups.form.delete-group.modal.header" : "Smazat skupinu \"{{ dsoName }}\"", + // "dso-selector.create.collection.head": "New collection", + "dso-selector.create.collection.head" : "Nová kolekce", - // "admin.access-control.groups.form.delete-group.modal.info" : "Are you sure you want to delete Group \"{{ dsoName }}\"" - "admin.access-control.groups.form.delete-group.modal.info" : "Opravdu chcete smazat skupinu \"{{ dsoName }}\"", + // "dso-selector.create.collection.sub-level": "Create a new collection in", + "dso-selector.create.collection.sub-level" : "Vytvořit novou kolekci v", - // "admin.access-control.groups.form.delete-group.modal.cancel" : "Cancel" - "admin.access-control.groups.form.delete-group.modal.cancel" : "Storno", + // "dso-selector.create.community.head": "New community", + "dso-selector.create.community.head" : "Nová komunita", - // "admin.access-control.groups.form.delete-group.modal.confirm" : "Delete" - "admin.access-control.groups.form.delete-group.modal.confirm" : "Smazat", + // "dso-selector.create.community.or-divider": "or", + "dso-selector.create.community.or-divider" : "nebo", - // "admin.access-control.groups.form.notification.deleted.success" : "Successfully deleted group \"{{ name }}\"" - "admin.access-control.groups.form.notification.deleted.success" : "Úspěšně vymazána skupina \"{{ name }}\"", + // "dso-selector.create.community.sub-level": "Create a new community in", + "dso-selector.create.community.sub-level" : "Vytvořit novou komunitu v", - // "admin.access-control.groups.form.notification.deleted.failure.title" : "Failed to delete group \"{{ name }}\"" - "admin.access-control.groups.form.notification.deleted.failure.title" : "Selhalo smazání skupiny \"{{ name }}\"", + // "dso-selector.create.community.top-level": "Create a new top-level community", + "dso-selector.create.community.top-level" : "Vytvořit novou komunitu nejvyšší úrovně", - // "admin.access-control.groups.form.notification.deleted.failure.content" : "Cause: \"{{ cause }}\"" - "admin.access-control.groups.form.notification.deleted.failure.content" : "Způsobeno: \"{{ cause }}\"", + // "dso-selector.create.item.head": "New item", + "dso-selector.create.item.head" : "Nová položka", - // "admin.access-control.groups.form.members-list.head" : "EPeople" - "admin.access-control.groups.form.members-list.head" : "EOsoby", + // "dso-selector.create.item.sub-level": "Create a new item in", + "dso-selector.create.item.sub-level" : "Vytvořit novou položku v", - // "admin.access-control.groups.form.members-list.search.head" : "Add EPeople" - "admin.access-control.groups.form.members-list.search.head" : "Přidat EOsoby", + // "dso-selector.create.submission.head": "New submission", + "dso-selector.create.submission.head" : "Nový příspěvek", - // "admin.access-control.groups.form.members-list.button.see-all" : "Browse All" - "admin.access-control.groups.form.members-list.button.see-all" : "Vyhledávat vše", + // "dso-selector.edit.collection.head": "Edit collection", + "dso-selector.edit.collection.head" : "Upravit kolekci", - // "admin.access-control.groups.form.members-list.headMembers" : "Current Members" - "admin.access-control.groups.form.members-list.headMembers" : "Aktuální členové", + // "dso-selector.edit.community.head": "Edit community", + "dso-selector.edit.community.head" : "Upravit komunitu", - // "admin.access-control.groups.form.members-list.search.scope.metadata" : "Metadata" - "admin.access-control.groups.form.members-list.search.scope.metadata" : "Metadata", + // "dso-selector.edit.item.head": "Edit item", + "dso-selector.edit.item.head" : "Upravit položku", - // "admin.access-control.groups.form.members-list.search.scope.email" : "E-mail (exact)" - "admin.access-control.groups.form.members-list.search.scope.email" : "E-mail (exatkně)", + // "dso-selector.error.title": "An error occurred searching for a {{ type }}", + "dso-selector.error.title" : "Při hledání {{ type }} došlo k chybě", - // "admin.access-control.groups.form.members-list.search.button" : "Search" - "admin.access-control.groups.form.members-list.search.button" : "Hledat", + // "dso-selector.export-metadata.dspaceobject.head": "Export metadata from", + "dso-selector.export-metadata.dspaceobject.head" : "Exportovat metadata z", - // "admin.access-control.groups.form.members-list.table.id" : "ID" - "admin.access-control.groups.form.members-list.table.id" : "ID", + // "dso-selector.export-batch.dspaceobject.head": "Export Batch (ZIP) from", + "dso-selector.export-batch.dspaceobject.head" : "Exportovat dávku (ZIP) z", - // "admin.access-control.groups.form.members-list.table.name" : "Name" - "admin.access-control.groups.form.members-list.table.name" : "Jméno", + // "dso-selector.import-batch.dspaceobject.head": "Import batch from", + "dso-selector.import-batch.dspaceobject.head" : "Importovat dávku z", - // "admin.access-control.groups.form.members-list.table.identity" : "Identity" - "admin.access-control.groups.form.members-list.table.identity" : "Identita", + // "dso-selector.no-results": "No {{ type }} found", + "dso-selector.no-results" : "Nebyl nalezen žádný {{ type }}", - // "admin.access-control.groups.form.members-list.table.email" : "Email" - "admin.access-control.groups.form.members-list.table.email" : "E-mail", + // "dso-selector.placeholder": "Search for a {{ type }}", + "dso-selector.placeholder" : "Hledat {{ type }}", - // "admin.access-control.groups.form.members-list.table.netid" : "NetID" - "admin.access-control.groups.form.members-list.table.netid" : "NetID", + // "dso-selector.select.collection.head": "Select a collection", + "dso-selector.select.collection.head" : "Vybrat kolekci", - // "admin.access-control.groups.form.members-list.table.edit" : "Remove / Add" - "admin.access-control.groups.form.members-list.table.edit" : "Přidat / Odebrat", + // "dso-selector.set-scope.community.head": "Select a search scope", + "dso-selector.set-scope.community.head" : "Vyberte rozsah vyhledávání", - // "admin.access-control.groups.form.members-list.table.edit.buttons.remove" : "Remove member with name \"{{name}}\"" - "admin.access-control.groups.form.members-list.table.edit.buttons.remove" : "Odebrat člena se jménem \"{{name}}\"", + // "dso-selector.set-scope.community.button": "Search all of DSpace", + "dso-selector.set-scope.community.button" : "Hledat v celém DSpace", - // "admin.access-control.groups.form.members-list.notification.success.addMember" : "Successfully added member: \"{{name}}\"" - "admin.access-control.groups.form.members-list.notification.success.addMember" : "Úspěšně přidán člen: \"{{name}}\"", + // "dso-selector.set-scope.community.or-divider": "or", + "dso-selector.set-scope.community.or-divider" : "nebo", - // "admin.access-control.groups.form.members-list.notification.failure.addMember" : "Failed to add member: \"{{name}}\"" - "admin.access-control.groups.form.members-list.notification.failure.addMember" : "Nepodařilo se přidat člena: \"{{name}}\"", + // "dso-selector.set-scope.community.input-header": "Search for a community or collection", + "dso-selector.set-scope.community.input-header" : "Vyhledání komunity nebo kolekce", - // "admin.access-control.groups.form.members-list.notification.success.deleteMember" : "Successfully deleted member: \"{{name}}\"" - "admin.access-control.groups.form.members-list.notification.success.deleteMember" : "Úspěšně vymazán člen: \"{{name}}\"", + // "dso-selector.claim.item.head": "Profile tips", + "dso-selector.claim.item.head" : "Tipy k profilu", - // "admin.access-control.groups.form.members-list.notification.failure.deleteMember" : "Failed to delete member: \"{{name}}\"" - "admin.access-control.groups.form.members-list.notification.failure.deleteMember" : "Nepodařilo se vymazat člena: \"{{name}}\"", + // "dso-selector.claim.item.body": "These are existing profiles that may be related to you. If you recognize yourself in one of these profiles, select it and on the detail page, among the options, choose to claim it. Otherwise you can create a new profile from scratch using the button below.", + "dso-selector.claim.item.body" : "Jedná se o existující profily, které s vámi mohou souviset. Pokud se v některém z těchto profilů poznáte, vyberte jej a na stránce s podrobnostmi mezi možnostmi zvolte, zda jej chcete reklamovat. V opačném případě si můžete vytvořit nový profil od začátku pomocí tlačítka níže.", - // "admin.access-control.groups.form.members-list.table.edit.buttons.add" : "Add member with name \"{{name}}\"" - "admin.access-control.groups.form.members-list.table.edit.buttons.add" : "Přidat člena se jménem \"{{name}}\"", + // "dso-selector.claim.item.not-mine-label": "None of these are mine", + "dso-selector.claim.item.not-mine-label" : "Žádný z nich není můj", - // "admin.access-control.groups.form.members-list.notification.failure.noActiveGroup" : "No current active group, submit a name first." - "admin.access-control.groups.form.members-list.notification.failure.noActiveGroup" : "Žádna aktivní skupina, přidejte nejdříve jméno.", + // "dso-selector.claim.item.create-from-scratch": "Create a new one", + "dso-selector.claim.item.create-from-scratch" : "Vytvořit nový", - // "admin.access-control.groups.form.members-list.no-members-yet" : "No members in group yet, search and add." - "admin.access-control.groups.form.members-list.no-members-yet" : "Ve skupině zatím nejsou žádní členové, vyhledejte je a přidejte.", + // "dso-selector.results-could-not-be-retrieved": "Something went wrong, please refresh again ↻", + "dso-selector.results-could-not-be-retrieved" : "Něco se pokazilo, obnovte prosím znovu ↻", - // "admin.access-control.groups.form.members-list.no-items" : "No EPeople found in that search" - "admin.access-control.groups.form.members-list.no-items" : "Žádné EOsoby nebyly nalezeny", + // "supervision-group-selector.header": "Supervision Group Selector", + "supervision-group-selector.header" : "Výběr dozorčí skupiny", - // "admin.access-control.groups.form.subgroups-list.notification.failure" : "Something went wrong: \"{{cause}}\"" - "admin.access-control.groups.form.subgroups-list.notification.failure" : "Něco je špatně: \"{{cause}}\"", + // "supervision-group-selector.select.type-of-order.label": "Select a type of Order", + "supervision-group-selector.select.type-of-order.label" : "Vyberte typ objednávky", - // "admin.access-control.groups.form.subgroups-list.head" : "Groups" - "admin.access-control.groups.form.subgroups-list.head" : "Skupiny", + // "supervision-group-selector.select.type-of-order.option.none": "NONE", + "supervision-group-selector.select.type-of-order.option.none" : "ŽÁDNÁ", - // "admin.access-control.groups.form.subgroups-list.search.head" : "Add Subgroup" - "admin.access-control.groups.form.subgroups-list.search.head" : "Přidat podskupinu", + // "supervision-group-selector.select.type-of-order.option.editor": "EDITOR", + "supervision-group-selector.select.type-of-order.option.editor" : "EDITOR", - // "admin.access-control.groups.form.subgroups-list.button.see-all" : "Browse All" - "admin.access-control.groups.form.subgroups-list.button.see-all" : "Procházet vše", + // "supervision-group-selector.select.type-of-order.option.observer": "OBSERVER", + "supervision-group-selector.select.type-of-order.option.observer" : "PŘIHLÍŽEJÍCI", - // "admin.access-control.groups.form.subgroups-list.headSubgroups" : "Current Subgroups" - "admin.access-control.groups.form.subgroups-list.headSubgroups" : "Aktuální podskupiny", + // "supervision-group-selector.select.group.label": "Select a Group", + "supervision-group-selector.select.group.label" : "Vyberte skupinu", - // "admin.access-control.groups.form.subgroups-list.search.button" : "Search" - "admin.access-control.groups.form.subgroups-list.search.button" : "Hledat", + // "supervision-group-selector.button.cancel": "Cancel", + "supervision-group-selector.button.cancel" : "Zrušit", - // "admin.access-control.groups.form.subgroups-list.table.id" : "ID" - "admin.access-control.groups.form.subgroups-list.table.id" : "ID", + // "supervision-group-selector.button.save": "Save", + "supervision-group-selector.button.save" : "Uložit", - // "admin.access-control.groups.form.subgroups-list.table.name" : "Name" - "admin.access-control.groups.form.subgroups-list.table.name" : "Jméno", + // "supervision-group-selector.select.type-of-order.error": "Please select a type of order", + "supervision-group-selector.select.type-of-order.error" : "Vyberte typ objednávky", - // "admin.access-control.groups.form.subgroups-list.table.collectionOrCommunity" : "Collection/Community" - "admin.access-control.groups.form.subgroups-list.table.collectionOrCommunity" : "Kolekce/Komunita", + // "supervision-group-selector.select.group.error": "Please select a group", + "supervision-group-selector.select.group.error" : "Vyberte prosím skupinu", - // "admin.access-control.groups.form.subgroups-list.table.edit" : "Remove / Add" - "admin.access-control.groups.form.subgroups-list.table.edit" : "Odebrat / Přidat", + // "supervision-group-selector.notification.create.success.title": "Successfully created supervision order for group {{ name }}", + "supervision-group-selector.notification.create.success.title" : "Úspěšně vytvořeno pořadí dohledu pro skupinu {{ název }}", - // "admin.access-control.groups.form.subgroups-list.table.edit.buttons.remove" : "Remove subgroup with name \"{{name}}\"" - "admin.access-control.groups.form.subgroups-list.table.edit.buttons.remove" : "Odebrat podskupinu se jménem \"{{name}}\"", + // "supervision-group-selector.notification.create.failure.title": "Error", + "supervision-group-selector.notification.create.failure.title" : "Chyba", - // "admin.access-control.groups.form.subgroups-list.table.edit.buttons.add" : "Add subgroup with name \"{{name}}\"" - "admin.access-control.groups.form.subgroups-list.table.edit.buttons.add" : "Přidat podskupinu se jménem \"{{name}}\"", + // "supervision-group-selector.notification.create.already-existing" : "A supervision order already exists on this item for selected group", + "supervision-group-selector.notification.create.already-existing" : "Pro tuto položku již existuje příkaz k dohledu pro vybranou skupinu", - // "admin.access-control.groups.form.subgroups-list.table.edit.currentGroup" : "Current group" - "admin.access-control.groups.form.subgroups-list.table.edit.currentGroup" : "Aktuální skupina", + // "confirmation-modal.export-metadata.header": "Export metadata for {{ dsoName }}", + "confirmation-modal.export-metadata.header" : "Exportovat metadata pro {{ dsoName }}", - // "admin.access-control.groups.form.subgroups-list.notification.success.addSubgroup" : "Successfully added subgroup: \"{{name}}\"" - "admin.access-control.groups.form.subgroups-list.notification.success.addSubgroup" : "Úspěšně přidána podskupina: \"{{name}}\"", + // "confirmation-modal.export-metadata.info": "Are you sure you want to export metadata for {{ dsoName }}", + "confirmation-modal.export-metadata.info" : "Opravdu chcete exportovat metadata pro {{ dsoName }}", - // "admin.access-control.groups.form.subgroups-list.notification.failure.addSubgroup" : "Failed to add subgroup: \"{{name}}\"" - "admin.access-control.groups.form.subgroups-list.notification.failure.addSubgroup" : "Nepodařilo se přidat podskupinu: \"{{name}}\"", + // "confirmation-modal.export-metadata.cancel": "Cancel", + "confirmation-modal.export-metadata.cancel" : "Zrušit", - // "admin.access-control.groups.form.subgroups-list.notification.success.deleteSubgroup" : "Successfully deleted subgroup: \"{{name}}\"" - "admin.access-control.groups.form.subgroups-list.notification.success.deleteSubgroup" : "Úspěšně vymazána podskupina: \"{{name}}\"", + // "confirmation-modal.export-metadata.confirm": "Export", + "confirmation-modal.export-metadata.confirm" : "Exportovat", - // "admin.access-control.groups.form.subgroups-list.notification.failure.deleteSubgroup" : "Failed to delete subgroup: \"{{name}}\"" - "admin.access-control.groups.form.subgroups-list.notification.failure.deleteSubgroup" : "Něpodařilo se odebrat podskupinu: \"{{name}}\"", + // "confirmation-modal.export-batch.header": "Export batch (ZIP) for {{ dsoName }}", + "confirmation-modal.export-batch.header" : "Dávka exportu (ZIP) pro {{ dsoName }}", - // "admin.access-control.groups.form.subgroups-list.notification.failure.noActiveGroup" : "No current active group, submit a name first." - "admin.access-control.groups.form.subgroups-list.notification.failure.noActiveGroup" : "Žádná aktivní skupina, přidejte nejdříve jméno.", + // "confirmation-modal.export-batch.info": "Are you sure you want to export batch (ZIP) for {{ dsoName }}", + "confirmation-modal.export-batch.info" : "Jste si jisti, že chcete exportovat dávku (ZIP) pro {{ dsoName }}", - // "admin.access-control.groups.form.subgroups-list.notification.failure.subgroupToAddIsActiveGroup" : "This is the current group, can't be added." - "admin.access-control.groups.form.subgroups-list.notification.failure.subgroupToAddIsActiveGroup" : "Toto je aktuální skupina, nemůže být přidána.", + // "confirmation-modal.export-batch.cancel": "Cancel", + "confirmation-modal.export-batch.cancel" : "Zrušit", - // "admin.access-control.groups.form.subgroups-list.no-items" : "No groups found with this in their name or this as UUID" - "admin.access-control.groups.form.subgroups-list.no-items" : "Žádné skupiny splňující podmínku zahrnutí do názvu nebo UUID nenalezeny", + // "confirmation-modal.export-batch.confirm": "Export", + "confirmation-modal.export-batch.confirm" : "Export", - // "admin.access-control.groups.form.subgroups-list.no-subgroups-yet" : "No subgroups in group yet." - "admin.access-control.groups.form.subgroups-list.no-subgroups-yet" : "Zatím žádné podskupiny v této skupině.", + // "confirmation-modal.delete-eperson.header": "Delete EPerson \"{{ dsoName }}\"", + "confirmation-modal.delete-eperson.header" : "Odstranit EPerson \"{{ dsoName }}\"", - // "admin.access-control.groups.form.return" : "Back" - "admin.access-control.groups.form.return" : "Návrat do skupin", + // "confirmation-modal.delete-eperson.info": "Are you sure you want to delete EPerson \"{{ dsoName }}\"", + "confirmation-modal.delete-eperson.info" : "Opravdu chcete odstranit EPerson \"{{ dsoName }}\"", - // "admin.search.breadcrumbs" : "Administrative Search" - "admin.search.breadcrumbs" : "Administrativní vyhledávání", + // "confirmation-modal.delete-eperson.cancel": "Cancel", + "confirmation-modal.delete-eperson.cancel" : "Zrušit", - // "admin.search.collection.edit" : "Edit" - "admin.search.collection.edit" : "Editace", + // "confirmation-modal.delete-eperson.confirm": "Delete", + "confirmation-modal.delete-eperson.confirm" : "Odstranit", - // "admin.search.community.edit" : "Edit" - "admin.search.community.edit" : "Editace", + // "confirmation-modal.delete-profile.header": "Delete Profile", + "confirmation-modal.delete-profile.header" : "Smazat profil", - // "admin.search.item.delete" : "Delete" - "admin.search.item.delete" : "Smazat", + // "confirmation-modal.delete-profile.info": "Are you sure you want to delete your profile", + "confirmation-modal.delete-profile.info" : "Jste si jisti, že chcete odstranit svůj profil?", - // "admin.search.item.edit" : "Edit" - "admin.search.item.edit" : "Editace", + // "confirmation-modal.delete-profile.cancel": "Cancel", + "confirmation-modal.delete-profile.cancel" : "Zrušit", - // "admin.search.item.make-private" : "Make non-discoverable" - "admin.search.item.make-private" : "Nastavit jako privátní", + // "confirmation-modal.delete-profile.confirm": "Delete", + "confirmation-modal.delete-profile.confirm" : "Odstranit", - // "admin.search.item.make-public" : "Make discoverable" - "admin.search.item.make-public" : "Nastavit jako privátní", + // "confirmation-modal.delete-subscription.header": "Delete Subscription", + "confirmation-modal.delete-subscription.header" : "Odstranění odběru", - // "admin.search.item.move" : "Move" - "admin.search.item.move" : "Přesun", + // "confirmation-modal.delete-subscription.info": "Are you sure you want to delete subscription for \"{{ dsoName }}\"", + "confirmation-modal.delete-subscription.info" : "Jste si jisti, že chcete odstranit odběr pro \"{{ dsoName }}\"?", - // "admin.search.item.reinstate" : "Reinstate" - "admin.search.item.reinstate" : "Obnovení", + // "confirmation-modal.delete-subscription.cancel": "Cancel", + "confirmation-modal.delete-subscription.cancel" : "Zrušit", - // "admin.search.item.withdraw" : "Withdraw" - "admin.search.item.withdraw" : "Odstranit", + // "confirmation-modal.delete-subscription.confirm": "Delete", + "confirmation-modal.delete-subscription.confirm" : "Odstranit", - // "admin.search.title" : "Administrative Search" - "admin.search.title" : "Administrativní vyhledávání", + // "error.bitstream": "Error fetching bitstream", + "error.bitstream" : "Chyba při načítání bitstreamu", - // "administrativeView.search.results.head" : "Administrative Search" - "administrativeView.search.results.head" : "Administrativní vyhledávání", + // "error.browse-by": "Error fetching items", + "error.browse-by" : "Chyba při načítání položek", - // "admin.workflow.breadcrumbs" : "Administer Workflow" - "admin.workflow.breadcrumbs" : "Administrativní workflow", + // "error.collection": "Error fetching collection", + "error.collection" : "Chyba při načítání kolekce", - // "admin.workflow.title" : "Administer Workflow" - "admin.workflow.title" : "Administrativní Workflow", + // "error.collections": "Error fetching collections", + "error.collections" : "Chyba při načítání kolekcí", - // "admin.workflow.item.workflow" : "Workflow" - "admin.workflow.item.workflow" : "Workflow", + // "error.community": "Error fetching community", + "error.community" : "Chyba během stahování komunity", - // "admin.workflow.item.delete" : "Delete" - "admin.workflow.item.delete" : "Odstranit", + // "error.identifier": "No item found for the identifier", + "error.identifier" : "Pro identifikátor nebyla nalezena žádná položka", - // "admin.workflow.item.send-back" : "Send back" - "admin.workflow.item.send-back" : "Odeslat zpět", + // "error.default": "Error", + "error.default" : "Chyba", - // "admin.metadata-import.breadcrumbs" : "Import Metadata" - "admin.metadata-import.breadcrumbs" : "Importovat metadata", + // "error.item": "Error fetching item", + "error.item" : "Chyba během stahování záznamu", - // "admin.metadata-import.title" : "Import Metadata" - "admin.metadata-import.title" : "Importovat metadata", + // "error.items": "Error fetching items", + "error.items" : "Error fetching items", - // "admin.metadata-import.page.header" : "Import Metadata" - "admin.metadata-import.page.header" : "Importovat metadata", + // "error.objects": "Error fetching objects", + "error.objects" : "Chyba během stahování objektů", - // "admin.metadata-import.page.help" : "You can drop or browse CSV files that contain batch metadata operations on files here" - "admin.metadata-import.page.help" : "CSV soubory, které obsahují dávkové metadatové operace na souborech, můžete přetahovat nebo procházet zde", + // "error.recent-submissions": "Error fetching recent submissions", + "error.recent-submissions" : "Chyba během stahování posledních příspěvků", - // "admin.metadata-import.page.dropMsg" : "Drop a metadata CSV to import" - "admin.metadata-import.page.dropMsg" : "Upusťte metadata CSV pro import", + // "error.search-results": "Error fetching search results", + "error.search-results" : "Chyba během stahování výsledků hledání", - // "admin.metadata-import.page.dropMsgReplace" : "Drop to replace the metadata CSV to import" - "admin.metadata-import.page.dropMsgReplace" : "Upusťte pro nahrazení metadat CSV pro importování", + // "error.invalid-search-query": "Search query is not valid. Please check Solr query syntax best practices for further information about this error.", + "error.invalid-search-query": "Vyhledávací dotaz není platný. Další informace o této chybě naleznete v Syntaxi dotazů Solr.", - // "admin.metadata-import.page.button.return" : "Back" - "admin.metadata-import.page.button.return" : "Zpět", + // "error.sub-collections": "Error fetching sub-collections", + "error.sub-collections" : "Chyba během stahování subkolekcí", - // "admin.metadata-import.page.button.proceed" : "Proceed" - "admin.metadata-import.page.button.proceed" : "Pokračovat", + // "error.sub-communities": "Error fetching sub-communities", + "error.sub-communities" : "Chyba při načítání subkomunit", - // "admin.metadata-import.page.error.addFile" : "Select file first!" - "admin.metadata-import.page.error.addFile" : "Nejprve vyberte soubor!", + // "error.submission.sections.init-form-error": "An error occurred during section initialize, please check your input-form configuration. Details are below :

", + "error.submission.sections.init-form-error": "Při inicializaci sekce došlo k chybě, zkontrolujte prosím konfiguraci vstupního formuláře. Podrobnosti jsou uvedeny níže :

", - // "auth.errors.invalid-user" : "Invalid email address or password." - "auth.errors.invalid-user" : "Neplatná e-mailová adresa nebo heslo.", + // "error.top-level-communities": "Error fetching top-level communities", + "error.top-level-communities" : "Chyba během stahování komunit nejvyšší úrovně", - // "auth.messages.expired" : "Your session has expired. Please log in again." - "auth.messages.expired" : "Vaše relace vypršela. Prosím, znova se přihlaste.", + // "error.validation.license.notgranted": "You must grant this license to complete your submission. If you are unable to grant this license at this time you may save your work and return later or remove the submission.", + "error.validation.license.notgranted" : "Pro dokončení zaslání Musíte udělit licenci. Pokud v tuto chvíli tuto licenci nemůžete udělit, můžete svou práci uložit a později se k svému příspěveku vrátit nebo jej smazat.", - // "auth.messages.token-refresh-failed" : "Refreshing your session token failed. Please log in again." - "auth.messages.token-refresh-failed" : "Aktualizace tokenu relace se nezdařila. Přihlaste se znovu.", + // "error.validation.clarin-license.notgranted": "You must choose one of the resource licenses.", + "error.validation.clarin-license.notgranted" : "Musíte si vybrat jednu z licencí zdrojů.", - // "bitstream.download.page" : "Now downloading {{bitstream}}..." - "bitstream.download.page" : "Nyní se stahuje {{bitstream}}...", + // "error.validation.pattern": "This input is restricted by the current pattern: {{ pattern }}.", + "error.validation.pattern": "Tento vstup je omezen aktuálním vzorem: {{ pattern }}.", - // "clarin.license.agreement.breadcrumbs" : "License Agreement" - "clarin.license.agreement.breadcrumbs" : "Licenční smlouva", + // "error.validation.filerequired": "The file upload is mandatory", + "error.validation.filerequired" : "Nahrávání souborů je povinné", - // "clarin.license.agreement.title" : "License Agreement" - "clarin.license.agreement.title" : "Licenční smlouva", + // "error.validation.required": "This field is required", + "error.validation.required" : "Toto pole je vyžadováno", - // "clarin.license.agreement.header.info" : "The requested content is distributed under one or more licence(s). You have to agree to the licence(s) below before you can obtain the content. Please, view the licence(s) by clicking on the button(s) and read it carefully. The data filled below might be shared with the submitter of the item and/or for creating statistics." - "clarin.license.agreement.header.info" : "Požadovaný obsah je šířen pod jednou nebo více licencemi. Před získáním obsahu musíte souhlasit s níže uvedenými licencemi. Prohlédněte si prosím licenci (e) kliknutím na tlačítko(a) a pečlivě si ji (je) přečtěte. Níže vyplněné údaje mohou být sdíleny s předkladatelem položky a/nebo pro vytváření statistik.", + // "error.validation.NotValidEmail": "This E-mail is not a valid email", + "error.validation.NotValidEmail" : "Tento e-mail není platný", - // "clarin.license.agreement.signer.header.info" : ['The information below identifies you, the SIGNER. If the information is incorrect, please contact our', 'Help Desk.', 'This information will be stored as part of the electronic signatures.'] - "clarin.license.agreement.signer.header.info" : ['Informace uvedené níže vás, PODEPSANÉHO, identifikují. Pokud jsou tyto informace nesprávné, kontaktujte prosím', 'poradnu.', 'Tyto informace budou uloženy spolu se záznamem o souhlasu.'], + // "error.validation.emailTaken": "This E-mail is already taken", + "error.validation.emailTaken" : "Tento e-mail je již obsazen", - // "clarin.license.agreement.item.handle" : "Item handle" - "clarin.license.agreement.item.handle" : "Klika položky", + // "error.validation.groupExists": "This group already exists", + "error.validation.groupExists" : "Tato skupina již existuje", - // "clarin.license.agreement.bitstream.name" : "Bitstream" - "clarin.license.agreement.bitstream.name" : "Bitstream", - // "clarin.license.agreement.signer.name" : "Signer" - "clarin.license.agreement.signer.name" : "Podepisovatel", + // "feed.description": "Syndication feed", + "feed.description" : "Synchronizační kanál", - // "clarin.license.agreement.signer.id" : "User ID" - "clarin.license.agreement.signer.id" : "ID uživatele", - // "clarin.license.agreement.token.info" : "You will receive an email with download instructions." - "clarin.license.agreement.token.info" : "Obdržíte e-mail s pokyny ke stažení.", + // "file-section.error.header": "Error obtaining files for this item", + "file-section.error.header" : "Chyba při získávání souborů pro tuto položku", - // "clarin.license.agreement.signer.ip.address" : "Ip Address" - "clarin.license.agreement.signer.ip.address" : "IP adresa", - // "clarin.license.agreement.button.agree" : "I AGREE" - "clarin.license.agreement.button.agree" : "SOUHLASÍM", - // "clarin.license.agreement.warning" : "By clicking on the button below I, SIGNER with the above ID, agree to the LICENCE(s) restricting the usage of requested BITSTREAM(s)." - "clarin.license.agreement.warning" : "Kliknutím na tlačítko níže Já, PODPISUJÍCÍ s výše uvedeným ID, souhlasím s LICENCÍ omezující používání požadovaného BITSTREAMU.", + // "footer.copyright": "copyright © 2002-{{ year }}", + "footer.copyright" : "copyright © 2002-{{ year }}", - // "clarin.license.agreement.notification.error.required.info" : "You must fill in required info." - "clarin.license.agreement.notification.error.required.info" : "Musíte vyplnit požadované informace.", + // "footer.link.dspace": "DSpace software", + "footer.link.dspace" : "Software DSpace", - // "clarin.license.agreement.error.message.cannot.download" : ['Something went wrong and you cannot download this bitstream, please contact', ' Help Desk.'] - "clarin.license.agreement.error.message.cannot.download" : ['Error: Nelze stáhnout tento bitstream, prosím kontaktujte:', 'poradnu.:'], + // "footer.link.lyrasis": "LYRASIS", + "footer.link.lyrasis" : "LYRASIS", - // "clarin.license.agreement.notification.check.email" : "You will receive email with download link." - "clarin.license.agreement.notification.check.email" : "Obdržíte e-mail s odkazem ke stažení.", + // "footer.link.cookies": "Cookie settings", + "footer.link.cookies" : "Nastavení cookies", - // "clarin.license.agreement.notification.cannot.send.email" : "Error: cannot send the email." - "clarin.license.agreement.notification.cannot.send.email" : "Error: Nelze odeslat email.", + // "footer.link.privacy-policy": "Privacy policy", + "footer.link.privacy-policy" : "Ochrana osobních údajů", -// "clarin.license.all-page.title": "Available Licenses", - "clarin.license.all-page.title": "Dostupné licence", + // "footer.link.end-user-agreement":"End User Agreement", + "footer.link.end-user-agreement" : "Dohoda s koncovým uživatelem", -// "clarin.license.all-page.source": "Source:", - "clarin.license.all-page.source": "Zdroj:", + // "footer.link.feedback":"Send Feedback", + "footer.link.feedback" : "Odeslat zpětnou vazbu", -// "clarin.license.all-page.labels": "Labels:", - "clarin.license.all-page.labels": "Štítky:", + // "footer.link.contact-us":"Contact us", + "footer.link.contact-us" : "Kontaktujte nás", -// "clarin.license.all-page.extra-information": "Extra information required:", - "clarin.license.all-page.extra-information": "Vyžadovány dodatečné informace:", -// "clarin.license.all-page.extra-information.default": "NONE", - "clarin.license.all-page.extra-information.default": "Žádné", - // "bitstream.edit.authorizations.link" : "Edit bitstream's Policies" - "bitstream.edit.authorizations.link" : "Upravit zásady bitstreamu", + // "forgot-email.form.header": "Forgot Password", + "forgot-email.form.header" : "Zapomenuté heslo", - // "bitstream.edit.authorizations.title" : "Edit bitstream's Policies" - "bitstream.edit.authorizations.title" : "Upravit zásady bitstreamu", + // "forgot-email.form.info": "Enter the email address associated with the account.", + "forgot-email.form.info" : "Zadejte Zaregistrovat účet pro přihlášení ke kolekcím pro e-mailové aktualizace a odeslat nové položky do DSpace.", - // "bitstream.edit.return" : "Back" - "bitstream.edit.return" : "Zpět", + // "forgot-email.form.email": "Email Address *", + "forgot-email.form.email" : "E-mailová adresa *", - // "bitstream.edit.bitstream" : "Bitstream:" - "bitstream.edit.bitstream" : "Bitstream:", + // "forgot-email.form.email.error.required": "Please fill in an email address", + "forgot-email.form.email.error.required" : "Prosím, vyplňte e-mailovou adresu", - // "bitstream.edit.form.description.hint" : "Optionally, provide a brief description of the file, for example "Main article" or "Experiment data readings"." - "bitstream.edit.form.description.hint" : "Volitelně, poskytněte krátký popis souboru, například \"Main article\" or \"Experiment data readings\".", + // "forgot-email.form.email.error.not-email-form": "Please fill in a valid email address", + "forgot-email.form.email.error.not-email-form" : "Vyplňte prosím platnou e-mailovou adresu", - // "bitstream.edit.form.description.label" : "Description" - "bitstream.edit.form.description.label" : "Popis", + // "forgot-email.form.email.hint": "An email will be sent to this address with a further instructions.", + "forgot-email.form.email.hint" : "Tato adresa bude ověřena a použita jako vaše přihlašovací jméno.", - // "bitstream.edit.form.embargo.hint" : "The first day from which access is allowed. This date cannot be modified on this form. To set an embargo date for a bitstream, go to the Item Status tab, click Authorizations..., create or edit the bitstream's READ policy, and set the Start Date as desired." - "bitstream.edit.form.embargo.hint" : "První den, od kterého je povolen přístup. Toto datum nelze v tomto formuláři změnit. Chcete-li nastavit datum embarga pro bitstream, přejděte na kartu Stav položky, klikněte na Oprávnění..., vytvořte nebo upravte zásady ČTENÍ bitstreamu a nastavte Datum zahájení podle potřeby.", + // "forgot-email.form.submit": "Reset password", + "forgot-email.form.submit" : "Uložit", - // "bitstream.edit.form.embargo.label" : "Embargo until specific date" - "bitstream.edit.form.embargo.label" : "Embargo do konkrétního data", + // "forgot-email.form.success.head": "Password reset email sent", + "forgot-email.form.success.head" : "Ověřovací e-mail odeslán", - // "bitstream.edit.form.fileName.hint" : "Change the filename for the bitstream. Note that this will change the display bitstream URL, but old links will still resolve as long as the sequence ID does not change." - "bitstream.edit.form.fileName.hint" : "Změna názvu souboru bitstreamu. Všimněte si, že se tím změní zobrazovaná URL adresa bitstreamu, ale staré odkazy budou stále vyřešeny, pokud se nezmění ID sekvence.", + // "forgot-email.form.success.content": "An email has been sent to {{ email }} containing a special URL and further instructions.", + "forgot-email.form.success.content" : "Na adresu {{ email }} byl odeslán e-mail obsahující speciální adresu URL a další instrukce.", - // "bitstream.edit.form.fileName.label" : "Filename" - "bitstream.edit.form.fileName.label" : "Název souboru", + // "forgot-email.form.error.head": "Error when trying to reset password", + "forgot-email.form.error.head" : "Chyba při pokusu o registraci e-mailu", - // "bitstream.edit.form.newFormat.label" : "Describe new format" - "bitstream.edit.form.newFormat.label" : "Popis nového formátu", + // "forgot-email.form.error.content": "An error occured when attempting to reset the password for the account associated with the following email address: {{ email }}", + "forgot-email.form.error.content": "Při registraci následující e-mailové adresy došlo k chybě: {{ email }}", - // "bitstream.edit.form.newFormat.hint" : "The application you used to create the file, and the version number (for example, "ACMESoft SuperApp version 1.5")." - "bitstream.edit.form.newFormat.hint" : "Aplikace, kterou jste použili k vytvoření souboru, a číslo verze (například \"ACMESoft SuperApp verze 1.5\").", - // "bitstream.edit.form.primaryBitstream.label" : "Primary bitstream" - "bitstream.edit.form.primaryBitstream.label" : "Primární bitstream", - // "bitstream.edit.form.selectedFormat.hint" : "If the format is not in the above list, select "format not in list" above and describe it under "Describe new format"." - "bitstream.edit.form.selectedFormat.hint" : "Pokud formát není ve výše uvedeném seznamu, vyberte \"formát není v seznamu\" výše a popište jej v části \"Popsat nový formát\".", + // "forgot-password.title": "Forgot Password", + "forgot-password.title" : "Zapomenuté heslo", - // "bitstream.edit.form.selectedFormat.label" : "Selected Format" - "bitstream.edit.form.selectedFormat.label" : "Vybraný formát", + // "forgot-password.form.head": "Forgot Password", + "forgot-password.form.head" : "Zapomenuté heslo", - // "bitstream.edit.form.selectedFormat.unknown" : "Format not in list" - "bitstream.edit.form.selectedFormat.unknown" : "Formát není v seznamu", + // "forgot-password.form.info": "Enter a new password in the box below, and confirm it by typing it again into the second box.", + "forgot-password.form.info" : "Do níže uvedeného pole zadejte nové heslo a potvrďte ho opětovným zadáním do druhého pole. Mělo by mít alespoň šest znaků.", - // "bitstream.edit.notifications.error.format.title" : "An error occurred saving the bitstream's format" - "bitstream.edit.notifications.error.format.title" : "Při ukládání bitstream formátu došlo k chybě", + // "forgot-password.form.card.security": "Security", + "forgot-password.form.card.security" : "Zabezpečení", - // "bitstream.edit.form.iiifLabel.label" : "IIIF Label" - "bitstream.edit.form.iiifLabel.label" : "Štítek IIIF", + // "forgot-password.form.identification.header": "Identify", + "forgot-password.form.identification.header" : "Identifikovat", - // "bitstream.edit.form.iiifLabel.hint" : "Canvas label for this image. If not provided default label will be used." - "bitstream.edit.form.iiifLabel.hint" : "Štítek plátna pro tento obrázek. Pokud není zadán, použije se výchozí popisek.", + // "forgot-password.form.identification.email": "Email address: ", + "forgot-password.form.identification.email": "E-mailová adresa:", - // "bitstream.edit.form.iiifToc.label" : "IIIF Table of Contents" - "bitstream.edit.form.iiifToc.label" : "Obsah IIIF", + // "forgot-password.form.label.password": "Password", + "forgot-password.form.label.password" : "Heslo", - // "bitstream.edit.form.iiifToc.hint" : "Adding text here makes this the start of a new table of contents range." - "bitstream.edit.form.iiifToc.hint" : "Přidáním textu zde začíná nový rozsah obsahu.", + // "forgot-password.form.label.passwordrepeat": "Retype to confirm", + "forgot-password.form.label.passwordrepeat" : "Zopakujte pro potvrzení", - // "bitstream.edit.form.iiifWidth.label" : "IIIF Canvas Width" - "bitstream.edit.form.iiifWidth.label" : "IIIF Šířka plátna", + // "forgot-password.form.error.empty-password": "Please enter a password in the box below.", + "forgot-password.form.error.empty-password" : "Do níže uvedeného pole zadejte heslo.", - // "bitstream.edit.form.iiifWidth.hint" : "The canvas width should usually match the image width." - "bitstream.edit.form.iiifWidth.hint" : "Šířka plátna by obvykle měla odpovídat šířce obrázku.", + // "forgot-password.form.error.matching-passwords": "The passwords do not match.", + "forgot-password.form.error.matching-passwords" : "Hesla se neshodují.", - // "bitstream.edit.form.iiifHeight.label" : "IIIF Canvas Height" - "bitstream.edit.form.iiifHeight.label" : "IIIF Výška plátna", + // "forgot-password.form.notification.error.title": "Error when trying to submit new password", + "forgot-password.form.notification.error.title" : "Chyba při pokusu o zaslání nového hesla", - // "bitstream.edit.form.iiifHeight.hint" : "The canvas height should usually match the image height." - "bitstream.edit.form.iiifHeight.hint" : "Výška plátna by obvykle měla odpovídat výšce obrázku.", + // "forgot-password.form.notification.success.content": "The password reset was successful. You have been logged in as the created user.", + "forgot-password.form.notification.success.content" : "Obnovení hesla proběhlo úspěšně. Byli jste přihlášeni jako vytvořený uživatel.", - // "bitstream.edit.notifications.saved.content" : "Your changes to this bitstream were saved." - "bitstream.edit.notifications.saved.content" : "Vaše změny v tomto bitstreamu byly uloženy.", + // "forgot-password.form.notification.success.title": "Password reset completed", + "forgot-password.form.notification.success.title" : "Obnovení hesla dokončeno", - // "bitstream.edit.notifications.saved.title" : "Bitstream saved" - "bitstream.edit.notifications.saved.title" : "Bitstream uložen", + // "forgot-password.form.submit": "Submit password", + "forgot-password.form.submit" : "Odeslat heslo", - // "bitstream.edit.title" : "Edit bitstream" - "bitstream.edit.title" : "Upravit bitstream", - // "bitstream-request-a-copy.alert.canDownload1" : "You already have access to this file. If you want to download the file, click" - "bitstream-request-a-copy.alert.canDownload1" : "K tomuto souboru již máte přístup. Pokud si chcete soubor stáhnout, klikněte na tlačítko", + // "form.add": "Add more", + "form.add" : "Přidat další", - // "bitstream-request-a-copy.alert.canDownload2" : "here" - "bitstream-request-a-copy.alert.canDownload2" : "zde", + // "form.add-help": "Click here to add the current entry and to add another one", + "form.add-help" : "Klikněte zde pro přidání aktuální položky a pro přidání další", - // "bitstream-request-a-copy.header" : "Request a copy of the file" - "bitstream-request-a-copy.header" : "Požádat o kopii souboru", + // "form.cancel": "Cancel", + "form.cancel" : "Zrušit", - // "bitstream-request-a-copy.intro" : "Enter the following information to request a copy for the following item:" - "bitstream-request-a-copy.intro" : "Pro vyžádání kopie pro následující položku zadejte následující informace:", + // "form.clear": "Clear", + "form.clear" : "Vyčistit", - // "bitstream-request-a-copy.intro.bitstream.one" : "Requesting the following file:" - "bitstream-request-a-copy.intro.bitstream.one" : "Žádost o následující soubor:", + // "form.clear-help": "Click here to remove the selected value", + "form.clear-help" : "Kliknutím sem odstraníte vybranou hodnotu", - // "bitstream-request-a-copy.intro.bitstream.all" : "Requesting all files." - "bitstream-request-a-copy.intro.bitstream.all" : "Vyžádání všech souborů.", + // "form.discard": "Discard", + "form.discard" : "Vyřadit", - // "bitstream-request-a-copy.name.label" : "Name *" - "bitstream-request-a-copy.name.label" : "Jméno *", + // "form.drag": "Drag", + "form.drag" : "Potáhnout", - // "bitstream-request-a-copy.name.error" : "The name is required" - "bitstream-request-a-copy.name.error" : "Jméno je povinné", + // "form.edit": "Edit", + "form.edit" : "Upravit", - // "bitstream-request-a-copy.email.label" : "Your e-mail address *" - "bitstream-request-a-copy.email.label" : "Vaše e-mailová adresa *", + // "form.edit-help": "Click here to edit the selected value", + "form.edit-help" : "Kliknutím zde upravíte vybranou hodnotu", - // "bitstream-request-a-copy.email.hint" : "This email address is used for sending the file." - "bitstream-request-a-copy.email.hint" : "Tato e-mailová adresa slouží k odeslání souboru.", + // "form.first-name": "First name", + "form.first-name" : "Křestní jméno", - // "bitstream-request-a-copy.email.error" : "Please enter a valid email address." - "bitstream-request-a-copy.email.error" : "Zadejte prosím platnou e-mailovou adresu.", + // "form.group-collapse": "Collapse", + "form.group-collapse" : "Sbalit", - // "bitstream-request-a-copy.allfiles.label" : "Files" - "bitstream-request-a-copy.allfiles.label" : "Soubory", + // "form.group-collapse-help": "Click here to collapse", + "form.group-collapse-help" : "Kliknutím sem sbalíte", - // "bitstream-request-a-copy.files-all-false.label" : "Only the requested file" - "bitstream-request-a-copy.files-all-false.label" : "Pouze požadovaný soubor", + // "form.group-expand": "Expand", + "form.group-expand" : "Rozbalit", - // "bitstream-request-a-copy.files-all-true.label" : "All files (of this item) in restricted access" - "bitstream-request-a-copy.files-all-true.label" : "Všechny soubory (této položky) v omezeném přístupu", + // "form.group-expand-help": "Click here to expand and add more elements", + "form.group-expand-help" : "Klikněte zde pro rozšiření a přidání dalších prvků", - // "bitstream-request-a-copy.message.label" : "Message" - "bitstream-request-a-copy.message.label" : "Zpráva", + // "form.last-name": "Last name", + "form.last-name" : "Příjmení", - // "bitstream-request-a-copy.return" : "Back" - "bitstream-request-a-copy.return" : "Zpět", + // "form.loading": "Loading...", + "form.loading" : "Načítá se...", - // "bitstream-request-a-copy.submit" : "Request copy" - "bitstream-request-a-copy.submit" : "Vyžádat si kopii", + // "form.lookup": "Lookup", + "form.lookup" : "Vyhledávání", - // "bitstream-request-a-copy.submit.success" : "The item request was submitted successfully." - "bitstream-request-a-copy.submit.success" : "Požadavek na položku byl úspěšně odeslán.", + // "form.lookup-help": "Click here to look up an existing relation", + "form.lookup-help" : "Kliknutím sem vyhledáte existující vztah", - // "bitstream-request-a-copy.submit.error" : "Something went wrong with submitting the item request." - "bitstream-request-a-copy.submit.error" : "Při odesílání žádosti o položku se něco pokazilo.", + // "form.no-results": "No results found", + "form.no-results" : "Nebyli nalezeny žádné výsledky", - // "browse.comcol.by.author" : "By Author" - "browse.comcol.by.author" : "Podle autora", + // "form.no-value": "No value entered", + "form.no-value" : "Nebyla zadána hodnota", - // "browse.comcol.by.dateissued" : "By Issue Date" - "browse.comcol.by.dateissued" : "Podle data přidání", + // "form.other-information": {}, + "form.other-information": {}, - // "browse.comcol.by.subject" : "By Subject" - "browse.comcol.by.subject" : "Podle předmětu", + // "form.remove": "Remove", + "form.remove" : "Smazat", - // "browse.comcol.by.title" : "By Title" - "browse.comcol.by.title" : "Podle názvu", + // "form.save": "Save", + "form.save" : "Uložit", - // "browse.comcol.head" : "Browse" - "browse.comcol.head" : "Procházet", + // "form.save-help": "Save changes", + "form.save-help" : "Uložit změny", - // "browse.empty" : "No items to show." - "browse.empty" : "Žádné položky k zobrazení.", + // "form.search": "Search", + "form.search" : "Hledat", - // "browse.metadata.author" : "Author" - "browse.metadata.author" : "Autor", + // "form.search-help": "Click here to look for an existing correspondence", + "form.search-help" : "Klikněte zde pro vyhledání existující korespondence", - // "browse.metadata.dateissued" : "Issue Date" - "browse.metadata.dateissued" : "Datum vydání", + // "form.submit": "Save", + "form.submit" : "Odeslat", - // "browse.metadata.subject" : "Subject" - "browse.metadata.subject" : "Předmět", + // "form.repeatable.sort.tip": "Drop the item in the new position", + "form.repeatable.sort.tip" : "Položku přetáhněte na novou pozici", - // "browse.metadata.title" : "Title" - "browse.metadata.title" : "Název", - // "browse.metadata.author.breadcrumbs" : "Browse by Author" - "browse.metadata.author.breadcrumbs" : "Procházet podle autora", - // "browse.metadata.dateissued.breadcrumbs" : "Browse by Date" - "browse.metadata.dateissued.breadcrumbs" : "Procházet podle data", + // "grant-deny-request-copy.deny": "Don't send copy", + "grant-deny-request-copy.deny" : "Neposílat kopii", - // "browse.metadata.subject.breadcrumbs" : "Browse by Subject" - "browse.metadata.subject.breadcrumbs" : "Procházet podle předmětu", + // "grant-deny-request-copy.email.back": "Back", + "grant-deny-request-copy.email.back" : "Zpět", - // "browse.metadata.title.breadcrumbs" : "Browse by Title" - "browse.metadata.title.breadcrumbs" : "Procházet podle názvu", + // "grant-deny-request-copy.email.message": "Message", + "grant-deny-request-copy.email.message" : "Zpráva", - // "browse.next.button" : "Next" - "browse.next.button" : "Další", + // "grant-deny-request-copy.email.message.empty": "Please enter a message", + "grant-deny-request-copy.email.message.empty" : "Zadejte prosím zprávu", - // "browse.previous.button" : "Previous" - "browse.previous.button" : "Předchozí", + // "grant-deny-request-copy.email.permissions.info": "You may use this occasion to reconsider the access restrictions on the document, to avoid having to respond to these requests. If you’d like to ask the repository administrators to remove these restrictions, please check the box below.", + "grant-deny-request-copy.email.permissions.info" : "Při této příležitosti můžete přehodnotit omezení přístupu k dokumentu, abyste nemuseli na tyto žádosti reagovat. Pokud chcete požádat správce úložiště o zrušení těchto omezení, zaškrtněte políčko níže.", - // "browse.startsWith.choose_start" : "(Choose start)" - "browse.startsWith.choose_start" : "(Zvolit začátek)", + // "grant-deny-request-copy.email.permissions.label": "Change to open access", + "grant-deny-request-copy.email.permissions.label" : "Změna na otevřený přístup", - // "browse.startsWith.choose_year" : "(Choose year)" - "browse.startsWith.choose_year" : "(Zvolit rok)", + // "grant-deny-request-copy.email.send": "Send", + "grant-deny-request-copy.email.send" : "Odeslat", - // "browse.startsWith.choose_year.label" : "Choose the issue year" - "browse.startsWith.choose_year.label" : "Zvolte rok vydání", + // "grant-deny-request-copy.email.subject": "Subject", + "grant-deny-request-copy.email.subject" : "Předmět", - // "browse.startsWith.jump" : "Filter results by year or month" - "browse.startsWith.jump" : "Přeskočit na místo v indexu:", + // "grant-deny-request-copy.email.subject.empty": "Please enter a subject", + "grant-deny-request-copy.email.subject.empty" : "Zadejte prosím předmět", - // "browse.startsWith.months.april" : "April" - "browse.startsWith.months.april" : "Duben", + // "grant-deny-request-copy.grant": "Send copy", + "grant-deny-request-copy.grant" : "Odeslat kopii", - // "browse.startsWith.months.august" : "August" - "browse.startsWith.months.august" : "Srpen", + // "grant-deny-request-copy.header": "Document copy request", + "grant-deny-request-copy.header" : "Žádost o kopii dokumentu", - // "browse.startsWith.months.december" : "December" - "browse.startsWith.months.december" : "Prosinec", + // "grant-deny-request-copy.home-page": "Take me to the home page", + "grant-deny-request-copy.home-page" : "Vezměte mě na domovskou stránku", - // "browse.startsWith.months.february" : "February" - "browse.startsWith.months.february" : "Únor", + // "grant-deny-request-copy.intro1": "If you are one of the authors of the document {{ name }}, then please use one of the options below to respond to the user's request.", + "grant-deny-request-copy.intro1" : "Pokud jste jedním z autorů dokumentu {{ name }}, použijte prosím jednu z níže uvedených možností a odpovězte na požadavek uživatele.", - // "browse.startsWith.months.january" : "January" - "browse.startsWith.months.january" : "Leden", + // "grant-deny-request-copy.intro2": "After choosing an option, you will be presented with a suggested email reply which you may edit.", + "grant-deny-request-copy.intro2" : "Po výběru možnosti se zobrazí návrh e-mailové odpovědi, který můžete upravit.", - // "browse.startsWith.months.july" : "July" - "browse.startsWith.months.july" : "Červenec", + // "grant-deny-request-copy.processed": "This request has already been processed. You can use the button below to get back to the home page.", + "grant-deny-request-copy.processed" : "Tato žádost již byla zpracována. Tlačítkem níže se můžete vrátit na domovskou stránku.", - // "browse.startsWith.months.june" : "June" - "browse.startsWith.months.june" : "Červen", - // "browse.startsWith.months.march" : "March" - "browse.startsWith.months.march" : "Březen", - // "browse.startsWith.months.may" : "May" - "browse.startsWith.months.may" : "Květen", + // "grant-request-copy.email.message": "Dear {{ recipientName }},\nIn response to your request I have the pleasure to send you in attachment a copy of the file(s) concerning the document: \"{{ itemUrl }}\" ({{ itemName }}), of which I am an author.\n\nBest regards,\n{{ authorName }} <{{ authorEmail }}>", + "grant-request-copy.email.message": "Vážený {{ recipientName }},\nV reakci na Vaši žádost si Vám dovoluji zaslat v příloze kopii souboru(ů) týkající se dokumentu: \"{{ itemUrl }}\" ({{ itemName }}), jehož jsem autorem.\n\nS pozdravem,\n{{ authorName }} <{{ authorEmail }}>", - // "browse.startsWith.months.none" : "(Choose month)" - "browse.startsWith.months.none" : "(Zvolit měsíc)", + // "grant-request-copy.email.subject": "Request copy of document", + "grant-request-copy.email.subject" : "Vyžádat si kopii dokumentu", - // "browse.startsWith.months.none.label" : "Choose the issue month" - "browse.startsWith.months.none.label" : "Vyberte měsíc vydání", + // "grant-request-copy.error": "An error occurred", + "grant-request-copy.error" : "Došlo k chybě", - // "browse.startsWith.months.november" : "November" - "browse.startsWith.months.november" : "Listopad", + // "grant-request-copy.header": "Grant document copy request", + "grant-request-copy.header" : "Žádost o kopii grantového dokumentu", - // "browse.startsWith.months.october" : "October" - "browse.startsWith.months.october" : "Říjen", + // "grant-request-copy.intro": "This message will be sent to the applicant of the request. The requested document(s) will be attached.", + "grant-request-copy.intro" : "Tato zpráva bude zaslána žadateli o žádost. Požadovaný dokument(y) bude(y) přiložen(y).", - // "browse.startsWith.months.september" : "September" - "browse.startsWith.months.september" : "Září", + // "grant-request-copy.success": "Successfully granted item request", + "grant-request-copy.success" : "Úspěšně schválená žádost o položku", - // "browse.startsWith.submit" : "Browse" - "browse.startsWith.submit" : "Procházet", - // "browse.startsWith.type_date" : "Filter results by date" - "browse.startsWith.type_date" : "Nebo zadejte datum (rok-měsíc):", + // "health.breadcrumbs": "Health", + "health.breadcrumbs" : "Stav", - // "browse.startsWith.type_date.label" : "Or type in a date (year-month) and click on the Browse button" - "browse.startsWith.type_date.label" : "Nebo zadejte datum (rok-měsíc) a klikněte na tlačítko Procházet.", + // "health-page.heading" : "Health", + "health-page.heading" : "Stav", - // "browse.startsWith.type_text" : "Filter results by typing the first few letters" - "browse.startsWith.type_text" : "Nebo zadejte několik prvních písmen:", + // "health-page.info-tab" : "Info", + "health-page.info-tab" : "Informace", - // "browse.title" : "Browsing {{ collection }} by {{ field }}{{ startsWith }} {{ value }}" - "browse.title" : "Prohlížíte {{ collection }} dle {{ field }} {{ value }}", + // "health-page.status-tab" : "Status", + "health-page.status-tab" : "Status", - // "chips.remove" : "Remove chip" - "chips.remove" : "Odstranit čip", + // "health-page.error.msg": "The health check service is temporarily unavailable", + "health-page.error.msg" : "Služba kontroly stavu je dočasně nedostupná.", - // "collection.create.head" : "Create a Collection" - "collection.create.head" : "Vytvořit kolekci", + // "health-page.property.status": "Status code", + "health-page.property.status" : "Stavový kód", - // "collection.create.notifications.success" : "Successfully created the Collection" - "collection.create.notifications.success" : "Kolekce úspěšně vytvořena", + // "health-page.section.db.title": "Database", + "health-page.section.db.title" : "Databáze", - // "collection.create.sub-head" : "Create a Collection for Community {{ parent }}" - "collection.create.sub-head" : "Vytvořit kolekci pro komunitu {{ parent }}", + // "health-page.section.geoIp.title": "GeoIp", + "health-page.section.geoIp.title" : "GeoIp", - // "collection.curate.header" : "Curate Collection: {{collection}}" - "collection.curate.header" : "Kurátorská kolekce: {{collection}}", + // "health-page.section.solrAuthorityCore.title": "Solr: authority core", + "health-page.section.solrAuthorityCore.title": "Solr: jádro autority", - // "collection.delete.cancel" : "Cancel" - "collection.delete.cancel" : "Zrušit", + // "health-page.section.solrOaiCore.title": "Solr: oai core", + "health-page.section.solrOaiCore.title": "Solr: jádro oai", - // "collection.delete.confirm" : "Confirm" - "collection.delete.confirm" : "Potvrdit", + // "health-page.section.solrSearchCore.title": "Solr: search core", + "health-page.section.solrSearchCore.title": "Solr: vyhledávací jádro", - // "collection.delete.processing" : "Deleting" - "collection.delete.processing" : "Mazání", + // "health-page.section.solrStatisticsCore.title": "Solr: statistics core", + "health-page.section.solrStatisticsCore.title": "Solr: statistické jádro", - // "collection.delete.head" : "Delete Collection" - "collection.delete.head" : "Odstranit kolekci", + // "health-page.section-info.app.title": "Application Backend", + "health-page.section-info.app.title" : "Backend aplikace", - // "collection.delete.notification.fail" : "Collection could not be deleted" - "collection.delete.notification.fail" : "kolekci nelze smazat", + // "health-page.section-info.java.title": "Java", + "health-page.section-info.java.title" : "Java", - // "collection.delete.notification.success" : "Successfully deleted collection" - "collection.delete.notification.success" : "Kolekce úspěšně odstraněna", + // "health-page.status": "Status", + "health-page.status" : "Stav", - // "collection.delete.text" : "Are you sure you want to delete collection \"{{ dso }}\"" - "collection.delete.text" : "Opravdu chcete smazat kolekci \"{{ dso }}\"", + // "health-page.status.ok.info": "Operational", + "health-page.status.ok.info" : "Provozní", - // "collection.edit.delete" : "Delete this collection" - "collection.edit.delete" : "Odstranit tuto kolekci", + // "health-page.status.error.info": "Problems detected", + "health-page.status.error.info" : "Zjištěné problémy", - // "collection.edit.head" : "Edit Collection" - "collection.edit.head" : "Upravit kolekci", + // "health-page.status.warning.info": "Possible issues detected", + "health-page.status.warning.info" : "Zjištěné možné problémy", - // "collection.edit.breadcrumbs" : "Edit Collection" - "collection.edit.breadcrumbs" : "Upravit kolekci", + // "health-page.title": "Health", + "health-page.title" : "Stav", - // "collection.edit.tabs.mapper.head" : "Item Mapper" - "collection.edit.tabs.mapper.head" : "Mapovač položek", + // "health-page.section.no-issues": "No issues detected", + "health-page.section.no-issues" : "Nebyly zjištěny žádné problémy", - // "collection.edit.tabs.item-mapper.title" : "Collection Edit - Item Mapper" - "collection.edit.tabs.item-mapper.title" : "Úprava kolekce - Mapovač položek", - // "collection.edit.item-mapper.cancel" : "Cancel" - "collection.edit.item-mapper.cancel" : "Zrušit", + // "home.description": "DSpace is a digital service that collects, preserves, and distributes digital material. Repositories are important tools for preserving an organization's legacy; they facilitate digital preservation and scholarly communication.", + "home.description": "", - // "collection.edit.item-mapper.collection" : "Collection: "{{name}}"" - "collection.edit.item-mapper.collection" : "Kolekce: \"{{name}}\"", + // "home.breadcrumbs": "Home", + "home.breadcrumbs" : "Domů", - // "collection.edit.item-mapper.confirm" : "Map selected items" - "collection.edit.item-mapper.confirm" : "Mapovat vybrané položky", + // "home.search-form.placeholder": "Search the repository ...", + "home.search-form.placeholder" : "Hledat v repozitáři ...", - // "collection.edit.item-mapper.description" : "This is the item mapper tool that allows collection administrators to map items from other collections into this collection. You can search for items from other collections and map them, or browse the list of currently mapped items." - "collection.edit.item-mapper.description" : "Toto je nástroj pro mapování položek, který umožňuje správcům kolekcí mapovat položky z jiných kolekcí do této kolekce. Můžete vyhledávat položky z jiných kolekcí a mapovat je, nebo procházet seznam aktuálně mapovaných položek.", + // "home.title": "Home", + "home.title" : "Domů", - // "collection.edit.item-mapper.head" : "Item Mapper - Map Items from Other Collections" - "collection.edit.item-mapper.head" : "Mapovač položek - mapování položek z jiných kolekcí", + // "home.top-level-communities.head": "Communities in DSpace", + "home.top-level-communities.head" : "Komunity v Digitální knihovně", - // "collection.edit.item-mapper.no-search" : "Please enter a query to search" - "collection.edit.item-mapper.no-search" : "Zadejte prosím dotaz pro vyhledávání", + // "home.top-level-communities.help": "Select a community to browse its collections.", + "home.top-level-communities.help" : "Vybráním komunity můžete prohlížet její kolekce.", - // "collection.edit.item-mapper.notifications.map.error.content" : "Errors occurred for mapping of {{amount}} items." - "collection.edit.item-mapper.notifications.map.error.content" : "Při mapování položek {{amount}} došlo k chybám.", - // "collection.edit.item-mapper.notifications.map.error.head" : "Mapping errors" - "collection.edit.item-mapper.notifications.map.error.head" : "Chyby při mapování", + // "home-page.carousel.ldata.info": "Linguistic Data and NLP Tools", + "home-page.carousel.ldata.info" : "Lingvistická data a nástroje", - // "collection.edit.item-mapper.notifications.map.success.content" : "Successfully mapped {{amount}} items." - "collection.edit.item-mapper.notifications.map.success.content" : "Úspěšně namapováno {{amount}} položek.", + // "home-page.carousel.ldata.find": "Find", + "home-page.carousel.ldata.find" : "Vyhledávání", - // "collection.edit.item-mapper.notifications.map.success.head" : "Mapping completed" - "collection.edit.item-mapper.notifications.map.success.head" : "Mapování dokončeno", + // "home-page.carousel.ldata.citation-support": "Citation Support (with Persistent IDs)", + "home-page.carousel.ldata.citation-support" : "Podpora citací (persistentní identifikátory)", - // "collection.edit.item-mapper.notifications.unmap.error.content" : "Errors occurred for removing the mappings of {{amount}} items." - "collection.edit.item-mapper.notifications.unmap.error.content" : "Při odstraňování mapování položek {{amount}} došlo k chybám.", + // "home-page.carousel.deposit.header": "Deposit Free and Safe", + "home-page.carousel.deposit.header" : "Úschova zdarma a bezpečně", - // "collection.edit.item-mapper.notifications.unmap.error.head" : "Remove mapping errors" - "collection.edit.item-mapper.notifications.unmap.error.head" : "Odstranit chyby mapování", + // "home-page.carousel.deposit.info": "License of your Choice (Open licenses encouraged)", + "home-page.carousel.deposit.info" : "Volitelné licence (avšak preferujeme otevřené)", - // "collection.edit.item-mapper.notifications.unmap.success.content" : "Successfully removed the mappings of {{amount}} items." - "collection.edit.item-mapper.notifications.unmap.success.content" : "Mapování položek {{amount}} bylo úspěšně odstraněno.", + // "home-page.carousel.deposit.find": "Easy to Find", + "home-page.carousel.deposit.find" : "Snadné hledání", - // "collection.edit.item-mapper.notifications.unmap.success.head" : "Remove mapping completed" - "collection.edit.item-mapper.notifications.unmap.success.head" : "Odstranění mapování dokončeno", + // "home-page.carousel.deposit.cite": "Easy to Cite", + "home-page.carousel.deposit.cite" : "Snadná citace", - // "collection.edit.item-mapper.remove" : "Remove selected item mappings" - "collection.edit.item-mapper.remove" : "Odstranit mapování vybraných položek", + // "home-page.carousel.deposit.citation": "“There ought to be only one grand dépôt of art in the world, to\n which the artist might repair with his works, and on presenting them\n receive what he required... ”", + "home-page.carousel.deposit.citation": "“Na světě by mělo být jen jedno velké úložiště umění,\n které by umělec obohatil svými díly a při prezentaci\n získal přesně, co žádal... ”", - // "collection.edit.item-mapper.search-form.placeholder" : "Search items..." - "collection.edit.item-mapper.search-form.placeholder" : "Hledat položky...", + // "home-page.carousel.deposit.small": "Ludwig van Beethoven, 1801", + "home-page.carousel.deposit.small" : "Ludwig van Beethoven, 1801", - // "collection.edit.item-mapper.tabs.browse" : "Browse mapped items" - "collection.edit.item-mapper.tabs.browse" : "Procházet namapované položky", + // "home-page.search": "Search", + "home-page.search" : "Hledat", - // "collection.edit.item-mapper.tabs.map" : "Map new items" - "collection.edit.item-mapper.tabs.map" : "Mapovat nové položky", + // "home-page.advanced-search": "Advanced Search", + "home-page.advanced-search" : "Rozšířené hledání", - // "collection.edit.logo.delete.title" : "Delete logo" - "collection.edit.logo.delete.title" : "Odstranit logo", + // "home-page.hyperlink.author.message": "Author", + "home-page.hyperlink.author.message" : "Autor", - // "collection.edit.logo.delete-undo.title" : "Undo delete" - "collection.edit.logo.delete-undo.title" : "Zrušit odstranění", + // "home-page.hyperlink.subject.message": "Subject", + "home-page.hyperlink.subject.message" : "Klíčové slovo", - // "collection.edit.logo.label" : "Collection logo" - "collection.edit.logo.label" : "Logo kolekce", + // "home-page.hyperlink.language.message": "Language (ISO)", + "home-page.hyperlink.language.message" : "Jazyk", - // "collection.edit.logo.notifications.add.error" : "Uploading Collection logo failed. Please verify the content before retrying." - "collection.edit.logo.notifications.add.error" : "Nahrání loga kolekce se nezdařilo. Před dalším pokusem ověřte obsah.", + // "home-page.whats-new.message": "What's New", + "home-page.whats-new.message" : "Nově přidané", - // "collection.edit.logo.notifications.add.success" : "Upload Collection logo successful." - "collection.edit.logo.notifications.add.success" : "Nahrání loga kolekce bylo úspěšné.", + // "home-page.new-items.message": "Most Viewed Items - Last Month", + "home-page.new-items.message" : "Nejnavštěvovanější záznamy - za poslední měsíc", - // "collection.edit.logo.notifications.delete.success.title" : "Logo deleted" - "collection.edit.logo.notifications.delete.success.title" : "Logo smazáno", - // "collection.edit.logo.notifications.delete.success.content" : "Successfully deleted the collection's logo" - "collection.edit.logo.notifications.delete.success.content" : "Logo kolekce úspěšně smazáno", - // "collection.edit.logo.notifications.delete.error.title" : "Error deleting logo" - "collection.edit.logo.notifications.delete.error.title" : "Chyba při mazání loga", + // "handle-table.breadcrumbs": "Handles", + "handle-table.breadcrumbs" : "Handle", - // "collection.edit.logo.upload" : "Drop a Collection Logo to upload" - "collection.edit.logo.upload" : "Uveďte logo kolekce, které chcete nahrát", + // "handle-table.new-handle.breadcrumbs": "New Handle", + "handle-table.new-handle.breadcrumbs" : "Nový Handle", - // "collection.edit.notifications.success" : "Successfully edited the Collection" - "collection.edit.notifications.success" : "Kolekce úspěšně upravena", + // "handle-table.edit-handle.breadcrumbs": "Edit Handle", + "handle-table.edit-handle.breadcrumbs" : "Upravit Handle", - // "collection.edit.return" : "Back" - "collection.edit.return" : "Zpět", + // "handle-table.global-actions.breadcrumbs": "Global Actions", + "handle-table.global-actions.breadcrumbs" : "Globální akce", - // "collection.edit.tabs.curate.head" : "Curate" - "collection.edit.tabs.curate.head" : "", - // "collection.edit.tabs.curate.title" : "Collection Edit - Curate" - "collection.edit.tabs.curate.title" : "Úprava kolekce - kurátor", + // "handle-table.new-handle.form-handle-input-text": "Handle", + "handle-table.new-handle.form-handle-input-text" : "Handle", - // "collection.edit.tabs.authorizations.head" : "Authorizations" - "collection.edit.tabs.authorizations.head" : "Oprávnění", + // "handle-table.new-handle.form-handle-input-placeholder": "Enter handle", + "handle-table.new-handle.form-handle-input-placeholder" : "Zadat Handle", - // "collection.edit.tabs.authorizations.title" : "Collection Edit - Authorizations" - "collection.edit.tabs.authorizations.title" : "Úprava kolekce - Oprávnění", + // "handle-table.new-handle.form-url-input-text": "URL", + "handle-table.new-handle.form-url-input-text" : "URL adresa", - // "collection.edit.tabs.metadata.head" : "Edit Metadata" - "collection.edit.tabs.metadata.head" : "Upravit metadata", + // "handle-table.new-handle.form-url-input-placeholder": "Enter URL", + "handle-table.new-handle.form-url-input-placeholder" : "Zadejte URL adresu", - // "collection.edit.tabs.metadata.title" : "Collection Edit - Metadata" - "collection.edit.tabs.metadata.title" : "Úprava kolekce - Metadata", + // "handle-table.new-handle.form-button-submit": "Submit", + "handle-table.new-handle.form-button-submit" : "Odeslat", - // "collection.edit.tabs.roles.head" : "Assign Roles" - "collection.edit.tabs.roles.head" : "Přidělit role", - // "collection.edit.tabs.roles.title" : "Collection Edit - Roles" - "collection.edit.tabs.roles.title" : "Úprava kolekce - Role", + // "handle-table.new-handle.notify.error": "Server Error - Cannot create new handle", + "handle-table.new-handle.notify.error" : "Chyba serveru - Nelze vytvořit nový Handle", - // "collection.edit.tabs.source.external" : "This collection harvests its content from an external source" - "collection.edit.tabs.source.external" : "Tato kolekce sklízí svůj obsah z externího zdroje", + // "handle-table.new-handle.notify.successful": "The new handle was created!", + "handle-table.new-handle.notify.successful" : "Byl vytvořen nový Handle", - // "collection.edit.tabs.source.form.errors.oaiSource.required" : "You must provide a set id of the target collection." - "collection.edit.tabs.source.form.errors.oaiSource.required" : "Musíte zadat ID sady cílové kolekce.", - // "collection.edit.tabs.source.form.harvestType" : "Content being harvested" - "collection.edit.tabs.source.form.harvestType" : "Sklízený obsah", + // "handle-table.edit-handle.notify.error": "Server Error - Cannot edit this handle", + "handle-table.edit-handle.notify.error" : "Chyba serveru - Nelze upravit tento Handle", - // "collection.edit.tabs.source.form.head" : "Configure an external source" - "collection.edit.tabs.source.form.head" : "Konfigurovat externí zdroj", + // "handle-table.edit-handle.notify.successful": "The handle was edited!", + "handle-table.edit-handle.notify.successful" : "Handle byl upraven!", - // "collection.edit.tabs.source.form.metadataConfigId" : "Metadata Format" - "collection.edit.tabs.source.form.metadataConfigId" : "Formát metadat", - // "collection.edit.tabs.source.form.oaiSetId" : "OAI specific set id" - "collection.edit.tabs.source.form.oaiSetId" : "OAI specifická sada ID", + // "handle-table.delete-handle.notify.error": "Server Error - Cannot delete this handle", + "handle-table.delete-handle.notify.error" : "Chyba serveru - Nelze odstranit tento handle", - // "collection.edit.tabs.source.form.oaiSource" : "OAI Provider" - "collection.edit.tabs.source.form.oaiSource" : "Poskytovatel OAI", + // "handle-table.delete-handle.notify.successful": "The handle was deleted!", + "handle-table.delete-handle.notify.successful" : "Handle byl odstraněn!", - // "collection.edit.tabs.source.form.options.harvestType.METADATA_AND_BITSTREAMS" : "Harvest metadata and bitstreams (requires ORE support)" - "collection.edit.tabs.source.form.options.harvestType.METADATA_AND_BITSTREAMS" : "Sklízení metadat a bitstreamů (vyžaduje podporu ORE)", - // "collection.edit.tabs.source.form.options.harvestType.METADATA_AND_REF" : "Harvest metadata and references to bitstreams (requires ORE support)" - "collection.edit.tabs.source.form.options.harvestType.METADATA_AND_REF" : "Sklízení metadat a odkazů na bitstreamy (vyžaduje podporu ORE)", - // "collection.edit.tabs.source.form.options.harvestType.METADATA_ONLY" : "Harvest metadata only" - "collection.edit.tabs.source.form.options.harvestType.METADATA_ONLY" : "Pouze sklizená metadata", + // "handle-table.edit-handle.form-handle-input-text": "Handle", + "handle-table.edit-handle.form-handle-input-text" : "Handle", - // "collection.edit.tabs.source.head" : "Content Source" - "collection.edit.tabs.source.head" : "Zdroj obsahu", + // "handle-table.edit-handle.form-handle-input-placeholder": "Enter new handle", + "handle-table.edit-handle.form-handle-input-placeholder" : "Zadat nový Handle", - // "collection.edit.tabs.source.notifications.discarded.content" : "Your changes were discarded. To reinstate your changes click the 'Undo' button" - "collection.edit.tabs.source.notifications.discarded.content" : "Změny byly zahozeny. Chcete-li změny obnovit, klikněte na tlačítko Zpět.", + // "handle-table.edit-handle.form-url-input-text": "URL", + "handle-table.edit-handle.form-url-input-text" : "URL adresa", - // "collection.edit.tabs.source.notifications.discarded.title" : "Changes discarded" - "collection.edit.tabs.source.notifications.discarded.title" : "Změny vyřazené", + // "handle-table.edit-handle.form-url-input-placeholder": "Enter new URL", + "handle-table.edit-handle.form-url-input-placeholder" : "Zadejte novou URL adresu", - // "collection.edit.tabs.source.notifications.invalid.content" : "Your changes were not saved. Please make sure all fields are valid before you save." - "collection.edit.tabs.source.notifications.invalid.content" : "Vaše změny nebyly uloženy. Před uložením se prosím ujistěte, že jsou všechna pole platná.", + // "handle-table.edit-handle.form-archive-input-check": "Archive old handle?", + "handle-table.edit-handle.form-archive-input-check" : "Archivovat starý Handle?", - // "collection.edit.tabs.source.notifications.invalid.title" : "Metadata invalid" - "collection.edit.tabs.source.notifications.invalid.title" : "Neplatná metadata", + // "handle-table.edit-handle.form-button-submit": "Submit", + "handle-table.edit-handle.form-button-submit" : "Odeslat", - // "collection.edit.tabs.source.notifications.saved.content" : "Your changes to this collection's content source were saved." - "collection.edit.tabs.source.notifications.saved.content" : "Změny ve zdroji obsahu této kolekce byly uloženy.", - // "collection.edit.tabs.source.notifications.saved.title" : "Content Source saved" - "collection.edit.tabs.source.notifications.saved.title" : "Zdroj obsahu uložen", + // "handle-page.title": "Handles", + "handle-page.title" : "Handle", - // "collection.edit.tabs.source.title" : "Collection Edit - Content Source" - "collection.edit.tabs.source.title" : "Úprava kolekce - Zdroj obsahu", + // "handle-table.title": "Handle List", + "handle-table.title" : "Handle seznam", - // "collection.edit.template.add-button" : "Add" - "collection.edit.template.add-button" : "Přidat", + // "handle-table.table.handle": "Handle", + "handle-table.table.handle" : "Handle", - // "collection.edit.template.breadcrumbs" : "Item template" - "collection.edit.template.breadcrumbs" : "Šablona položky", + // "handle-table.table.internal": "Internal", + "handle-table.table.internal" : "Interní", - // "collection.edit.template.cancel" : "Cancel" - "collection.edit.template.cancel" : "Zrušit", + // "handle-table.table.is-internal": "Yes", + "handle-table.table.is-internal" : "Ano", - // "collection.edit.template.delete-button" : "Delete" - "collection.edit.template.delete-button" : "Odstranit", + // "handle-table.table.not-internal": "No", + "handle-table.table.not-internal" : "Ne", - // "collection.edit.template.edit-button" : "Edit" - "collection.edit.template.edit-button" : "Upravit", + // "handle-table.table.url": "URL", + "handle-table.table.url" : "URL", - // "collection.edit.template.error" : "An error occurred retrieving the template item" - "collection.edit.template.error" : "Při načítání šablony položky došlo k chybě.", + // "handle-table.table.resource-type": "Resource type", + "handle-table.table.resource-type" : "Typ zdroje", - // "collection.edit.template.head" : "Edit Template Item for Collection \"{{ collection }}\"" - "collection.edit.template.head" : "Upravit šablonu položky pro kolekci \"{{ collection }}\"", + // "handle-table.table.resource-id": "Resource id", + "handle-table.table.resource-id" : "ID zdroje", - // "collection.edit.template.label" : "Template item" - "collection.edit.template.label" : "Šablona položky", + // "handle-table.button.new-handle": "New external handle", + "handle-table.button.new-handle" : "Nový vnější Handle", - // "collection.edit.template.loading" : "Loading template item..." - "collection.edit.template.loading" : "Načítání šablony položky...", + // "handle-table.button.edit-handle": "Edit handle", + "handle-table.button.edit-handle" : "Upravit Handle", - // "collection.edit.template.notifications.delete.error" : "Failed to delete the item template" - "collection.edit.template.notifications.delete.error" : "Nepodařilo se odstranit šablonu položky", + // "handle-table.button.delete-handle": "Delete handle", + "handle-table.button.delete-handle" : "Odstranit Handle", - // "collection.edit.template.notifications.delete.success" : "Successfully deleted the item template" - "collection.edit.template.notifications.delete.success" : "Šablona položky byla úspěšně odstraněna", + // "handle-table.dropdown.search-option": "Search option", + "handle-table.dropdown.search-option" : "Možnost vyhledávání", - // "collection.edit.template.title" : "Edit Template Item" - "collection.edit.template.title" : "Upravit šablonu položky", - // "collection.form.abstract" : "Short Description" - "collection.form.abstract" : "Krátký popis", - // "collection.form.description" : "Introductory text (HTML)" - "collection.form.description" : "Úvodní text (HTML)", + // "handle-table.global-actions.title": "Global Actions", + "handle-table.global-actions.title" : "Globální akce", - // "collection.form.errors.title.required" : "Please enter a collection name" - "collection.form.errors.title.required" : "Zadejte prosím název kolekce", + // "handle-table.global-actions.actions-list-message": "This is the list of available global actions.", + "handle-table.global-actions.actions-list-message" : "Toto je seznam dostupných globálních akcí.", - // "collection.form.license" : "License" - "collection.form.license" : "Licence", + // "handle-table.global-actions.button.change-prefix": "Change handle prefix", + "handle-table.global-actions.button.change-prefix" : "Změnit předponu Handlu", - // "collection.form.provenance" : "Provenance" - "collection.form.provenance" : "Původ", + // "handle-table.change-handle-prefix.form-old-prefix-input-text": "Old prefix", + "handle-table.change-handle-prefix.form-old-prefix-input-text" : "Stará předpona", - // "collection.form.rights" : "Copyright text (HTML)" - "collection.form.rights" : "Text o autorských právech (HTML)", + // "handle-table.change-handle-prefix.form-old-prefix-input-error": "Valid old prefix is required", + "handle-table.change-handle-prefix.form-old-prefix-input-error" : "Je vyžadována platná stará předpona", - // "collection.form.tableofcontents" : "News (HTML)" - "collection.form.tableofcontents" : "Novinky (HTML)", + // "handle-table.change-handle-prefix.form-old-prefix-input-placeholder": "Enter old prefix", + "handle-table.change-handle-prefix.form-old-prefix-input-placeholder" : "Zadat starou předponu", - // "collection.form.title" : "Name" - "collection.form.title" : "Jméno", + // "handle-table.change-handle-prefix.form-new-prefix-input-text": "New prefix", + "handle-table.change-handle-prefix.form-new-prefix-input-text" : "Nová předpona", - // "collection.form.entityType" : "Entity Type" - "collection.form.entityType" : "Typ subjektu", + // "handle-table.change-handle-prefix.form-new-prefix-input-placeholder": "Enter new prefix", + "handle-table.change-handle-prefix.form-new-prefix-input-placeholder" : "Zadat novou předponu", - // "collection.listelement.badge" : "Collection" - "collection.listelement.badge" : "Kolekce", + // "handle-table.change-handle-prefix.form-new-prefix-input-error": "Valid new prefix is required", + "handle-table.change-handle-prefix.form-new-prefix-input-error" : "Je vyžadována nová platná předpona", - // "collection.page.browse.recent.head" : "Recent Submissions" - "collection.page.browse.recent.head" : "Poslední příspěvky", + // "handle-table.change-handle-prefix.form-archive-input-check": "Archive old handles?", + "handle-table.change-handle-prefix.form-archive-input-check" : "Archivovat staré Handles?", - // "collection.page.browse.recent.empty" : "No items to show" - "collection.page.browse.recent.empty" : "Žádné položky k zobrazení", + // "handle-table.change-handle-prefix.notify.started": "Changing of the prefix has been started, it will take some time.", + "handle-table.change-handle-prefix.notify.started" : "Změna prefixu byla zahájena, bude to nějakou dobu trvat.", - // "collection.page.edit" : "Edit this collection" - "collection.page.edit" : "Upravit tuto kolekci", + // "handle-table.change-handle-prefix.notify.successful": "The global prefix was changed!", + "handle-table.change-handle-prefix.notify.successful" : "Globální předpona byla změněna!", - // "collection.page.handle" : "Permanent URI for this collection" - "collection.page.handle" : "Trvalé URI pro tuto kolekci", + // "handle-table.change-handle-prefix.notify.error": "Server Error - Cannot change the global prefix", + "handle-table.change-handle-prefix.notify.error" : "Chyba serveru - Nelze změnit globální předponu", - // "collection.page.license" : "License" - "collection.page.license" : "Licence", + // "handle-table.change-handle-prefix.notify.error.empty-table": "Server Error - Cannot change the global prefix because no Handle exist.", + "handle-table.change-handle-prefix.notify.error.empty-table" : "Chyba serveru - Nelze změnit globální předponu, protože neexistuje žádný Handle.", - // "collection.page.news" : "News" - "collection.page.news" : "Novinky", - // "collection.select.confirm" : "Confirm selected" - "collection.select.confirm" : "Potvrdit vybrané", - // "collection.select.empty" : "No collections to show" - "collection.select.empty" : "Žádné kolekce k zobrazení", + // "licenses.manage-table.breadcrumbs": "License administration", + "licenses.manage-table.breadcrumbs" : "Správa licencí", - // "collection.select.table.title" : "Title" - "collection.select.table.title" : "Název", + // "licenses.breadcrumbs": "Licenses", + "licenses.breadcrumbs" : "License", - // "collection.source.controls.head" : "Harvest Controls" - "collection.source.controls.head" : "Kontroly sklizně", - // "collection.source.controls.test.submit.error" : "Something went wrong with initiating the testing of the settings" - "collection.source.controls.test.submit.error" : "Něco se pokazilo při zahájení testování nastavení", - // "collection.source.controls.test.failed" : "The script to test the settings has failed" - "collection.source.controls.test.failed" : "Skript pro testování nastavení selhal", + // "info.end-user-agreement.accept": "I have read and I agree to the End User Agreement", + "info.end-user-agreement.accept" : "Přečetl/a jsem si smlouvu s koncovým uživatelem a souhlasím s ní.", - // "collection.source.controls.test.completed" : "The script to test the settings has successfully finished" - "collection.source.controls.test.completed" : "Skript pro testování nastavení byl úspěšně dokončen", + // "info.end-user-agreement.accept.error": "An error occurred accepting the End User Agreement", + "info.end-user-agreement.accept.error" : "Při přijímání smlouvy s koncovým uživatelem došlo k chybě", - // "collection.source.controls.test.submit" : "Test configuration" - "collection.source.controls.test.submit" : "Testovací konfigurace", + // "info.end-user-agreement.accept.success": "Successfully updated the End User Agreement", + "info.end-user-agreement.accept.success" : "Úspěšná aktualizace smlouvy s koncovým uživatelem", - // "collection.source.controls.test.running" : "Testing configuration..." - "collection.source.controls.test.running" : "Testování konfigurace...", + // "info.end-user-agreement.breadcrumbs": "End User Agreement", + "info.end-user-agreement.breadcrumbs" : "Dohoda s koncovým uživatelem", - // "collection.source.controls.import.submit.success" : "The import has been successfully initiated" - "collection.source.controls.import.submit.success" : "Import byl úspěšně zahájen", + // "info.end-user-agreement.buttons.cancel": "Cancel", + "info.end-user-agreement.buttons.cancel" : "Zrušit", - // "collection.source.controls.import.submit.error" : "Something went wrong with initiating the import" - "collection.source.controls.import.submit.error" : "Něco se pokazilo při zahájení importu", + // "info.end-user-agreement.buttons.save": "Save", + "info.end-user-agreement.buttons.save" : "Uložit", - // "collection.source.controls.import.submit" : "Import now" - "collection.source.controls.import.submit" : "Importovat nyní", + // "info.end-user-agreement.head": "End User Agreement", + "info.end-user-agreement.head" : "Smlouva s koncovým uživatelem", - // "collection.source.controls.import.running" : "Importing..." - "collection.source.controls.import.running" : "Importování...", + // "info.end-user-agreement.title": "End User Agreement", + "info.end-user-agreement.title" : "Smlouva s koncovým uživatelem", - // "collection.source.controls.import.failed" : "An error occurred during the import" - "collection.source.controls.import.failed" : "Při importu došlo k chybě", + // "info.privacy.breadcrumbs": "Privacy Statement", + "info.privacy.breadcrumbs" : "Prohlášení o ochraně osobních údajů", - // "collection.source.controls.import.completed" : "The import completed" - "collection.source.controls.import.completed" : "Import byl dokončen", + // "info.privacy.head": "Privacy Statement", + "info.privacy.head" : "Prohlášení o ochraně osobních údajů", - // "collection.source.controls.reset.submit.success" : "The reset and reimport has been successfully initiated" - "collection.source.controls.reset.submit.success" : "Reset a opětovný import byl úspěšně zahájen", + // "info.privacy.title": "Privacy Statement", + "info.privacy.title" : "Prohlášení o ochraně osobních údajů", - // "collection.source.controls.reset.submit.error" : "Something went wrong with initiating the reset and reimport" - "collection.source.controls.reset.submit.error" : "Něco se pokazilo při resetu a opětovném importu", + // "info.feedback.breadcrumbs": "Feedback", + "info.feedback.breadcrumbs" : "Zpětná vazba", - // "collection.source.controls.reset.failed" : "An error occurred during the reset and reimport" - "collection.source.controls.reset.failed" : "Při restartu a opětovném importu došlo k chybě", + // "info.feedback.head": "Feedback", + "info.feedback.head" : "Zpětná vazba", - // "collection.source.controls.reset.completed" : "The reset and reimport completed" - "collection.source.controls.reset.completed" : "Reset a opětovný import byly dokončeny", + // "info.feedback.title": "Feedback", + "info.feedback.title" : "Zpětná vazba", - // "collection.source.controls.reset.submit" : "Reset and reimport" - "collection.source.controls.reset.submit" : "Resetovat a opětovne importovat", + // "info.feedback.info": "Thanks for sharing your feedback about the DSpace system. Your comments are appreciated!", + "info.feedback.info" : "Děkujeme za sdílení zpětné vazby o systému DSpace. Vážíme si vašich připomínek!", - // "collection.source.controls.reset.running" : "Resetting and reimporting..." - "collection.source.controls.reset.running" : "Resetování a opětovné importování...", + // "info.feedback.email_help": "This address will be used to follow up on your feedback.", + "info.feedback.email_help" : "Tato adresa bude použita pro sledování vaší zpětné vazby.", - // "collection.source.controls.harvest.status" : "Harvest status:" - "collection.source.controls.harvest.status" : "Stav sklizně:", + // "info.feedback.send": "Send Feedback", + "info.feedback.send" : "Odeslat zpětnou vazbu", - // "collection.source.controls.harvest.start" : "Harvest start time:" - "collection.source.controls.harvest.start" : "Začátek sklizně:", + // "info.feedback.comments": "Comments", + "info.feedback.comments" : "Komentáře", - // "collection.source.controls.harvest.last" : "Last time harvested:" - "collection.source.controls.harvest.last" : "Naposledy sklizeno:", + // "info.feedback.email-label": "Your Email", + "info.feedback.email-label" : "Váš e-mail", - // "collection.source.controls.harvest.message" : "Harvest info:" - "collection.source.controls.harvest.message" : "Informace o sklizni:", + // "info.feedback.create.success" : "Feedback Sent Successfully!", + "info.feedback.create.success" : "Zpětná vazba úspěšně odeslána!", - // "collection.source.controls.harvest.no-information" : "N/A" - "collection.source.controls.harvest.no-information" : "Neaplikovatelné", + // "info.feedback.error.email.required" : "A valid email address is required", + "info.feedback.error.email.required" : "Je vyžadována platná e-mailová adresa.", - // "collection.source.update.notifications.error.content" : "The provided settings have been tested and didn't work." - "collection.source.update.notifications.error.content" : "Poskytnutá nastavení byla testována a nefungovala.", + // "info.feedback.error.message.required" : "A comment is required", + "info.feedback.error.message.required" : "Je vyžadován komentář.", - // "collection.source.update.notifications.error.title" : "Server Error" - "collection.source.update.notifications.error.title" : "Chyba serveru", + // "info.feedback.page-label" : "Page", + "info.feedback.page-label" : "Stránka", - // "communityList.breadcrumbs" : "Community List" - "communityList.breadcrumbs" : "Seznam komunity", + // "info.feedback.page_help" : "Tha page related to your feedback", + "info.feedback.page_help" : "Stránka související se zpětnou vazbou.", - // "communityList.tabTitle" : "Community List" - "communityList.tabTitle" : "DSpace - Seznam komunit", - // "communityList.title" : "List of Communities" - "communityList.title" : "Seznam komunit", - // "communityList.showMore" : "Show More" - "communityList.showMore" : "Zobrazit více", + // "item.alerts.private": "This item is non-discoverable", + "item.alerts.private" : "Tato položka je soukromá", - // "community.create.head" : "Create a Community" - "community.create.head" : "Vytvořit komunitu", + // "item.alerts.withdrawn": "This item has been withdrawn", + "item.alerts.withdrawn" : "Tento bod byl stažen", - // "community.create.notifications.success" : "Successfully created the Community" - "community.create.notifications.success" : "Úspěšně vytvořená komunita", - // "community.create.sub-head" : "Create a Sub-Community for Community {{ parent }}" - "community.create.sub-head" : "Vytvořit subkomunitu pro komunitu {{ parent }}", - // "community.curate.header" : "Curate Community: {{community}}" - "community.curate.header" : "Spravovat komunitu: {{community}}", + // "item.edit.authorizations.heading": "With this editor you can view and alter the policies of an item, plus alter policies of individual item components: bundles and bitstreams. Briefly, an item is a container of bundles, and bundles are containers of bitstreams. Containers usually have ADD/REMOVE/READ/WRITE policies, while bitstreams only have READ/WRITE policies.", + "item.edit.authorizations.heading": "Pomocí tohoto editoru můžete zobrazit a měnit zásady položky a také zásady jednotlivých součástí položky: svazků a bitstreamů. Stručně řečeno, položka je kontejnerem svazků a svazky jsou kontejnery bitstreamů. Kontejnery mají obvykle zásady ADD/REMOVE/READ/WRITE, zatímco bitové proudy mají pouze zásady READ/WRITE.", - // "community.delete.cancel" : "Cancel" - "community.delete.cancel" : "Zrušit", + // "item.edit.authorizations.title": "Edit item's Policies", + "item.edit.authorizations.title" : "Upravit zásady položky", - // "community.delete.confirm" : "Confirm" - "community.delete.confirm" : "Potvrdit", - // "community.delete.processing" : "Deleting..." - "community.delete.processing" : "Odstraňování...", - // "community.delete.head" : "Delete Community" - "community.delete.head" : "Odstranit komunitu", + // "item.badge.private": "Non-discoverable", + "item.badge.private" : "Soukromé", - // "community.delete.notification.fail" : "Community could not be deleted" - "community.delete.notification.fail" : "Komunitu nebylo možné smazat", + // "item.badge.withdrawn": "Withdrawn", + "item.badge.withdrawn" : "Stáhnout", - // "community.delete.notification.success" : "Successfully deleted community" - "community.delete.notification.success" : "Úspěšně odstraněná komunita", - // "community.delete.text" : "Are you sure you want to delete community \"{{ dso }}\"" - "community.delete.text" : "Opravdu chcete odstranit komunitu \"{{ dso }}\"", - // "community.edit.delete" : "Delete this community" - "community.edit.delete" : "Smazat tuto komunitu", + // "item.bitstreams.upload.bundle": "Bundle", + "item.bitstreams.upload.bundle" : "Svazek", - // "community.edit.head" : "Edit Community" - "community.edit.head" : "Upravit komunitu", + // "item.bitstreams.upload.bundle.placeholder": "Select a bundle or input new bundle name", + "item.bitstreams.upload.bundle.placeholder" : "Vybrat svazek", - // "community.edit.breadcrumbs" : "Edit Community" - "community.edit.breadcrumbs" : "Upravit komunitu", + // "item.bitstreams.upload.bundle.new": "Create bundle", + "item.bitstreams.upload.bundle.new" : "Vytvořit svazek", - // "community.edit.logo.delete.title" : "Delete logo" - "community.edit.logo.delete.title" : "Odstranit logo", + // "item.bitstreams.upload.bundles.empty": "This item doesn\'t contain any bundles to upload a bitstream to.", + "item.bitstreams.upload.bundles.empty" : "Tato položka neobsahuje žádné svazky, do kterých by bylo možné nahrát bitstream.", - // "community.edit.logo.delete-undo.title" : "Undo delete" - "community.edit.logo.delete-undo.title" : "Zrušit odstranění", + // "item.bitstreams.upload.cancel": "Cancel", + "item.bitstreams.upload.cancel" : "Zrušit", - // "community.edit.logo.label" : "Community logo" - "community.edit.logo.label" : "Logo komunity", + // "item.bitstreams.upload.drop-message": "Drop a file to upload", + "item.bitstreams.upload.drop-message" : "Upusťte soubor, který chcete nahrát", - // "community.edit.logo.notifications.add.error" : "Uploading Community logo failed. Please verify the content before retrying." - "community.edit.logo.notifications.add.error" : "Nahrání loga komunity se nezdařilo. Před dalším pokusem ověřte obsah.", + // "item.bitstreams.upload.item": "Item: ", + "item.bitstreams.upload.item": "Položka: ", - // "community.edit.logo.notifications.add.success" : "Upload Community logo successful." - "community.edit.logo.notifications.add.success" : "Nahrání loga komunity se podařilo.", + // "item.bitstreams.upload.notifications.bundle.created.content": "Successfully created new bundle.", + "item.bitstreams.upload.notifications.bundle.created.content" : "Úspěšně vytvořen nový svazek.", - // "community.edit.logo.notifications.delete.success.title" : "Logo deleted" - "community.edit.logo.notifications.delete.success.title" : "Logo odstraněno", + // "item.bitstreams.upload.notifications.bundle.created.title": "Created bundle", + "item.bitstreams.upload.notifications.bundle.created.title" : "Vytvořený svazek", - // "community.edit.logo.notifications.delete.success.content" : "Successfully deleted the community's logo" - "community.edit.logo.notifications.delete.success.content" : "Úspěšně odstraněno logo komunity", + // "item.bitstreams.upload.notifications.upload.failed": "Upload failed. Please verify the content before retrying.", + "item.bitstreams.upload.notifications.upload.failed" : "Odeslání se nezdařilo. Před dalším pokusem ověřte obsah.", - // "community.edit.logo.notifications.delete.error.title" : "Error deleting logo" - "community.edit.logo.notifications.delete.error.title" : "Chyba při mazání loga", + // "item.bitstreams.upload.title": "Upload bitstream", + "item.bitstreams.upload.title" : "Nahrání bitstreamu", - // "community.edit.logo.upload" : "Drop a Community Logo to upload" - "community.edit.logo.upload" : "Vložte logo komunity, které chcete nahrát", - // "community.edit.notifications.success" : "Successfully edited the Community" - "community.edit.notifications.success" : "Úspěšná úprava komunity", - // "community.edit.notifications.unauthorized" : "You do not have privileges to make this change" - "community.edit.notifications.unauthorized" : "K provedení této změny nemáte oprávnění", + // "item.edit.bitstreams.bundle.edit.buttons.upload": "Upload", + "item.edit.bitstreams.bundle.edit.buttons.upload" : "Nahrát", - // "community.edit.notifications.error" : "An error occured while editing the Community" - "community.edit.notifications.error" : "Při úpravách komunity došlo k chybě.", + // "item.edit.bitstreams.bundle.displaying": "Currently displaying {{ amount }} bitstreams of {{ total }}.", + "item.edit.bitstreams.bundle.displaying" : "Aktuálně zobrazuje {{ amount }} bitstreamů o počtu {{ total }}.", - // "community.edit.return" : "Back" - "community.edit.return" : "Zpět", + // "item.edit.bitstreams.bundle.load.all": "Load all ({{ total }})", + "item.edit.bitstreams.bundle.load.all" : "Načíst vše ({{ total }})", - // "community.edit.tabs.curate.head" : "Curate" - "community.edit.tabs.curate.head" : "Spravovat", + // "item.edit.bitstreams.bundle.load.more": "Load more", + "item.edit.bitstreams.bundle.load.more" : "Načíst více", - // "community.edit.tabs.curate.title" : "Community Edit - Curate" - "community.edit.tabs.curate.title" : "Úprava komunity - spravovat", + // "item.edit.bitstreams.bundle.name": "BUNDLE: {{ name }}", + "item.edit.bitstreams.bundle.name": "BUNDLE: {{ name }}", - // "community.edit.tabs.metadata.head" : "Edit Metadata" - "community.edit.tabs.metadata.head" : "Upravit metadata", + // "item.edit.bitstreams.discard-button": "Discard", + "item.edit.bitstreams.discard-button" : "Vyřadit", - // "community.edit.tabs.metadata.title" : "Community Edit - Metadata" - "community.edit.tabs.metadata.title" : "Upravit komunitu - Metadata", + // "item.edit.bitstreams.edit.buttons.download": "Download", + "item.edit.bitstreams.edit.buttons.download" : "Stáhnout", - // "community.edit.tabs.roles.head" : "Assign Roles" - "community.edit.tabs.roles.head" : "Přidělit role", + // "item.edit.bitstreams.edit.buttons.drag": "Drag", + "item.edit.bitstreams.edit.buttons.drag" : "", - // "community.edit.tabs.roles.title" : "Community Edit - Roles" - "community.edit.tabs.roles.title" : "Úpravy komunity - Role", + // "item.edit.bitstreams.edit.buttons.edit": "Edit", + "item.edit.bitstreams.edit.buttons.edit" : "Upravit", - // "community.edit.tabs.authorizations.head" : "Authorizations" - "community.edit.tabs.authorizations.head" : "Oprávnění", + // "item.edit.bitstreams.edit.buttons.remove": "Remove", + "item.edit.bitstreams.edit.buttons.remove" : "Odstranit", - // "community.edit.tabs.authorizations.title" : "Community Edit - Authorizations" - "community.edit.tabs.authorizations.title" : "Úpravy komunity - Oprávnění", + // "item.edit.bitstreams.edit.buttons.undo": "Undo changes", + "item.edit.bitstreams.edit.buttons.undo" : "Vrátit změny", - // "community.listelement.badge" : "Community" - "community.listelement.badge" : "Komunita", + // "item.edit.bitstreams.empty": "This item doesn't contain any bitstreams. Click the upload button to create one.", + "item.edit.bitstreams.empty" : "Tato položka neobsahuje žádné bitstreamy. Klikněte na tlačítko pro nahrání a jeden vytvořte.", - // "comcol-role.edit.no-group" : "None" - "comcol-role.edit.no-group" : "Žádné", + // "item.edit.bitstreams.headers.actions": "Actions", + "item.edit.bitstreams.headers.actions" : "Akce", - // "comcol-role.edit.create" : "Create" - "comcol-role.edit.create" : "Vytvořit", + // "item.edit.bitstreams.headers.bundle": "Bundle", + "item.edit.bitstreams.headers.bundle" : "Svazek", - // "comcol-role.edit.restrict" : "Restrict" - "comcol-role.edit.restrict" : "Omezit", + // "item.edit.bitstreams.headers.description": "Description", + "item.edit.bitstreams.headers.description" : "Popis", - // "comcol-role.edit.delete" : "Delete" - "comcol-role.edit.delete" : "Odstranit", + // "item.edit.bitstreams.headers.format": "Format", + "item.edit.bitstreams.headers.format" : "Formát", - // "comcol-role.edit.community-admin.name" : "Administrators" - "comcol-role.edit.community-admin.name" : "Administrátoři", + // "item.edit.bitstreams.headers.name": "Name", + "item.edit.bitstreams.headers.name" : "Jméno", - // "comcol-role.edit.collection-admin.name" : "Administrators" - "comcol-role.edit.collection-admin.name" : "Administrátoři", + // "item.edit.bitstreams.notifications.discarded.content": "Your changes were discarded. To reinstate your changes click the 'Undo' button", + "item.edit.bitstreams.notifications.discarded.content" : "Vaše změny byly vyřazeny. Chcete-li změny obnovit, klikněte na tlačítko \"Vrátit zpět\".", - // "comcol-role.edit.community-admin.description" : "Community administrators can create sub-communities or collections, and manage or assign management for those sub-communities or collections. In addition, they decide who can submit items to any sub-collections, edit item metadata (after submission), and add (map) existing items from other collections (subject to authorization)." - "comcol-role.edit.community-admin.description" : "Komunitní administrátoři mohou vytvářet subkomunity nebo kolekce a spravovat nebo přiřazovat správu pro tyto subkomunity nebo kolekce. Kromě toho rozhodují o tom, kdo může předkládat položky do jakýchkoli subkolekcí, upravovat metadata položek (po předložení) a přidávat (mapovat) existující položky z jiných kolekcí (na základe oprávnění).", + // "item.edit.bitstreams.notifications.discarded.title": "Changes discarded", + "item.edit.bitstreams.notifications.discarded.title" : "Zmeny vyřazeny", - // "comcol-role.edit.collection-admin.description" : "Collection administrators decide who can submit items to the collection, edit item metadata (after submission), and add (map) existing items from other collections to this collection (subject to authorization for that collection)." - "comcol-role.edit.collection-admin.description" : "Správci kolekcí rozhodují o tom, kdo může do kolekce vkládat položky, upravovat metadata položek (po jejich vložení) a přidávat (mapovat) existující položky z jiných kolekcí do této kolekce (v závislosti na oprávnění dané kolekce).", + // "item.edit.bitstreams.notifications.move.failed.title": "Error moving bitstreams", + "item.edit.bitstreams.notifications.move.failed.title" : "Chyba při přesune bitstreamů", - // "comcol-role.edit.submitters.name" : "Submitters" - "comcol-role.edit.submitters.name" : "Předkladatelé", + // "item.edit.bitstreams.notifications.move.saved.content": "Your move changes to this item's bitstreams and bundles have been saved.", + "item.edit.bitstreams.notifications.move.saved.content" : "Vaše změny v bitstreamoch a svazcích této položky byly uloženy.", - // "comcol-role.edit.submitters.description" : "The E-People and Groups that have permission to submit new items to this collection." - "comcol-role.edit.submitters.description" : "E-People a skupiny, které mají oprávnění vkládat nové položky do této kolekce.", + // "item.edit.bitstreams.notifications.move.saved.title": "Move changes saved", + "item.edit.bitstreams.notifications.move.saved.title" : "Uložené změny přesunu", - // "comcol-role.edit.item_read.name" : "Default item read access" - "comcol-role.edit.item_read.name" : "Výchozí přístup ke čtení položek", + // "item.edit.bitstreams.notifications.outdated.content": "The item you're currently working on has been changed by another user. Your current changes are discarded to prevent conflicts", + "item.edit.bitstreams.notifications.outdated.content" : "Položka, na které právě pracujete, byla změněna jiným uživatelem. Vaše aktuální změny jsou vyřazeny, aby se zabránilo konfliktům.", - // "comcol-role.edit.item_read.description" : "E-People and Groups that can read new items submitted to this collection. Changes to this role are not retroactive. Existing items in the system will still be viewable by those who had read access at the time of their addition." - "comcol-role.edit.item_read.description" : "E-Lidé a skupiny, které mohou číst nové položky odeslané do této kolekce. Změny této role nejsou zpětné. Stávající položky v systému budou i nadále zobrazitelné pro ty, kteří měli přístup ke čtení v době jejich přidání.", + // "item.edit.bitstreams.notifications.outdated.title": "Changes outdated", + "item.edit.bitstreams.notifications.outdated.title" : "Změny neaktuální", - // "comcol-role.edit.item_read.anonymous-group" : "Default read for incoming items is currently set to Anonymous." - "comcol-role.edit.item_read.anonymous-group" : "Výchozí čtení pro příchozí položky je aktuálně nastaveno na Anonymní.", + // "item.edit.bitstreams.notifications.remove.failed.title": "Error deleting bitstream", + "item.edit.bitstreams.notifications.remove.failed.title" : "Chyba při mazání bitstreamu", - // "comcol-role.edit.bitstream_read.name" : "Default bitstream read access" - "comcol-role.edit.bitstream_read.name" : "Výchozí přístup ke čtení bitstreamu", + // "item.edit.bitstreams.notifications.remove.saved.content": "Your removal changes to this item's bitstreams have been saved.", + "item.edit.bitstreams.notifications.remove.saved.content" : "Vaše změny v bitstreamech této položky byly uloženy.", - // "comcol-role.edit.bitstream_read.description" : "Community administrators can create sub-communities or collections, and manage or assign management for those sub-communities or collections. In addition, they decide who can submit items to any sub-collections, edit item metadata (after submission), and add (map) existing items from other collections (subject to authorization)." - "comcol-role.edit.bitstream_read.description" : "Správci komunit mohou vytvářet subkomunity nebo kolekce a spravovat nebo přidělovat správu těmto subkomunitám nebo kolekcím. Kromě toho rozhodují o tom, kdo může do subkolekcí vkládat položky, upravovat metadata položek (po jejich vložení) a přidávat (mapovat) existující položky z jiných kolekcí (na základě oprávnění).", + // "item.edit.bitstreams.notifications.remove.saved.title": "Removal changes saved", + "item.edit.bitstreams.notifications.remove.saved.title" : "Odstranit uložené změny", - // "comcol-role.edit.bitstream_read.anonymous-group" : "Default read for incoming bitstreams is currently set to Anonymous." - "comcol-role.edit.bitstream_read.anonymous-group" : "Výchozí čtení pro příchozí bitstreamy je v současné době nastaveno na hodnotu Anonymní.", + // "item.edit.bitstreams.reinstate-button": "Undo", + "item.edit.bitstreams.reinstate-button" : "Zpět", - // "comcol-role.edit.editor.name" : "Editors" - "comcol-role.edit.editor.name" : "Editoři", + // "item.edit.bitstreams.save-button": "Save", + "item.edit.bitstreams.save-button" : "Uložit", - // "comcol-role.edit.editor.description" : "Editors are able to edit the metadata of incoming submissions, and then accept or reject them." - "comcol-role.edit.editor.description" : "Editoři mohou upravovat metadata příchozích příspěvků a následně je přijmout nebo odmítnout.", + // "item.edit.bitstreams.upload-button": "Upload", + "item.edit.bitstreams.upload-button" : "Nahrát", - // "comcol-role.edit.finaleditor.name" : "Final editors" - "comcol-role.edit.finaleditor.name" : "Finální editoři", - // "comcol-role.edit.finaleditor.description" : "Final editors are able to edit the metadata of incoming submissions, but will not be able to reject them." - "comcol-role.edit.finaleditor.description" : "Finální editoři mohou upravovat metadata příchozích příspěvků, ale nebudou je moci odmítnout.", - // "comcol-role.edit.reviewer.name" : "Reviewers" - "comcol-role.edit.reviewer.name" : "Recenzenti", + // "item.edit.delete.cancel": "Cancel", + "item.edit.delete.cancel" : "Zrušit", - // "comcol-role.edit.reviewer.description" : "Reviewers are able to accept or reject incoming submissions. However, they are not able to edit the submission's metadata." - "comcol-role.edit.reviewer.description" : "Recenzenti mohou příchozí příspěvky přijmout nebo odmítnout. Nemohou však upravovat metadata záznamu.", + // "item.edit.delete.confirm": "Delete", + "item.edit.delete.confirm" : "Odstranit", - // "community.form.abstract" : "Short Description" - "community.form.abstract" : "Krátký popis", + // "item.edit.delete.description": "Are you sure this item should be completely deleted? Caution: At present, no tombstone would be left.", + "item.edit.delete.description": "Jste si jisti, že by tato položka měla být kompletně vymazána? Upozornění: V současné době by nezůstal žádný náhrobek.", - // "community.form.description" : "Introductory text (HTML)" - "community.form.description" : "Úvodní text (HTML)", + // "item.edit.delete.error": "An error occurred while deleting the item", + "item.edit.delete.error" : "Při mazání položky došlo k chybě", - // "community.form.errors.title.required" : "Please enter a community name" - "community.form.errors.title.required" : "Zadejte prosím název komunity", + // "item.edit.delete.header": "Delete item: {{ id }}", + "item.edit.delete.header": "Odstranit položku: {{ id }}", - // "community.form.rights" : "Copyright text (HTML)" - "community.form.rights" : "Autorské práva (HTML)", + // "item.edit.delete.success": "The item has been deleted", + "item.edit.delete.success" : "Položka byla odstraněna", - // "community.form.tableofcontents" : "News (HTML)" - "community.form.tableofcontents" : "Novinky (HTML)", + // "item.edit.head": "Edit Item", + "item.edit.head" : "Upravit položku", - // "community.form.title" : "Name" - "community.form.title" : "Jméno", + // "item.edit.breadcrumbs": "Edit Item", + "item.edit.breadcrumbs" : "Upravit položku", - // "community.page.edit" : "Edit this community" - "community.page.edit" : "Upravit tuto komunitu", + // "item.edit.tabs.disabled.tooltip": "You're not authorized to access this tab", + "item.edit.tabs.disabled.tooltip" : "Nejste oprávněni k přístupu na tuto kartu", - // "community.page.handle" : "Permanent URI for this community" - "community.page.handle" : "Trvalé URI pro tuto komunitu", - // "community.page.license" : "License" - "community.page.license" : "Licence", + // "item.edit.tabs.mapper.head": "Collection Mapper", + "item.edit.tabs.mapper.head" : "Mapovač kolekcí", - // "community.page.news" : "News" - "community.page.news" : "Novinky", + // "item.edit.tabs.item-mapper.title": "Item Edit - Collection Mapper", + "item.edit.tabs.item-mapper.title" : "Úprava položky - Mapovač kolekcí", - // "community.all-lists.head" : "Subcommunities and Collections" - "community.all-lists.head" : "Podkomunity a kolekce", + // "item.edit.identifiers.doi.status.UNKNOWN": "Unknown", + "item.edit.identifiers.doi.status.UNKNOWN" : "Neznámý", - // "community.sub-collection-list.head" : "Collections of this Community" - "community.sub-collection-list.head" : "Kolekce v této komunitě", + // "item.edit.identifiers.doi.status.TO_BE_REGISTERED": "Queued for registration", + "item.edit.identifiers.doi.status.TO_BE_REGISTERED" : "Zařazeno do fronty na registraci", - // "community.sub-community-list.head" : "Communities of this Community" - "community.sub-community-list.head" : "Komunity této komunity", + // "item.edit.identifiers.doi.status.TO_BE_RESERVED": "Queued for reservation", + "item.edit.identifiers.doi.status.TO_BE_RESERVED" : "Ve frontě na rezervaci", - // "cookies.consent.accept-all" : "Accept all" - "cookies.consent.accept-all" : "Přijmout vše", + // "item.edit.identifiers.doi.status.IS_REGISTERED": "Registered", + "item.edit.identifiers.doi.status.IS_REGISTERED" : "Registrováno", - // "cookies.consent.accept-selected" : "Accept selected" - "cookies.consent.accept-selected" : "Přijmout zvolené", + // "item.edit.identifiers.doi.status.IS_RESERVED": "Reserved", + "item.edit.identifiers.doi.status.IS_RESERVED" : "Rezervováno", - // "cookies.consent.app.opt-out.description" : "This app is loaded by default (but you can opt out)" - "cookies.consent.app.opt-out.description" : "Tato aplikace je načtena ve výchozím nastavení (ale můžete ji odhlásit).", + // "item.edit.identifiers.doi.status.UPDATE_RESERVED": "Reserved (update queued)", + "item.edit.identifiers.doi.status.UPDATE_RESERVED" : "Rezervováno (aktualizace zařazena do fronty)", - // "cookies.consent.app.opt-out.title" : "(opt-out)" - "cookies.consent.app.opt-out.title" : "(odhlásit)", + // "item.edit.identifiers.doi.status.UPDATE_REGISTERED": "Registered (update queued)", + "item.edit.identifiers.doi.status.UPDATE_REGISTERED" : "Registrováno (aktualizace zařazena do fronty)", - // "cookies.consent.app.purpose" : "purpose" - "cookies.consent.app.purpose" : "účel", + // "item.edit.identifiers.doi.status.UPDATE_BEFORE_REGISTRATION": "Queued for update and registration", + "item.edit.identifiers.doi.status.UPDATE_BEFORE_REGISTRATION" : "Ve frontě na aktualizaci a registraci", - // "cookies.consent.app.required.description" : "This application is always required" - "cookies.consent.app.required.description" : "Tato aplikace je vždy vyžadována", + // "item.edit.identifiers.doi.status.TO_BE_DELETED": "Queued for deletion", + "item.edit.identifiers.doi.status.TO_BE_DELETED" : "Ve frontě na smazání", - // "cookies.consent.app.required.title" : "(always required)" - "cookies.consent.app.required.title" : "(vždy vyžadováno)", + // "item.edit.identifiers.doi.status.DELETED": "Deleted", + "item.edit.identifiers.doi.status.DELETED" : "Odstraněno", - // "cookies.consent.update" : "There were changes since your last visit, please update your consent." - "cookies.consent.update" : "Od vaší poslední návštěvy došlo ke změnám, aktualizujte prosím svůj souhlas.", + // "item.edit.identifiers.doi.status.PENDING": "Pending (not registered)", + "item.edit.identifiers.doi.status.PENDING" : "Čeká na vyřízení (neregistrováno)", - // "cookies.consent.close" : "Close" - "cookies.consent.close" : "Zavřít", + // "item.edit.identifiers.doi.status.MINTED": "Minted (not registered)", + "item.edit.identifiers.doi.status.MINTED" : "Vytvořené (neregistrované)", - // "cookies.consent.decline" : "Decline" - "cookies.consent.decline" : "Odmítnout", + // "item.edit.tabs.status.buttons.register-doi.label": "Register a new or pending DOI", + "item.edit.tabs.status.buttons.register-doi.label" : "Registrovat nového nebo čekajícího DOI", - // "cookies.consent.content-notice.description" : "We collect and process your personal information for the following purposes: Authentication, Preferences, Acknowledgement and Statistics.
To learn more, please read our {privacyPolicy}." - "cookies.consent.content-notice.description" : "Vaše osobní údaje shromažďujeme a zpracováváme pro následující účely: Ověřování, předvolby, potvrzení a statistiky.
Chcete-li se dozvědět více, přečtěte si naše {Zásady ochrany osobních údajů}.", + // "item.edit.tabs.status.buttons.register-doi.button": "Register DOI...", + "item.edit.tabs.status.buttons.register-doi.button" : "Registrovat DOI...", - // "cookies.consent.content-notice.learnMore" : "Customize" - "cookies.consent.content-notice.learnMore" : "Přizpůsobení", + // "item.edit.register-doi.header": "Register a new or pending DOI", + "item.edit.register-doi.header" : "Registrovat nového nebo nevyřízeného DOI", - // "cookies.consent.content-modal.description" : "Here you can see and customize the information that we collect about you." - "cookies.consent.content-modal.description" : "Zde si můžete zobrazit a přizpůsobit informace, které o vás shromažďujeme.", + // "item.edit.register-doi.description": "Review any pending identifiers and item metadata below and click Confirm to proceed with DOI registration, or Cancel to back out", + "item.edit.register-doi.description" : "Zkontrolujte všechny čekající identifikátory a metadata položky níže. Kliknutím na tlačítko Potvrdit pokračujte v registraci DOI nebo Zrušit se vraťte zpět.", - // "cookies.consent.content-modal.privacy-policy.name" : "privacy policy" - "cookies.consent.content-modal.privacy-policy.name" : "zásady ochrany osobních údajů", + // "item.edit.register-doi.confirm": "Confirm", + "item.edit.register-doi.confirm" : "Potvrdit", - // "cookies.consent.content-modal.privacy-policy.text" : "To learn more, please read our {privacyPolicy}." - "cookies.consent.content-modal.privacy-policy.text" : "Chcete-li se dozvědět více, přečtěte si naše {zásady ochrany osobních údajů}.", + // "item.edit.register-doi.cancel": "Cancel", + "item.edit.register-doi.cancel" : "Zrušit", - // "cookies.consent.content-modal.title" : "Information that we collect" - "cookies.consent.content-modal.title" : "Informace, které shromažďujeme", + // "item.edit.register-doi.success": "DOI queued for registration successfully.", + "item.edit.register-doi.success" : "DOI úspěšně zařazen do fronty pro registraci.", - // "cookies.consent.app.title.authentication" : "Authentication" - "cookies.consent.app.title.authentication" : "Ověření", + // "item.edit.register-doi.error": "Error registering DOI", + "item.edit.register-doi.error" : "Chyba při registraci DOI", - // "cookies.consent.app.description.authentication" : "Required for signing you in" - "cookies.consent.app.description.authentication" : "Povinné pro přihlášení", + // "item.edit.register-doi.to-update": "The following DOI has already been minted and will be queued for registration online", + "item.edit.register-doi.to-update" : "Následující DOI již byl vyražen a bude zařazen do fronty pro registraci online", - // "cookies.consent.app.title.preferences" : "Preferences" - "cookies.consent.app.title.preferences" : "Předvolby", + // "item.edit.item-mapper.buttons.add": "Map item to selected collections", + "item.edit.item-mapper.buttons.add" : "Mapování položky do vybraných kolekcí", - // "cookies.consent.app.description.preferences" : "Required for saving your preferences" - "cookies.consent.app.description.preferences" : "Nutné pro uložení vašich předvoleb", + // "item.edit.item-mapper.buttons.remove": "Remove item's mapping for selected collections", + "item.edit.item-mapper.buttons.remove" : "Odstranění mapování položky pro vybrané kolekce", - // "cookies.consent.app.title.acknowledgement" : "Acknowledgement" - "cookies.consent.app.title.acknowledgement" : "Potvrzení", + // "item.edit.item-mapper.cancel": "Cancel", + "item.edit.item-mapper.cancel" : "Zrušit", - // "cookies.consent.app.description.acknowledgement" : "Required for saving your acknowledgements and consents" - "cookies.consent.app.description.acknowledgement" : "Požadováno pro uložení vašich potvrzení a souhlasů", + // "item.edit.item-mapper.description": "This is the item mapper tool that allows administrators to map this item to other collections. You can search for collections and map them, or browse the list of collections the item is currently mapped to.", + "item.edit.item-mapper.description" : "Toto je nástroj pro mapování položek, který správcům umožňuje mapovat tuto položku do jiných kolekcí. Můžete vyhledávat kolekce a mapovat je nebo procházet seznam kolekcí, ke kterým je položka aktuálně mapována.", - // "cookies.consent.app.title.google-analytics" : "Google Analytics" - "cookies.consent.app.title.google-analytics" : "Google Analytics", + // "item.edit.item-mapper.head": "Item Mapper - Map Item to Collections", + "item.edit.item-mapper.head" : "Mapovač položek - Mapování položek do kolekcí", - // "cookies.consent.app.description.google-analytics" : "Allows us to track statistical data" - "cookies.consent.app.description.google-analytics" : "Umožňuje nám sledovat statistické údaje", + // "item.edit.item-mapper.item": "Item: \"{{name}}\"", + "item.edit.item-mapper.item": "Položka: \"{{name}}\"", - // "cookies.consent.purpose.functional" : "Functional" - "cookies.consent.purpose.functional" : "Funkční", + // "item.edit.item-mapper.no-search": "Please enter a query to search", + "item.edit.item-mapper.no-search" : "Zadejte prosím dotaz pro vyhledávání", - // "cookies.consent.purpose.statistical" : "Statistical" - "cookies.consent.purpose.statistical" : "Statistické", + // "item.edit.item-mapper.notifications.add.error.content": "Errors occurred for mapping of item to {{amount}} collections.", + "item.edit.item-mapper.notifications.add.error.content" : "Došlo k chybám při mapování položky do kolekcí {{amount}} .", - // "curation-task.task.checklinks.label": "Check Links in Metadata" - "curation-task.task.checklinks.label": "Zkontrolujte linky v metadatech.", + // "item.edit.item-mapper.notifications.add.error.head": "Mapping errors", + "item.edit.item-mapper.notifications.add.error.head" : "Chyby při mapování", - // "curation-task.task.noop.label" : "NOOP" - "curation-task.task.noop.label" : "NOOP", + // "item.edit.item-mapper.notifications.add.success.content": "Successfully mapped item to {{amount}} collections.", + "item.edit.item-mapper.notifications.add.success.content" : "Položka byla úspěšně namapována do kolekcí {{amount}}.", - // "curation-task.task.profileformats.label" : "Profile Bitstream Formats" - "curation-task.task.profileformats.label" : "Formáty profilů bitstreamů", + // "item.edit.item-mapper.notifications.add.success.head": "Mapping completed", + "item.edit.item-mapper.notifications.add.success.head" : "Mapování dokončeno", - // "curation-task.task.requiredmetadata.label" : "Check for Required Metadata" - "curation-task.task.requiredmetadata.label" : "Zkontrolovat požadovaná metadata", + // "item.edit.item-mapper.notifications.remove.error.content": "Errors occurred for the removal of the mapping to {{amount}} collections.", + "item.edit.item-mapper.notifications.remove.error.content" : "Došlo k chybám při odstraňování mapování do kolekcí {{amount}} .", - // "curation-task.task.translate.label" : "Microsoft Translator" - "curation-task.task.translate.label" : "Překladač Microsoft", + // "item.edit.item-mapper.notifications.remove.error.head": "Removal of mapping errors", + "item.edit.item-mapper.notifications.remove.error.head" : "Odstranění chyb mapování", - // "curation-task.task.vscan.label" : "Virus Scan" - "curation-task.task.vscan.label" : "Virová kontrola", + // "item.edit.item-mapper.notifications.remove.success.content": "Successfully removed mapping of item to {{amount}} collections.", + "item.edit.item-mapper.notifications.remove.success.content" : "Úspěšně odstraněno mapování položky na {{amount}} kolekcích.", - // "curation.form.task-select.label" : "Task:" - "curation.form.task-select.label" : "Úkol:", + // "item.edit.item-mapper.notifications.remove.success.head": "Removal of mapping completed", + "item.edit.item-mapper.notifications.remove.success.head" : "Odstranění mapování dokončeno", - // "curation.form.submit" : "Start" - "curation.form.submit" : "Start", + // "item.edit.item-mapper.search-form.placeholder": "Search collections...", + "item.edit.item-mapper.search-form.placeholder" : "Hledat kolekce...", - // "curation.form.submit.success.head" : "The curation task has been started successfully" - "curation.form.submit.success.head" : "Kurátorský úkol byl úspěšně zahájen", + // "item.edit.item-mapper.tabs.browse": "Browse mapped collections", + "item.edit.item-mapper.tabs.browse" : "Procházet zmapované kolekce", - // "curation.form.submit.success.content" : "You will be redirected to the corresponding process page." - "curation.form.submit.success.content" : "Budete přesměrováni na odpovídající stránku procesu.", + // "item.edit.item-mapper.tabs.map": "Map new collections", + "item.edit.item-mapper.tabs.map" : "Mapovat nové kolekce", - // "curation.form.submit.error.head" : "Running the curation task failed" - "curation.form.submit.error.head" : "Spuštění kurátorské úlohy se nezdařilo", - // "curation.form.submit.error.content" : "An error occured when trying to start the curation task." - "curation.form.submit.error.content" : "Při pokusu o spuštění kurátorské úlohy došlo k chybě.", - // "curation.form.handle.label" : "Handle:" - "curation.form.handle.label" : "Handle:", + // "item.edit.metadata.add-button": "Add", + "item.edit.metadata.add-button" : "Přidat", - // "curation.form.handle.hint" : "Hint: Enter [your-handle-prefix]/0 to run a task across entire site (not all tasks may support this capability)" - "curation.form.handle.hint" : "Tip: Zadejte [your-handle-prefix]/0 pro spuštění úlohy na celém webu (ne všechny úlohy mohou tuto schopnost podporovat)", + // "item.edit.metadata.discard-button": "Discard", + "item.edit.metadata.discard-button" : "Vyřadit", - // "deny-request-copy.email.message" : "Dear {{ recipientName }}, In response to your request I regret to inform you that it's not possible to send you a copy of the file(s) you have requested, concerning the document: "{{ itemUrl }}" ({{ itemName }}), of which I am an author. Best regards,{{ authorName }} <{{ authorEmail }}>" - "deny-request-copy.email.message" : "Vážený {{ jméno příjemce }},\nV reakci na Vaši žádost Vám bohužel musím sdělit, že Vám není možné zaslat kopii souboru(ů), který(é) jste požadoval(y), týkající se dokumentu: \"{{ itemUrl }}\" ({{ itemName }}), jehož jsem autorem.\n\nS pozdravem,\n{{ authorName }} <{{ authorEmail }}>", + // "item.edit.metadata.edit.buttons.confirm": "Confirm", + "item.edit.metadata.edit.buttons.confirm" : "Potvrdit", - // "deny-request-copy.email.subject" : "Request copy of document" - "deny-request-copy.email.subject" : "Vyžádat si kopii dokumentu", + // "item.edit.metadata.edit.buttons.drag": "Drag to reorder", + "item.edit.metadata.edit.buttons.drag" : "Potáhnutím změníte pořadí", - // "deny-request-copy.error" : "An error occurred" - "deny-request-copy.error" : "Došlo k chybě", + // "item.edit.metadata.edit.buttons.edit": "Edit", + "item.edit.metadata.edit.buttons.edit" : "Upravit", - // "deny-request-copy.header" : "Deny document copy request" - "deny-request-copy.header" : "Odmítnout žádost o kopii dokumentu", + // "item.edit.metadata.edit.buttons.remove": "Remove", + "item.edit.metadata.edit.buttons.remove" : "Odstranit", - // "deny-request-copy.intro" : "This message will be sent to the applicant of the request" - "deny-request-copy.intro" : "Tato zpráva bude zaslána žadateli o žádost", + // "item.edit.metadata.edit.buttons.undo": "Undo changes", + "item.edit.metadata.edit.buttons.undo" : "Vrátit změny", - // "deny-request-copy.success" : "Successfully denied item request" - "deny-request-copy.success" : "Úspěšně zamítnutá žádost o položku", + // "item.edit.metadata.edit.buttons.unedit": "Stop editing", + "item.edit.metadata.edit.buttons.unedit" : "Zastavit úpravy", - // "dso.name.untitled" : "Untitled" - "dso.name.untitled" : "Bez názvu", + // "item.edit.metadata.edit.buttons.virtual": "This is a virtual metadata value, i.e. a value inherited from a related entity. It can’t be modified directly. Add or remove the corresponding relationship in the \"Relationships\" tab", + "item.edit.metadata.edit.buttons.virtual" : "Jedná se o hodnotu virtuálních metadat, tj. hodnotu zděděnou od příbuzné entity. Nelze ji přímo upravovat. Přidejte nebo odstraňte odpovídající relaci na karte „Relace“", - // "dso-selector.create.collection.head" : "New collection" - "dso-selector.create.collection.head" : "Nová kolekce", + // "item.edit.metadata.empty": "The item currently doesn't contain any metadata. Click Add to start adding a metadata value.", + "item.edit.metadata.empty" : "Položka v současné době neobsahuje žádná metadata. Kliknutím na tlačítko Přidat začněte přidávat hodnotu metadat.", - // "dso-selector.create.collection.sub-level" : "Create a new collection in" - "dso-selector.create.collection.sub-level" : "Vytvořit novou kolekci v", + // "item.edit.metadata.headers.edit": "Edit", + "item.edit.metadata.headers.edit" : "Upravit", - // "dso-selector.create.community.head" : "New community" - "dso-selector.create.community.head" : "Nová komunita", + // "item.edit.metadata.headers.field": "Field", + "item.edit.metadata.headers.field" : "Pole", - // "dso-selector.create.community.sub-level" : "Create a new community in" - "dso-selector.create.community.sub-level" : "Vytvořit novou komunitu v", + // "item.edit.metadata.headers.language": "Lang", + "item.edit.metadata.headers.language" : "", - // "dso-selector.create.community.top-level" : "Create a new top-level community" - "dso-selector.create.community.top-level" : "Vytvořit novou komunitu nejvyšší úrovně", + // "item.edit.metadata.headers.value": "Value", + "item.edit.metadata.headers.value" : "Hodnota", - // "dso-selector.create.item.head" : "New item" - "dso-selector.create.item.head" : "Nová položka", + // "item.edit.metadata.metadatafield.error": "An error occurred validating the metadata field", + "item.edit.metadata.metadatafield.error" : "Při ověřování pole metadat došlo k chybě.", - // "dso-selector.create.item.sub-level" : "Create a new item in" - "dso-selector.create.item.sub-level" : "Vytvořit novou položku v", + // "item.edit.metadata.metadatafield.invalid": "Please choose a valid metadata field", + "item.edit.metadata.metadatafield.invalid" : "Vyberte prosím platné pole metadat", - // "dso-selector.create.submission.head" : "New submission" - "dso-selector.create.submission.head" : "Nový příspěvek", + // "item.edit.metadata.notifications.discarded.content": "Your changes were discarded. To reinstate your changes click the 'Undo' button", + "item.edit.metadata.notifications.discarded.content" : "Vaše změny byly zamítnuty. Chcete-li změny obnovit, klikněte na tlačítko \"Vrátit zpět\".", - // "dso-selector.edit.collection.head" : "Edit collection" - "dso-selector.edit.collection.head" : "Upravit kolekci", + // "item.edit.metadata.notifications.discarded.title": "Changes discarded", + "item.edit.metadata.notifications.discarded.title" : "Změny neaktuální", - // "dso-selector.edit.community.head" : "Edit community" - "dso-selector.edit.community.head" : "Upravit komunitu", + // "item.edit.metadata.notifications.error.title": "An error occurred", + "item.edit.metadata.notifications.error.title" : "Došlo k chybě", - // "dso-selector.edit.item.head" : "Edit item" - "dso-selector.edit.item.head" : "Upravit položku", + // "item.edit.metadata.notifications.invalid.content": "Your changes were not saved. Please make sure all fields are valid before you save.", + "item.edit.metadata.notifications.invalid.content" : "Vaše změny nebyly uloženy. Před uložením se ujistěte, že jsou všechna pole platná.", - // "dso-selector.error.title" : "An error occurred searching for a {{ type }}" - "dso-selector.error.title" : "Při hledání {{ type }} došlo k chybě", + // "item.edit.metadata.notifications.invalid.title": "Metadata invalid", + "item.edit.metadata.notifications.invalid.title" : "Neplatná metadata", - // "dso-selector.export-metadata.dspaceobject.head" : "Export metadata from" - "dso-selector.export-metadata.dspaceobject.head" : "Exportovat metadata z", + // "item.edit.metadata.notifications.outdated.content": "The item you're currently working on has been changed by another user. Your current changes are discarded to prevent conflicts", + "item.edit.metadata.notifications.outdated.content" : "Položka, na které právě pracujete, byla změněna jiným uživatelem. Vaše aktuální změny jsou vyřazeny, aby se zabránilo konfliktům.", - // "dso-selector.no-results" : "No {{ type }} found" - "dso-selector.no-results" : "Nebyl nalezen žádný {{ type }}", + // "item.edit.metadata.notifications.outdated.title": "Changes outdated", + "item.edit.metadata.notifications.outdated.title" : "Změny neaktuální", - // "dso-selector.placeholder" : "Search for a {{ type }}" - "dso-selector.placeholder" : "Hledat {{ type }}", + // "item.edit.metadata.notifications.saved.content": "Your changes to this item's metadata were saved.", + "item.edit.metadata.notifications.saved.content" : "Změny metadat této položky byly uloženy.", - // "dso-selector.select.collection.head" : "Select a collection" - "dso-selector.select.collection.head" : "Vybrat kolekci", + // "item.edit.metadata.notifications.saved.title": "Metadata saved", + "item.edit.metadata.notifications.saved.title" : "Metadata uložena", - // "dso-selector.set-scope.community.head" : "Select a search scope" - "dso-selector.set-scope.community.head" : "Vyberte rozsah vyhledávání", + // "item.edit.metadata.reinstate-button": "Undo", + "item.edit.metadata.reinstate-button" : "Zrušit", - // "dso-selector.set-scope.community.button" : "Search all of DSpace" - "dso-selector.set-scope.community.button" : "Hledat v celém DSpace", + // "item.edit.metadata.reset-order-button": "Undo reorder", + "item.edit.metadata.reset-order-button" : "Zrušit změny pořadí", - // "dso-selector.set-scope.community.input-header" : "Search for a community or collection" - "dso-selector.set-scope.community.input-header" : "Vyhledání komunity nebo kolekce", + // "item.edit.metadata.save-button": "Save", + "item.edit.metadata.save-button" : "Uložit", - // "confirmation-modal.export-metadata.header" : "Export metadata for {{ dsoName }}" - "confirmation-modal.export-metadata.header" : "Exportovat metadata pro {{ dsoName }}", - // "confirmation-modal.export-metadata.info" : "Are you sure you want to export metadata for {{ dsoName }}" - "confirmation-modal.export-metadata.info" : "Opravdu chcete exportovat metadata pro {{ dsoName }}", - // "confirmation-modal.export-metadata.cancel" : "Cancel" - "confirmation-modal.export-metadata.cancel" : "Zrušit", + // "item.edit.modify.overview.field": "Field", + "item.edit.modify.overview.field" : "Pole", - // "confirmation-modal.export-metadata.confirm" : "Export" - "confirmation-modal.export-metadata.confirm" : "Exportovat", + // "item.edit.modify.overview.language": "Language", + "item.edit.modify.overview.language" : "Jazyk", - // "confirmation-modal.delete-eperson.header" : "Delete EPerson \"{{ dsoName }}\"" - "confirmation-modal.delete-eperson.header" : "Odstranit EPerson \"{{ dsoName }}\"", + // "item.edit.modify.overview.value": "Value", + "item.edit.modify.overview.value" : "Hodnota", - // "confirmation-modal.delete-eperson.info" : "Are you sure you want to delete EPerson \"{{ dsoName }}\"" - "confirmation-modal.delete-eperson.info" : "Opravdu chcete odstranit EPerson \"{{ dsoName }}\"", - // "confirmation-modal.delete-eperson.cancel" : "Cancel" - "confirmation-modal.delete-eperson.cancel" : "Zrušit", - // "confirmation-modal.delete-eperson.confirm" : "Delete" - "confirmation-modal.delete-eperson.confirm" : "Odstranit", + // "item.edit.move.cancel": "Back", + "item.edit.move.cancel" : "Zpět", - // "error.bitstream" : "Error fetching bitstream" - "error.bitstream" : "Chyba při načítání bitstreamu", + // "item.edit.move.save-button": "Save", + "item.edit.move.save-button" : "Uložit", - // "error.browse-by" : "Error fetching items" - "error.browse-by" : "Chyba při načítání položek", + // "item.edit.move.discard-button": "Discard", + "item.edit.move.discard-button" : "Vyřadit", - // "error.collection" : "Error fetching collection" - "error.collection" : "Chyba při načítání kolekce", + // "item.edit.move.description": "Select the collection you wish to move this item to. To narrow down the list of displayed collections, you can enter a search query in the box.", + "item.edit.move.description" : "Vyberte kolekci, do které chcete tuto položku přesunout. Chcete-li zúžit seznam zobrazených kolekcí, můžete do pole zadat vyhledávací dotaz.", - // "error.collections" : "Error fetching collections" - "error.collections" : "Chyba při načítání kolekcí", + // "item.edit.move.error": "An error occurred when attempting to move the item", + "item.edit.move.error" : "Při pokusu o přesunutí položky došlo k chybě", - // "error.community" : "Error fetching community" - "error.community" : "Chyba během stahování komunity", + // "item.edit.move.head": "Move item: {{id}}", + "item.edit.move.head": "Přesun položky: {{id}}", - // "error.identifier" : "No item found for the identifier" - "error.identifier" : "Pro identifikátor nebyla nalezena žádná položka", + // "item.edit.move.inheritpolicies.checkbox": "Inherit policies", + "item.edit.move.inheritpolicies.checkbox" : "Zděděné zásady", - // "error.default" : "Error" - "error.default" : "Chyba", + // "item.edit.move.inheritpolicies.description": "Inherit the default policies of the destination collection", + "item.edit.move.inheritpolicies.description" : "Zdědit výchozí zásady cílové kolekce", - // "error.item" : "Error fetching item" - "error.item" : "Chyba během stahování záznamu", + // "item.edit.move.move": "Move", + "item.edit.move.move" : "Přesun", - // "error.items" : "Error fetching items" - "error.items" : "Error fetching items", + // "item.edit.move.processing": "Moving...", + "item.edit.move.processing" : "Přesouvání...", - // "error.objects" : "Error fetching objects" - "error.objects" : "Chyba během stahování objektů", + // "item.edit.move.search.placeholder": "Enter a search query to look for collections", + "item.edit.move.search.placeholder" : "Zadejte vyhledávací dotaz a vyhledejte kolekce", - // "error.recent-submissions" : "Error fetching recent submissions" - "error.recent-submissions" : "Chyba během stahování posledních příspěvků", + // "item.edit.move.success": "The item has been moved successfully", + "item.edit.move.success" : "Položka byla úspěšně přesunuta", - // "error.search-results" : "Error fetching search results" - "error.search-results" : "Chyba během stahování výsledků hledání", + // "item.edit.move.title": "Move item", + "item.edit.move.title" : "Přesunout položku", - // "error.invalid-search-query" : "Search query is not valid. Please check Solr query syntax best practices for further information about this error." - "error.invalid-search-query" : "Vyhledávací dotaz není platný. Další informace o této chybě naleznete v Syntaxi dotazů Solr.", - // "error.sub-collections" : "Error fetching sub-collections" - "error.sub-collections" : "Chyba během stahování subkolekcí", - // "error.sub-communities" : "Error fetching sub-communities" - "error.sub-communities" : "Chyba při načítání subkomunit", + // "item.edit.private.cancel": "Cancel", + "item.edit.private.cancel" : "Zrušit", - // "error.submission.sections.init-form-error" : "An error occurred during section initialize, please check your input-form configuration. Details are below :

" - "error.submission.sections.init-form-error" : "Při inicializaci sekce došlo k chybě, zkontrolujte prosím konfiguraci vstupního formuláře. Podrobnosti jsou uvedeny níže :

", + // "item.edit.private.confirm": "Make it non-discoverable", + "item.edit.private.confirm" : "Udělat položku soukromnou", - // "error.top-level-communities" : "Error fetching top-level communities" - "error.top-level-communities" : "Chyba během stahování komunit nejvyšší úrovně", + // "item.edit.private.description": "Are you sure this item should be made non-discoverable in the archive?", + "item.edit.private.description" : "Jste si jisti, že by tato položka měla být v archivu soukromá?", - // "error.validation.license.notgranted" : "You must grant this license to complete your submission. If you are unable to grant this license at this time you may save your work and return later or remove the submission." - "error.validation.license.notgranted" : "Pro dokončení zaslání Musíte udělit licenci. Pokud v tuto chvíli tuto licenci nemůžete udělit, můžete svou práci uložit a později se k svému příspěveku vrátit nebo jej smazat.", + // "item.edit.private.error": "An error occurred while making the item non-discoverable", + "item.edit.private.error" : "Při vytváření soukromé položky došlo k chybě", - // "error.validation.clarin-license.notgranted" : "You must choose one of the resource licenses." - "error.validation.clarin-license.notgranted" : "Musíte si vybrat jednu z licencí zdrojů.", + // "item.edit.private.header": "Make item non-discoverable: {{ id }}", + "item.edit.private.header": "Udělat položku soukromou: {{ id }}", - // "error.validation.pattern" : "This input is restricted by the current pattern: {{ pattern }}." - "error.validation.pattern" : "Tento vstup je omezen aktuálním vzorem: {{ pattern }}.", + // "item.edit.private.success": "The item is now non-discoverable", + "item.edit.private.success" : "Položka je nyní soukromá", - // "error.validation.filerequired" : "The file upload is mandatory" - "error.validation.filerequired" : "Nahrávání souborů je povinné", - // "error.validation.required" : "This field is required" - "error.validation.required" : "Toto pole je vyžadováno", - // "error.validation.NotValidEmail" : "This E-mail is not a valid email" - "error.validation.NotValidEmail" : "Tento e-mail není platný", + // "item.edit.public.cancel": "Cancel", + "item.edit.public.cancel" : "Zrušit", - // "error.validation.emailTaken" : "This E-mail is already taken" - "error.validation.emailTaken" : "Tento e-mail je již obsazen", + // "item.edit.public.confirm": "Make it discoverable", + "item.edit.public.confirm" : "Zveřejnit", - // "error.validation.groupExists" : "This group already exists" - "error.validation.groupExists" : "Tato skupina již existuje", + // "item.edit.public.description": "Are you sure this item should be made discoverable in the archive?", + "item.edit.public.description" : "Jste si jisti, že by tato položka měla být v archivu zveřejněna?", - // "file-section.error.header" : "Error obtaining files for this item" - "file-section.error.header" : "Chyba při získávání souborů pro tuto položku", + // "item.edit.public.error": "An error occurred while making the item discoverable", + "item.edit.public.error" : "Při zveřejňování položky došlo k chybě", - // "footer.copyright" : "copyright © 2002-{{ year }}" - "footer.copyright" : "copyright © 2002-{{ year }}", + // "item.edit.public.header": "Make item discoverable: {{ id }}", + "item.edit.public.header": "Zveřejnit položku: {{ id }}", - // "footer.link.dspace" : "DSpace software" - "footer.link.dspace" : "Software DSpace", + // "item.edit.public.success": "The item is now discoverable", + "item.edit.public.success" : "Položka je nyní veřejná", - // "footer.link.lyrasis" : "LYRASIS" - "footer.link.lyrasis" : "LYRASIS", - // "footer.link.cookies" : "Cookie settings" - "footer.link.cookies" : "Nastavení cookies", - // "footer.link.privacy-policy" : "Privacy policy" - "footer.link.privacy-policy" : "Ochrana osobních údajů", + // "item.edit.reinstate.cancel": "Cancel", + "item.edit.reinstate.cancel" : "Zrušit", - // "footer.link.end-user-agreement" : "End User Agreement" - "footer.link.end-user-agreement" : "Dohoda s koncovým uživatelem", + // "item.edit.reinstate.confirm": "Reinstate", + "item.edit.reinstate.confirm" : "Obnovit", - // "footer.link.feedback" : "Send Feedback" - "footer.link.feedback" : "Odeslat zpětnou vazbu", + // "item.edit.reinstate.description": "Are you sure this item should be reinstated to the archive?", + "item.edit.reinstate.description" : "Jste si jisti, že by tato položka měla být znovu zařazena do archivu?", - // "forgot-email.form.header" : "Forgot Password" - "forgot-email.form.header" : "Zapomenuté heslo", + // "item.edit.reinstate.error": "An error occurred while reinstating the item", + "item.edit.reinstate.error" : "Při obnovování položky došlo k chybě", - // "forgot-email.form.info" : "Enter the email address associated with the account." - "forgot-email.form.info" : "Zadejte Zaregistrovat účet pro přihlášení ke kolekcím pro e-mailové aktualizace a odeslat nové položky do DSpace.", + // "item.edit.reinstate.header": "Reinstate item: {{ id }}", + "item.edit.reinstate.header": "Obnovit položky: {{ id }}", - // "forgot-email.form.email" : "Email Address *" - "forgot-email.form.email" : "E-mailová adresa *", + // "item.edit.reinstate.success": "The item was reinstated successfully", + "item.edit.reinstate.success" : "Položka byla úspěšně obnovena", - // "forgot-email.form.email.error.required" : "Please fill in an email address" - "forgot-email.form.email.error.required" : "Prosím, vyplňte e-mailovou adresu", - // "forgot-email.form.email.error.pattern" : "Please fill in a valid email address" - "forgot-email.form.email.error.pattern" : "Vyplňte prosím platnou e-mailovou adresu", - // "forgot-email.form.email.hint" : "An email will be sent to this address with a further instructions." - "forgot-email.form.email.hint" : "Tato adresa bude ověřena a použita jako vaše přihlašovací jméno.", + // "item.edit.relationships.discard-button": "Discard", + "item.edit.relationships.discard-button" : "Vyřadit", - // "forgot-email.form.submit" : "Save" - "forgot-email.form.submit" : "Uložit", + // "item.edit.relationships.edit.buttons.add": "Add", + "item.edit.relationships.edit.buttons.add" : "Přidat", - // "forgot-email.form.success.head" : "Verification email sent" - "forgot-email.form.success.head" : "Ověřovací e-mail odeslán", + // "item.edit.relationships.edit.buttons.remove": "Remove", + "item.edit.relationships.edit.buttons.remove" : "Odstranit", - // "forgot-email.form.success.content" : "An email has been sent to {{ email }} containing a special URL and further instructions." - "forgot-email.form.success.content" : "Na adresu {{ email }} byl odeslán e-mail obsahující speciální adresu URL a další instrukce.", + // "item.edit.relationships.edit.buttons.undo": "Undo changes", + "item.edit.relationships.edit.buttons.undo" : "Vrátit změny", - // "forgot-email.form.error.head" : "Error when trying to register email" - "forgot-email.form.error.head" : "Chyba při pokusu o registraci e-mailu", + // "item.edit.relationships.no-relationships": "No relationships", + "item.edit.relationships.no-relationships" : "Žádné vztahy", - // "forgot-email.form.error.content" : "An error occured when attempting to reset the password for the account associated with the following email address: {{ email }}" - "forgot-email.form.error.content" : "Při registraci následující e-mailové adresy došlo k chybě: {{ email }}", + // "item.edit.relationships.notifications.discarded.content": "Your changes were discarded. To reinstate your changes click the 'Undo' button", + "item.edit.relationships.notifications.discarded.content" : "Vaše změny byly zamítnuty. Chcete-li změny obnovit, klikněte na tlačítko \"Vrátit zpět\".", - // "forgot-password.title" : "Forgot Password" - "forgot-password.title" : "Zapomenuté heslo", + // "item.edit.relationships.notifications.discarded.title": "Changes discarded", + "item.edit.relationships.notifications.discarded.title" : "Změny zahozené", - // "forgot-password.form.head" : "Forgot Password" - "forgot-password.form.head" : "Zapomenuté heslo", + // "item.edit.relationships.notifications.failed.title": "Error editing relationships", + "item.edit.relationships.notifications.failed.title" : "Chyba při úpravě vztahů", - // "forgot-password.form.info" : "Enter a new password in the box below, and confirm it by typing it again into the second box." - "forgot-password.form.info" : "Do níže uvedeného pole zadejte nové heslo a potvrďte ho opětovným zadáním do druhého pole. Mělo by mít alespoň šest znaků.", + // "item.edit.relationships.notifications.outdated.content": "The item you're currently working on has been changed by another user. Your current changes are discarded to prevent conflicts", + "item.edit.relationships.notifications.outdated.content" : "Položka, na které právě pracujete, byla změněna jiným uživatelem. Vaše aktuální změny jsou vyřazeny, aby se zabránilo konfliktům.", - // "forgot-password.form.card.security" : "Security" - "forgot-password.form.card.security" : "Zabezpečení", + // "item.edit.relationships.notifications.outdated.title": "Changes outdated", + "item.edit.relationships.notifications.outdated.title" : "Změny neaktuální", - // "forgot-password.form.identification.header" : "Identify" - "forgot-password.form.identification.header" : "Identifikovat", + // "item.edit.relationships.notifications.saved.content": "Your changes to this item's relationships were saved.", + "item.edit.relationships.notifications.saved.content" : "Vaše změny vztahů této položky byly uloženy.", - // "forgot-password.form.identification.email" : "Email address:" - "forgot-password.form.identification.email" : "E-mailová adresa:", + // "item.edit.relationships.notifications.saved.title": "Relationships saved", + "item.edit.relationships.notifications.saved.title" : "Vztahy uloženy", - // "forgot-password.form.label.password" : "Password" - "forgot-password.form.label.password" : "Heslo", + // "item.edit.relationships.reinstate-button": "Undo", + "item.edit.relationships.reinstate-button" : "Vrátit zpět", - // "forgot-password.form.label.passwordrepeat" : "Retype to confirm" - "forgot-password.form.label.passwordrepeat" : "Zopakujte pro potvrzení", + // "item.edit.relationships.save-button": "Save", + "item.edit.relationships.save-button" : "Uložit", - // "forgot-password.form.error.empty-password" : "Please enter a password in the box below." - "forgot-password.form.error.empty-password" : "Do níže uvedeného pole zadejte heslo.", + // "item.edit.relationships.no-entity-type": "Add 'dspace.entity.type' metadata to enable relationships for this item", + "item.edit.relationships.no-entity-type" : "Přidáním metadat dspace.entity.type umožníte vztahy pro tuto položku", - // "forgot-password.form.error.matching-passwords" : "The passwords do not match." - "forgot-password.form.error.matching-passwords" : "Hesla se neshodují.", - // "forgot-password.form.error.password-length" : "The password should be at least 6 characters long." - "forgot-password.form.error.password-length" : "Heslo by mělo mít alespoň 6 znaků.", + // "item.edit.return": "Back", + "item.edit.return" : "Zpět", - // "forgot-password.form.notification.error.title" : "Error when trying to submit new password" - "forgot-password.form.notification.error.title" : "Chyba při pokusu o zaslání nového hesla", - // "forgot-password.form.notification.success.content" : "The password reset was successful. You have been logged in as the created user." - "forgot-password.form.notification.success.content" : "Obnovení hesla proběhlo úspěšně. Byli jste přihlášeni jako vytvořený uživatel.", + // "item.edit.tabs.bitstreams.head": "Bitstreams", + "item.edit.tabs.bitstreams.head" : "Bitstreamy", - // "forgot-password.form.notification.success.title" : "Password reset completed" - "forgot-password.form.notification.success.title" : "Obnovení hesla dokončeno", + // "item.edit.tabs.bitstreams.title": "Item Edit - Bitstreams", + "item.edit.tabs.bitstreams.title" : "Úprava položky - Bitstreamy", - // "forgot-password.form.submit" : "Submit password" - "forgot-password.form.submit" : "Odeslat heslo", + // "item.edit.tabs.curate.head": "Curate", + "item.edit.tabs.curate.head" : "", - // "form.add" : "Add more" - "form.add" : "Přidat další", + // "item.edit.tabs.curate.title": "Item Edit - Curate", + "item.edit.tabs.curate.title" : "Úprava položky - Kurátor", - // "form.add-help" : "Click here to add the current entry and to add another one" - "form.add-help" : "Klikněte zde pro přidání aktuální položky a pro přidání další", + // "item.edit.tabs.metadata.head": "Metadata", + "item.edit.tabs.metadata.head" : "Metadata", - // "form.cancel" : "Cancel" - "form.cancel" : "Zrušit", + // "item.edit.tabs.metadata.title": "Item Edit - Metadata", + "item.edit.tabs.metadata.title" : "Úprava položky - Metadata", - // "form.clear" : "Clear" - "form.clear" : "Vyčistit", + // "item.edit.tabs.relationships.head": "Relationships", + "item.edit.tabs.relationships.head" : "Vztahy", - // "form.clear-help" : "Click here to remove the selected value" - "form.clear-help" : "Kliknutím sem odstraníte vybranou hodnotu", + // "item.edit.tabs.relationships.title": "Item Edit - Relationships", + "item.edit.tabs.relationships.title" : "Úprava položky - Vztahy", - // "form.discard" : "Discard" - "form.discard" : "Vyřadit", + // "item.edit.tabs.status.buttons.authorizations.button": "Authorizations...", + "item.edit.tabs.status.buttons.authorizations.button" : "Autorizace...", - // "form.drag" : "Drag" - "form.drag" : "Potáhnout", + // "item.edit.tabs.status.buttons.authorizations.label": "Edit item's authorization policies", + "item.edit.tabs.status.buttons.authorizations.label" : "Upravit autorizační zásady položky", - // "form.edit" : "Edit" - "form.edit" : "Upravit", + // "item.edit.tabs.status.buttons.delete.button": "Permanently delete", + "item.edit.tabs.status.buttons.delete.button" : "Trvale odstranit", - // "form.edit-help" : "Click here to edit the selected value" - "form.edit-help" : "Kliknutím zde upravíte vybranou hodnotu", + // "item.edit.tabs.status.buttons.delete.label": "Completely expunge item", + "item.edit.tabs.status.buttons.delete.label" : "Úplně vymazat položku", - // "form.first-name" : "First name" - "form.first-name" : "Křestní jméno", + // "item.edit.tabs.status.buttons.mappedCollections.button": "Mapped collections", + "item.edit.tabs.status.buttons.mappedCollections.button" : "Mapované kolekce", - // "form.group-collapse" : "Collapse" - "form.group-collapse" : "Sbalit", + // "item.edit.tabs.status.buttons.mappedCollections.label": "Manage mapped collections", + "item.edit.tabs.status.buttons.mappedCollections.label" : "Spravovat mapované kolekce", - // "form.group-collapse-help" : "Click here to collapse" - "form.group-collapse-help" : "Kliknutím sem sbalíte", + // "item.edit.tabs.status.buttons.move.button": "Move this Item to a different Collection", + "item.edit.tabs.status.buttons.move.button" : "Přesunout...", - // "form.group-expand" : "Expand" - "form.group-expand" : "Rozbalit", + // "item.edit.tabs.status.buttons.move.label": "Move item to another collection", + "item.edit.tabs.status.buttons.move.label" : "Move item to another collection", - // "form.group-expand-help" : "Click here to expand and add more elements" - "form.group-expand-help" : "Klikněte zde pro rozšiření a přidání dalších prvků", + // "item.edit.tabs.status.buttons.private.button": "Make it non-discoverable...", + "item.edit.tabs.status.buttons.private.button" : "Označit jako soukromý...", - // "form.last-name" : "Last name" - "form.last-name" : "Příjmení", + // "item.edit.tabs.status.buttons.private.label": "Make item non-discoverable", + "item.edit.tabs.status.buttons.private.label" : "Označit jako soukromý", - // "form.loading" : "Loading..." - "form.loading" : "Načítá se...", + // "item.edit.tabs.status.buttons.public.button": "Make it discoverable...", + "item.edit.tabs.status.buttons.public.button" : "Make it public...", - // "form.lookup" : "Lookup" - "form.lookup" : "Vyhledávání", + // "item.edit.tabs.status.buttons.public.label": "Make item discoverable", + "item.edit.tabs.status.buttons.public.label" : "Označit jako veřejný", - // "form.lookup-help" : "Click here to look up an existing relation" - "form.lookup-help" : "Kliknutím sem vyhledáte existující vztah", + // "item.edit.tabs.status.buttons.reinstate.button": "Reinstate...", + "item.edit.tabs.status.buttons.reinstate.button" : "Znovu zařadit...", - // "form.no-results" : "No results found" - "form.no-results" : "Nebyli nalezeny žádné výsledky", + // "item.edit.tabs.status.buttons.reinstate.label": "Reinstate item into the repository", + "item.edit.tabs.status.buttons.reinstate.label" : "Obnovit položky do úložiště", - // "form.no-value" : "No value entered" - "form.no-value" : "Nebyla zadána hodnota", + // "item.edit.tabs.status.buttons.unauthorized": "You're not authorized to perform this action", + "item.edit.tabs.status.buttons.unauthorized" : "K provedení této akce nejste oprávněni", - // "form.other-information": {} - "form.other-information": {}, + // "item.edit.tabs.status.buttons.withdraw.button": "Withdraw this item", + "item.edit.tabs.status.buttons.withdraw.button" : "Vyřadit...", - // "form.remove" : "Remove" - "form.remove" : "Smazat", + // "item.edit.tabs.status.buttons.withdraw.label": "Withdraw item from the repository", + "item.edit.tabs.status.buttons.withdraw.label" : "Vyřadit záznam z repozitáře", - // "form.save" : "Save" - "form.save" : "Uložit", + // "item.edit.tabs.status.description": "Welcome to the item management page. From here you can withdraw, reinstate, move or delete the item. You may also update or add new metadata / bitstreams on the other tabs.", + "item.edit.tabs.status.description" : "Vítejte na stránce správy záznamů. Odsud můžete vyřadit, znovu zařadit, přesunout nebo smazat záznam. Na dalších kartách můžete také aktualizovat nebo přidávat nová metadata a bitové toky.", - // "form.save-help" : "Save changes" - "form.save-help" : "Uložit změny", + // "item.edit.tabs.status.head": "Status", + "item.edit.tabs.status.head" : "Stav", - // "form.search" : "Search" - "form.search" : "Hledat", + // "item.edit.tabs.status.labels.handle": "Handle", + "item.edit.tabs.status.labels.handle" : "Handle", - // "form.search-help" : "Click here to look for an existing correspondence" - "form.search-help" : "Klikněte zde pro vyhledání existující korespondence", + // "item.edit.tabs.status.labels.id": "Item Internal ID", + "item.edit.tabs.status.labels.id" : "Interní ID záznamu", - // "form.submit" : "Save" - "form.submit" : "Odeslat", + // "item.edit.tabs.status.labels.itemPage": "Item Page", + "item.edit.tabs.status.labels.itemPage" : "Strana záznamu", - // "form.repeatable.sort.tip" : "Drop the item in the new position" - "form.repeatable.sort.tip" : "Položku přetáhněte na novou pozici", + // "item.edit.tabs.status.labels.lastModified": "Last Modified", + "item.edit.tabs.status.labels.lastModified" : "Poslední úprava", - // "grant-deny-request-copy.deny" : "Don't send copy" - "grant-deny-request-copy.deny" : "Neposílat kopii", + // "item.edit.tabs.status.title": "Item Edit - Status", + "item.edit.tabs.status.title" : "Úprava záznamu - Stav", - // "grant-deny-request-copy.email.back" : "Back" - "grant-deny-request-copy.email.back" : "Zpět", + // "item.edit.tabs.versionhistory.head": "Version History", + "item.edit.tabs.versionhistory.head" : "Historie verzí", - // "grant-deny-request-copy.email.message" : "Message" - "grant-deny-request-copy.email.message" : "Zpráva", + // "item.edit.tabs.versionhistory.title": "Item Edit - Version History", + "item.edit.tabs.versionhistory.title" : "Úprava záznamu - Historie verzí", - // "grant-deny-request-copy.email.message.empty" : "Please enter a message" - "grant-deny-request-copy.email.message.empty" : "Zadejte prosím zprávu", + // "item.edit.tabs.versionhistory.under-construction": "Editing or adding new versions is not yet possible in this user interface.", + "item.edit.tabs.versionhistory.under-construction" : "V tomto uživatelském rozhraní zatím není možné upravovat nebo přidávat nové verze.", - // "grant-deny-request-copy.email.permissions.info" : "You may use this occasion to reconsider the access restrictions on the document, to avoid having to respond to these requests. If you’d like to ask the repository administrators to remove these restrictions, please check the box below." - "grant-deny-request-copy.email.permissions.info" : "Při této příležitosti můžete přehodnotit omezení přístupu k dokumentu, abyste nemuseli na tyto žádosti reagovat. Pokud chcete požádat správce úložiště o zrušení těchto omezení, zaškrtněte políčko níže.", + // "item.edit.tabs.view.head": "View Item", + "item.edit.tabs.view.head" : "Zobrazit záznam", - // "grant-deny-request-copy.email.permissions.label" : "Change to open access" - "grant-deny-request-copy.email.permissions.label" : "Změna na otevřený přístup", + // "item.edit.tabs.view.title": "Item Edit - View", + "item.edit.tabs.view.title" : "Úprava záznamu - Zobrazit", - // "grant-deny-request-copy.email.send" : "Send" - "grant-deny-request-copy.email.send" : "Odeslat", - // "grant-deny-request-copy.email.subject" : "Subject" - "grant-deny-request-copy.email.subject" : "Předmět", - // "grant-deny-request-copy.email.subject.empty" : "Please enter a subject" - "grant-deny-request-copy.email.subject.empty" : "Zadejte prosím předmět", + // "item.edit.withdraw.cancel": "Cancel", + "item.edit.withdraw.cancel" : "Zrušit", - // "grant-deny-request-copy.grant" : "Send copy" - "grant-deny-request-copy.grant" : "Odeslat kopii", + // "item.edit.withdraw.confirm": "Withdraw", + "item.edit.withdraw.confirm" : "Vyřadit", - // "grant-deny-request-copy.header" : "Document copy request" - "grant-deny-request-copy.header" : "Žádost o kopii dokumentu", + // "item.edit.withdraw.description": "Are you sure this item should be withdrawn from the archive?", + "item.edit.withdraw.description" : "Jste si jisti, že by tenhle záznam měl být vyřazen z archivu?", - // "grant-deny-request-copy.home-page" : "Take me to the home page" - "grant-deny-request-copy.home-page" : "Vezměte mě na domovskou stránku", + // "item.edit.withdraw.error": "An error occurred while withdrawing the item", + "item.edit.withdraw.error" : "Při vyřazování záznamu došlo k chybě", - // "grant-deny-request-copy.intro1" : "If you are one of the authors of the document {{ name }}, then please use one of the options below to respond to the user's request." - "grant-deny-request-copy.intro1" : "Pokud jste jedním z autorů dokumentu {{ name }}, použijte prosím jednu z níže uvedených možností a odpovězte na požadavek uživatele.", + // "item.edit.withdraw.header": "Withdraw item: {{ id }}", + "item.edit.withdraw.header": "Vyřazený záznam: {{ id }}", - // "grant-deny-request-copy.intro2" : "After choosing an option, you will be presented with a suggested email reply which you may edit." - "grant-deny-request-copy.intro2" : "Po výběru možnosti se zobrazí návrh e-mailové odpovědi, který můžete upravit.", + // "item.edit.withdraw.success": "The item was withdrawn successfully", + "item.edit.withdraw.success" : "Záznam byl úspěšně vyřazen", - // "grant-deny-request-copy.processed" : "This request has already been processed. You can use the button below to get back to the home page." - "grant-deny-request-copy.processed" : "Tato žádost již byla zpracována. Tlačítkem níže se můžete vrátit na domovskou stránku.", + // "item.orcid.return": "Back", + "item.orcid.return" : "Zpět", - // "grant-request-copy.email.message" : "Dear {{ recipientName }},\nIn response to your request I have the pleasure to send you in attachment a copy of the file(s) concerning the document: "{{ itemUrl }}" ({{ itemName }}), of which I am an author.\n\nBest regards,\n{{ authorName }} <{{ authorEmail }}>" - "grant-request-copy.email.message" : "Vážený {{ recipientName }},\nV reakci na Vaši žádost si Vám dovoluji zaslat v příloze kopii souboru(ů) týkající se dokumentu: \"{{ itemUrl }}\" ({{ itemName }}), jehož jsem autorem.\n\nS pozdravem,\n{{ authorName }} <{{ authorEmail }}>", - // "grant-request-copy.email.subject" : "Request copy of document" - "grant-request-copy.email.subject" : "Vyžádat si kopii dokumentu", + // "item.listelement.badge": "Item", + "item.listelement.badge" : "Záznam", - // "grant-request-copy.error" : "An error occurred" - "grant-request-copy.error" : "Došlo k chybě", + // "item.page.description": "Description", + "item.page.description" : "Popis", - // "grant-request-copy.header" : "Grant document copy request" - "grant-request-copy.header" : "Žádost o kopii grantového dokumentu", + // "item.page.journal-issn": "Journal ISSN", + "item.page.journal-issn" : "ISSN časopisu", - // "grant-request-copy.intro" : "This message will be sent to the applicant of the request. The requested document(s) will be attached." - "grant-request-copy.intro" : "Tato zpráva bude zaslána žadateli o žádost. Požadovaný dokument(y) bude(y) přiložen(y).", + // "item.page.journal-title": "Journal Title", + "item.page.journal-title" : "Název časopisu", - // "grant-request-copy.success" : "Successfully granted item request" - "grant-request-copy.success" : "Úspěšně schválená žádost o položku", + // "item.page.publisher": "Publisher", + "item.page.publisher" : "Vydavatel", - // "home.description": "DSpace is a digital service that collects, preserves, and distributes digital material. Repositories are important tools for preserving an organization's legacy; they facilitate digital preservation and scholarly communication." - "home.description": "", + // "item.page.titleprefix": "Item: ", + "item.page.titleprefix": "Záznam: ", - // "home.breadcrumbs" : "Home" - "home.breadcrumbs" : "Domů", + // "item.page.volume-title": "Volume Title", + "item.page.volume-title" : "Název svazku", - // "home.search-form.placeholder" : "Search the repository ..." - "home.search-form.placeholder" : "Hledat v repozitáři ...", + // "item.search.results.head": "Item Search Results", + "item.search.results.head" : "Výsledky vyhledávání záznamú", - // "home.title" : "Home" - "home.title" : "Domů", + // "item.search.title": "Item Search", + "item.search.title" : "Vyhledávání záznamú", - // "home.top-level-communities.head" : "Communities in DSpace" - "home.top-level-communities.head" : "Komunity v Digitální knihovně", + // "item.truncatable-part.show-more": "Show more", + "item.truncatable-part.show-more" : "Zobrazit více", - // "home.top-level-communities.help" : "Select a community to browse its collections." - "home.top-level-communities.help" : "Vybráním komunity můžete prohlížet její kolekce.", + // "item.truncatable-part.show-less": "Collapse", + "item.truncatable-part.show-less" : "Sbalit", - // "home-page.carousel.ldata.info" : "Data and NLP Tools" - "home-page.carousel.ldata.info" : "Data a nástroje", + // "workflow-item.search.result.delete-supervision.modal.header": "Delete Supervision Order", + "workflow-item.search.result.delete-supervision.modal.header" : "Vymazat příkaz dohledu", - // "home-page.carousel.ldata.find" : "Find" - "home-page.carousel.ldata.find" : "Vyhledávání", + // "workflow-item.search.result.delete-supervision.modal.info": "Are you sure you want to delete Supervision Order", + "workflow-item.search.result.delete-supervision.modal.info" : "Jste si jisti, že chcete odstranit příkaz k dohledu?", - // "home-page.carousel.ldata.citation-support" : "Citation Support (with Persistent IDs)" - "home-page.carousel.ldata.citation-support" : "Podpora citací (persistentní identifikátory)", + // "workflow-item.search.result.delete-supervision.modal.cancel": "Cancel", + "workflow-item.search.result.delete-supervision.modal.cancel" : "Zrušit", - // "home-page.carousel.deposit.header" : "Deposit Free and Safe" - "home-page.carousel.deposit.header" : "Úschova zdarma a bezpečně", + // "workflow-item.search.result.delete-supervision.modal.confirm": "Delete", + "workflow-item.search.result.delete-supervision.modal.confirm" : "Odstranit", - // "home-page.carousel.deposit.info" : "License of your Choice (Open licenses encouraged)" - "home-page.carousel.deposit.info" : "Volitelné licence (avšak preferujeme otevřené)", + // "workflow-item.search.result.notification.deleted.success": "Successfully deleted supervision order \"{{name}}\"", + "workflow-item.search.result.notification.deleted.success" : "Úspěšně odstraněn příkaz k dohledu \"{{name}}\".", - // "home-page.carousel.deposit.find" : "Easy to Find" - "home-page.carousel.deposit.find" : "Snadné hledání", + // "workflow-item.search.result.notification.deleted.failure": "Failed to delete supervision order \"{{name}}\"", + "workflow-item.search.result.notification.deleted.failure" : "Nepodařilo se odstranit příkaz k dohledu \"{{name}}\".", - // "home-page.carousel.deposit.cite" : "Easy to Cite" - "home-page.carousel.deposit.cite" : "Snadná citace", + // "workflow-item.search.result.list.element.supervised-by": "Supervised by:", + "workflow-item.search.result.list.element.supervised-by": "Pod dohledem:", - // "home-page.carousel.deposit.citation": "“There ought to be only one grand dépôt of art in the world, to\n which the artist might repair with his works, and on presenting them\n receive what he required... ”", - "home-page.carousel.deposit.citation": "“Na světě by mělo být jen jedno velké úložiště umění,\n které by umělec obohatil svými díly a při prezentaci\n získal přesně, co žádal... ”", + // "workflow-item.search.result.list.element.supervised.remove-tooltip": "Remove supervision group", + "workflow-item.search.result.list.element.supervised.remove-tooltip" : "Odebrat dozorčí skupinu", - // "home-page.carousel.deposit.small" : "Ludwig van Beethoven, 1801" - "home-page.carousel.deposit.small" : "Ludwig van Beethoven, 1801", - // "home-page.search" : "Search" - "home-page.search" : "Hledat", + // "item.page.project-url": "Project URL", + "item.page.project-url":"Projekt URL", - // "home-page.advanced-search" : "Advanced Search" - "home-page.advanced-search" : "Rozšířené hledání", + // "item.page.referenced-by": "Referenced by", + "item.page.referenced-by" : "Odkazy na záznam", - // "home-page.hyperlink.author.message" : "Author" - "home-page.hyperlink.author.message" : "Autor", + // "item.page.type": "Type", + "item.page.type" : "Typ", - // "home-page.hyperlink.subject.message" : "Subject" - "home-page.hyperlink.subject.message" : "Klíčové slovo", + // "item.page.size-info": "Size", + "item.page.size-info" : "Velikost", - // "home-page.hyperlink.language.message" : "Language (ISO)" - "home-page.hyperlink.language.message" : "Jazyk", + // "item.page.language": "Language(s)", + "item.page.language" : "Jazyky", - // "home-page.whats-new.message" : "What's New" - "home-page.whats-new.message" : "Nově přidané", + // "item.page.sponsor": "Acknowledgement", + "item.page.sponsor" : "Sponzoři", - // "home-page.new-items.message" : "Most Viewed Items - Last Month" - "home-page.new-items.message" : "Nejnavštěvovanější záznamy - za poslední měsíc", - // "handle-table.breadcrumbs" : "Handles" - "handle-table.breadcrumbs" : "Handle", + // "item.page.abstract": "Abstract", + "item.page.abstract" : "Abstrakt", - // "handle-table.new-handle.breadcrumbs" : "New Handle" - "handle-table.new-handle.breadcrumbs" : "Nový Handle", + // "item.page.author": "Authors", + "item.page.author" : "Autoři", - // "handle-table.edit-handle.breadcrumbs" : "Edit Handle" - "handle-table.edit-handle.breadcrumbs" : "Upravit Handle", + // "item.page.citation": "Citation", + "item.page.citation" : "Citace", - // "handle-table.global-actions.breadcrumbs" : "Global Actions" - "handle-table.global-actions.breadcrumbs" : "Globální akce", + // "item.page.collections": "Collections", + "item.page.collections" : "Kolekce", - // "handle-table.new-handle.form-handle-input-text" : "Handle" - "handle-table.new-handle.form-handle-input-text" : "Handle", + // "item.page.collections.loading": "Loading...", + "item.page.collections.loading" : "Načítám...", - // "handle-table.new-handle.form-handle-input-placeholder" : "Enter handle" - "handle-table.new-handle.form-handle-input-placeholder" : "Zadat Handle", + // "item.page.collections.load-more": "Load more", + "item.page.collections.load-more" : "Načíst více", - // "handle-table.new-handle.form-url-input-text" : "URL" - "handle-table.new-handle.form-url-input-text" : "URL adresa", + // "item.page.date": "Date", + "item.page.date" : "Datum", - // "handle-table.new-handle.form-url-input-placeholder" : "Enter URL" - "handle-table.new-handle.form-url-input-placeholder" : "Zadejte URL adresu", + // "item.page.edit": "Edit this item", + "item.page.edit" : "Upravit tuto položku", - // "handle-table.new-handle.form-button-submit" : "Submit" - "handle-table.new-handle.form-button-submit" : "Odeslat", + // "item.page.statistics": "Show item statistics", + "item.page.statistics" : "Zobrazit statistiku položky", - // "handle-table.new-handle.notify.error" : "Server Error - Cannot create new handle" - "handle-table.new-handle.notify.error" : "Chyba serveru - Nelze vytvořit nový Handle", + // "item.page.files": "Files", + "item.page.files" : "Soubory", - // "handle-table.new-handle.notify.successful" : "The new handle was created!" - "handle-table.new-handle.notify.successful" : "Byl vytvořen nový Handle", + // "item.page.filesection.description": "Description:", + "item.page.filesection.description": "Popis:", - // "handle-table.edit-handle.notify.error" : "Server Error - Cannot edit this handle" - "handle-table.edit-handle.notify.error" : "Chyba serveru - Nelze upravit tento Handle", + // "item.page.filesection.download": "Download", + "item.page.filesection.download" : "Stáhnout", - // "handle-table.edit-handle.notify.successful" : "The handle was edited!" - "handle-table.edit-handle.notify.successful" : "Handle byl upraven!", + // "item.page.filesection.format": "Format:", + "item.page.filesection.format": "Formát:", - // "handle-table.delete-handle.notify.error" : "Server Error - Cannot delete this handle" - "handle-table.delete-handle.notify.error" : "Chyba serveru - Nelze odstranit tento handle", + // "item.page.filesection.name": "Name:", + "item.page.filesection.name": "Jméno:", - // "handle-table.delete-handle.notify.successful" : "The handle was deleted!" - "handle-table.delete-handle.notify.successful" : "Handle byl odstraněn!", + // "item.page.filesection.size": "Size:", + "item.page.filesection.size": "Velikost:", - // "handle-table.edit-handle.form-handle-input-text" : "Handle" - "handle-table.edit-handle.form-handle-input-text" : "Handle", + // "item.page.journal.search.title": "Articles in this journal", + "item.page.journal.search.title" : "Články v tomto časopise", - // "handle-table.edit-handle.form-handle-input-placeholder" : "Enter new handle" - "handle-table.edit-handle.form-handle-input-placeholder" : "Zadat nový Handle", + // "item.page.link.full": "Show full item record", + "item.page.link.full" : "Úplný záznam", - // "handle-table.edit-handle.form-url-input-text" : "URL" - "handle-table.edit-handle.form-url-input-text" : "URL adresa", + // "item.page.link.simple": "Simple item page", + "item.page.link.simple" : "Minimální záznam", - // "handle-table.edit-handle.form-url-input-placeholder" : "Enter new URL" - "handle-table.edit-handle.form-url-input-placeholder" : "Zadejte novou URL adresu", + // "item.page.orcid.title": "ORCID", + "item.page.orcid.title" : "ORCID", - // "handle-table.edit-handle.form-archive-input-check" : "Archive old handle?" - "handle-table.edit-handle.form-archive-input-check" : "Archivovat starý Handle?", + // "item.page.orcid.tooltip": "Open ORCID setting page", + "item.page.orcid.tooltip" : "Otevřít stránku nastavení ORCID", - // "handle-table.edit-handle.form-button-submit" : "Submit" - "handle-table.edit-handle.form-button-submit" : "Odeslat", + // "item.page.person.search.title": "Articles by this author", + "item.page.person.search.title" : "Články tohoto autora", - // "handle-page.title" : "Handles" - "handle-page.title" : "Handle", + // "item.page.related-items.view-more": "Show {{ amount }} more", + "item.page.related-items.view-more" : "Zobrazit {{ amount }} více", - // "handle-table.title" : "Handle List" - "handle-table.title" : "Handle seznam", + // "item.page.related-items.view-less": "Hide last {{ amount }}", + "item.page.related-items.view-less" : "Skrýt poslední {{ amount }}", - // "handle-table.table.handle" : "Handle" - "handle-table.table.handle" : "Handle", + // "item.page.relationships.isAuthorOfPublication": "Publications", + "item.page.relationships.isAuthorOfPublication" : "Publikace", - // "handle-table.table.internal" : "Internal" - "handle-table.table.internal" : "Interní", + // "item.page.relationships.isJournalOfPublication": "Publications", + "item.page.relationships.isJournalOfPublication" : "Publikace", - // "handle-table.table.is-internal" : "Yes" - "handle-table.table.is-internal" : "Ano", + // "item.page.relationships.isOrgUnitOfPerson": "Authors", + "item.page.relationships.isOrgUnitOfPerson" : "Autoři", - // "handle-table.table.not-internal" : "No" - "handle-table.table.not-internal" : "Ne", + // "item.page.relationships.isOrgUnitOfProject": "Research Projects", + "item.page.relationships.isOrgUnitOfProject" : "Výzkumné projekty", - // "handle-table.table.url" : "URL" - "handle-table.table.url" : "URL", + // "item.page.subject": "Subject(s)", + "item.page.subject" : "Klíčová slova", - // "handle-table.table.resource-type" : "Resource type" - "handle-table.table.resource-type" : "Typ zdroje", + // "item.page.uri": "Item identifier", + "item.page.uri" : "URI", - // "handle-table.table.resource-id" : "Resource id" - "handle-table.table.resource-id" : "ID zdroje", + // "item.page.bitstreams.view-more": "Show more", + "item.page.bitstreams.view-more" : "Zobrazit více", - // "handle-table.button.new-handle" : "New external handle" - "handle-table.button.new-handle" : "Nový vnější Handle", + // "item.page.bitstreams.collapse": "Collapse", + "item.page.bitstreams.collapse" : "Sbalit", - // "handle-table.button.edit-handle" : "Edit handle" - "handle-table.button.edit-handle" : "Upravit Handle", + // "item.page.filesection.original.bundle" : "Original bundle", + "item.page.filesection.original.bundle" : "Originalní soubor", - // "handle-table.button.delete-handle" : "Delete handle" - "handle-table.button.delete-handle" : "Odstranit Handle", + // "item.page.filesection.license.bundle" : "License bundle", + "item.page.filesection.license.bundle" : "License bundle", - // "handle-table.dropdown.search-option" : "Search option" - "handle-table.dropdown.search-option" : "Možnost vyhledávání", + // "item.page.return": "Back", + "item.page.return" : "Zpět", - // "handle-table.global-actions.title" : "Global Actions" - "handle-table.global-actions.title" : "Globální akce", + // "item.page.version.create": "Create new version", + "item.page.version.create" : "Vytvořit novou verzi", - // "handle-table.global-actions.actions-list-message" : "This is the list of available global actions." - "handle-table.global-actions.actions-list-message" : "Toto je seznam dostupných globálních akcí.", + // "item.page.version.hasDraft": "A new version cannot be created because there is an inprogress submission in the version history", + "item.page.version.hasDraft" : "Nová verze nemůže být vytvořena, protože v historii verzí je odeslání v procesu.", - // "handle-table.global-actions.button.change-prefix" : "Change handle prefix" - "handle-table.global-actions.button.change-prefix" : "Změnit předponu Handlu", + // "item.page.claim.button": "Claim", + "item.page.claim.button" : "Reklamace", - // "handle-table.change-handle-prefix.form-old-prefix-input-text" : "Old prefix" - "handle-table.change-handle-prefix.form-old-prefix-input-text" : "Stará předpona", + // "item.page.claim.tooltip": "Claim this item as profile", + "item.page.claim.tooltip" : "Prohlásit tuto položku za profil", - // "handle-table.change-handle-prefix.form-old-prefix-input-error" : "Valid old prefix is required" - "handle-table.change-handle-prefix.form-old-prefix-input-error" : "Je vyžadována platná stará předpona", + // "item.page.license.message": ['This item is', 'and licensed under:'], + "item.page.license.message": ['Licenční kategorie:', 'Licence:'], - // "handle-table.change-handle-prefix.form-old-prefix-input-placeholder" : "Enter old prefix" - "handle-table.change-handle-prefix.form-old-prefix-input-placeholder" : "Zadat starou předponu", + // "item.page.matomo-statistics.views.button": "Views", + "item.page.matomo-statistics.views.button" : "Zobrazení", - // "handle-table.change-handle-prefix.form-new-prefix-input-text" : "New prefix" - "handle-table.change-handle-prefix.form-new-prefix-input-text" : "Nová předpona", + // "item.page.matomo-statistics.downloads.button": "Downloads", + "item.page.matomo-statistics.downloads.button" : "Stažené", - // "handle-table.change-handle-prefix.form-new-prefix-input-placeholder" : "Enter new prefix" - "handle-table.change-handle-prefix.form-new-prefix-input-placeholder" : "Zadat novou předponu", + // "item.preview.dc.identifier.uri": "Identifier:", + "item.preview.dc.identifier.uri": "Identifikátor:", - // "handle-table.change-handle-prefix.form-new-prefix-input-error" : "Valid new prefix is required" - "handle-table.change-handle-prefix.form-new-prefix-input-error" : "Je vyžadována nová platná předpona", + // "item.preview.dc.contributor.author": "Authors:", + "item.preview.dc.contributor.author": "Autoři:", - // "handle-table.change-handle-prefix.form-archive-input-check" : "Archive old handles?" - "handle-table.change-handle-prefix.form-archive-input-check" : "Archivovat staré Handles?", + // "item.preview.dc.date.issued": "Published date:", + "item.preview.dc.date.issued": "Datum vydání:", - // "handle-table.change-handle-prefix.notify.started" : "Changing of the prefix has been started, it will take some time." - "handle-table.change-handle-prefix.notify.started" : "Změna prefixu byla zahájena, bude to nějakou dobu trvat.", + // "item.preview.dc.description.abstract": "Abstract:", + "item.preview.dc.description.abstract": "Abstrakt:", - // "handle-table.change-handle-prefix.notify.successful" : "The global prefix was changed!" - "handle-table.change-handle-prefix.notify.successful" : "Globální předpona byla změněna!", + // "item.preview.dc.identifier.other": "Other identifier:", + "item.preview.dc.identifier.other": "Další identifikátor:", - // "handle-table.change-handle-prefix.notify.error" : "Server Error - Cannot change the global prefix" - "handle-table.change-handle-prefix.notify.error" : "Chyba serveru - Nelze změnit globální předponu", + // "item.preview.dc.language.iso": "Language:", + "item.preview.dc.language.iso": "Jazyk:", - // "handle-table.change-handle-prefix.notify.error.empty-table" : "Server Error - Cannot change the global prefix because no Handle exist." - "handle-table.change-handle-prefix.notify.error.empty-table" : "Chyba serveru - Nelze změnit globální předponu, protože neexistuje žádný Handle.", + // "item.preview.dc.subject": "Subjects:", + "item.preview.dc.subject": "Předměty:", - // "licenses.breadcrumbs" : "License administration" - "licenses.breadcrumbs" : "License", + // "item.preview.dc.title": "Title:", + "item.preview.dc.title": "Název:", - // "licenses.breadcrumbs" : "License administration" - "licenses.manage-table.breadcrumbs" : "Správa licencí", + // "item.preview.dc.type": "Type:", + "item.preview.dc.type": "Typ:", - // "info.end-user-agreement.accept" : "I have read and I agree to the End User Agreement" - "info.end-user-agreement.accept" : "Přečetl/a jsem si smlouvu s koncovým uživatelem a souhlasím s ní.", + // "item.preview.oaire.citation.issue" : "Issue", + "item.preview.oaire.citation.issue" : "Vydání", - // "info.end-user-agreement.accept.error" : "An error occurred accepting the End User Agreement" - "info.end-user-agreement.accept.error" : "Při přijímání smlouvy s koncovým uživatelem došlo k chybě", + // "item.preview.oaire.citation.volume" : "Volume", + "item.preview.oaire.citation.volume" : "Svazek", - // "info.end-user-agreement.accept.success" : "Successfully updated the End User Agreement" - "info.end-user-agreement.accept.success" : "Úspěšná aktualizace smlouvy s koncovým uživatelem", + // "item.preview.dc.relation.issn" : "ISSN", + "item.preview.dc.relation.issn" : "ISSN", - // "info.end-user-agreement.breadcrumbs" : "End User Agreement" - "info.end-user-agreement.breadcrumbs" : "Dohoda s koncovým uživatelem", + // "item.preview.dc.identifier.isbn" : "ISBN", + "item.preview.dc.identifier.isbn" : "ISBN", - // "info.end-user-agreement.buttons.cancel" : "Cancel" - "info.end-user-agreement.buttons.cancel" : "Zrušit", + // "item.preview.dc.identifier": "Identifier:", + "item.preview.dc.identifier": "Identifikátor:", - // "info.end-user-agreement.buttons.save" : "Save" - "info.end-user-agreement.buttons.save" : "Uložit", + // "item.preview.dc.relation.ispartof" : "Journal or Serie", + "item.preview.dc.relation.ispartof" : "Časopis nebo série", - // "info.end-user-agreement.head" : "End User Agreement" - "info.end-user-agreement.head" : "Smlouva s koncovým uživatelem", + // "item.preview.dc.identifier.doi" : "DOI", + "item.preview.dc.identifier.doi" : "DOI", - // "info.end-user-agreement.title" : "End User Agreement" - "info.end-user-agreement.title" : "Smlouva s koncovým uživatelem", + // "item.preview.person.familyName": "Surname:", + "item.preview.person.familyName": "Příjmení:", - // "info.privacy.breadcrumbs" : "Privacy Statement" - "info.privacy.breadcrumbs" : "Prohlášení o ochraně osobních údajů", + // "item.preview.person.givenName": "Name:", + "item.preview.person.givenName": "Jméno:", - // "info.privacy.head" : "Privacy Statement" - "info.privacy.head" : "Prohlášení o ochraně osobních údajů", + // "item.preview.person.identifier.orcid": "ORCID:", + "item.preview.person.identifier.orcid": "ORCID:", - // "info.privacy.title" : "Privacy Statement" - "info.privacy.title" : "Prohlášení o ochraně osobních údajů", + // "item.preview.project.funder.name": "Funder:", + "item.preview.project.funder.name": "Financující subjekt:", - // "info.feedback.breadcrumbs" : "Feedback" - "info.feedback.breadcrumbs" : "Zpětná vazba", + // "item.preview.project.funder.identifier": "Funder Identifier:", + "item.preview.project.funder.identifier": "Identifikátor sponzora:", - // "info.feedback.head" : "Feedback" - "info.feedback.head" : "Zpětná vazba", + // "item.preview.oaire.awardNumber": "Funding ID:", + "item.preview.oaire.awardNumber": "ID financování:", - // "info.feedback.title" : "Feedback" - "info.feedback.title" : "Zpětná vazba", + // "item.preview.dc.title.alternative": "Acronym:", + "item.preview.dc.title.alternative": "Zkratka:", - // "info.feedback.info" : "Thanks for sharing your feedback about the DSpace system. Your comments are appreciated!" - "info.feedback.info" : "Děkujeme za sdílení zpětné vazby o systému DSpace. Vážíme si vašich připomínek!", + // "item.preview.dc.coverage.spatial": "Jurisdiction:", + "item.preview.dc.coverage.spatial": "Příslušnost:", - // "info.feedback.email_help" : "This address will be used to follow up on your feedback." - "info.feedback.email_help" : "Tato adresa bude použita pro sledování vaší zpětné vazby.", + // "item.preview.oaire.fundingStream": "Funding Stream:", + "item.preview.oaire.fundingStream": "Proud financování:", - // "info.feedback.send" : "Send Feedback" - "info.feedback.send" : "Odeslat zpětnou vazbu", + // "item.preview.authors.show.everyone": "Show everyone", + "item.preview.authors.show.everyone" : "Zobraz všechny autory", - // "info.feedback.comments" : "Comments" - "info.feedback.comments" : "Komentáře", + // "item.preview.authors.et.al": " ; et al.", + "item.preview.authors.et.al" : "; et al.", - // "info.feedback.email-label" : "Your Email" - "info.feedback.email-label" : "Váš e-mail", - // "info.feedback.create.success" : "Feedback Sent Successfully!" - "info.feedback.create.success" : "Zpětná vazba úspěšně odeslána!", + // "item.refbox.modal.copy.instruction": ["Press", "ctrl + c", "to copy"], + "item.refbox.modal.copy.instruction" : ['Stiskněte', 'ctrl + c', 'pro kopírování'], - // "info.feedback.error.email.required" : "A valid email address is required" - "info.feedback.error.email.required" : "Je vyžadována platná e-mailová adresa.", + // "item.refbox.modal.submit": "Ok", + "item.refbox.modal.submit" : "Ok", - // "info.feedback.error.message.required" : "A comment is required" - "info.feedback.error.message.required" : "Je vyžadován komentář.", + // "item.refbox.citation.featured-service.message": "Please use the following text to cite this item or export to a predefined format:", + "item.refbox.citation.featured-service.message": "Pro citování této položky použijte následující text nebo ji exportujte do předdefinovaného formátu:", - // "info.feedback.page-label" : "Page" - "info.feedback.page-label" : "Stránka", + // "item.refbox.citation.bibtex.button": "bibtex", + "item.refbox.citation.bibtex.button" : "bibtex", - // "info.feedback.page_help" : "Tha page related to your feedback" - "info.feedback.page_help" : "Stránka související se zpětnou vazbou.", + // "item.refbox.citation.cmdi.button": "cmdi", + "item.refbox.citation.cmdi.button" : "cmdi", - // "item.alerts.private" : "This item is non-discoverable" - "item.alerts.private" : "Tato položka je soukromá", + // "item.refbox.featured-service.heading": "This resource is also integrated in following services:", + "item.refbox.featured-service.heading": "Tento zdroj je také integrován do následujících služeb:", - // "item.alerts.withdrawn" : "This item has been withdrawn" - "item.alerts.withdrawn" : "Tento bod byl stažen", + // "item.refbox.featured-service.share.message": "Share", + "item.refbox.featured-service.share.message" : "Sdílet", - // "item.edit.authorizations.heading" : "With this editor you can view and alter the policies of an item, plus alter policies of individual item components: bundles and bitstreams. Briefly, an item is a container of bundles, and bundles are containers of bitstreams. Containers usually have ADD/REMOVE/READ/WRITE policies, while bitstreams only have READ/WRITE policies." - "item.edit.authorizations.heading" : "Pomocí tohoto editoru můžete zobrazit a měnit zásady položky a také zásady jednotlivých součástí položky: svazků a bitstreamů. Stručně řečeno, položka je kontejnerem svazků a svazky jsou kontejnery bitstreamů. Kontejnery mají obvykle zásady ADD/REMOVE/READ/WRITE, zatímco bitové proudy mají pouze zásady READ/WRITE.", + // "item.matomo-statistics.info.message": "Click on a data point to summarize by year / month.", + "item.matomo-statistics.info.message" : "Kliknutím na datový bod provedete shrnutí podle roku/měsíce.", - // "item.edit.authorizations.title" : "Edit item's Policies" - "item.edit.authorizations.title" : "Upravit zásady položky", - // "item.badge.private" : "Non-discoverable" - "item.badge.private" : "Soukromé", + // "item.view.box.author.message": "Author(s):", + "item.view.box.author.message": "Autoři", - // "item.badge.withdrawn" : "Withdrawn" - "item.badge.withdrawn" : "Stáhnout", + // "item.view.box.files.message": ["This item contains", "files"], + "item.view.box.files.message": ["Tento záznam obsahuje", "souborů"], - // "item.bitstreams.upload.bundle" : "Bundle" - "item.bitstreams.upload.bundle" : "Svazek", + // "item.view.box.no-files.message": "This item contains no files.", + "item.view.box.no-files.message": "Tento záznam neobsahuje soubory.", - // "item.bitstreams.upload.bundle.placeholder" : "Select a bundle or input new bundle name" - "item.bitstreams.upload.bundle.placeholder" : "Vybrat svazek", - // "item.bitstreams.upload.bundle.new" : "Create bundle" - "item.bitstreams.upload.bundle.new" : "Vytvořit svazek", + // "item.file.description.not.supported.video": "Your browser does not support the video tag.", + "item.file.description.not.supported.video": "Váš prohlížeč nepodporuje videa.", - // "item.bitstreams.upload.bundles.empty" : "This item doesn't contain any bundles to upload a bitstream to." - "item.bitstreams.upload.bundles.empty" : "Tato položka neobsahuje žádné svazky, do kterých by bylo možné nahrát bitstream.", + // "item.file.description.name": "Name", + "item.file.description.name": "Název", - // "item.bitstreams.upload.cancel" : "Cancel" - "item.bitstreams.upload.cancel" : "Zrušit", + // "item.file.description.size": "Size", + "item.file.description.size": "Velikost", - // "item.bitstreams.upload.drop-message" : "Drop a file to upload" - "item.bitstreams.upload.drop-message" : "Upusťte soubor, který chcete nahrát", + // "item.file.description.format": "Format", + "item.file.description.format": "Formát", - // "item.bitstreams.upload.item" : "Item:" - "item.bitstreams.upload.item" : "Položka:", + // "item.file.description.description": "Description", + "item.file.description.description": "Popis", - // "item.bitstreams.upload.notifications.bundle.created.content" : "Successfully created new bundle." - "item.bitstreams.upload.notifications.bundle.created.content" : "Úspěšně vytvořen nový svazek.", + // "item.file.description.checksum": "MD5", + "item.file.description.checksum": "MD5", - // "item.bitstreams.upload.notifications.bundle.created.title" : "Created bundle" - "item.bitstreams.upload.notifications.bundle.created.title" : "Vytvořený svazek", + // "item.file.description.download.file": "Download file", + "item.file.description.download.file": "Stáhnout soubor", - // "item.bitstreams.upload.notifications.upload.failed" : "Upload failed. Please verify the content before retrying." - "item.bitstreams.upload.notifications.upload.failed" : "Odeslání se nezdařilo. Před dalším pokusem ověřte obsah.", + // "item.file.description.preview": "Preview", + "item.file.description.preview": "Náhled", - // "item.bitstreams.upload.title" : "Upload bitstream" - "item.bitstreams.upload.title" : "Nahrání bitstreamu", + // "item.file.description.file.preview": "File Preview", + "item.file.description.file.preview": "Náhled souboru", - // "item.edit.bitstreams.bundle.edit.buttons.upload" : "Upload" - "item.edit.bitstreams.bundle.edit.buttons.upload" : "Nahrát", + // "item.page.files.head": "Files in this item", + "item.page.files.head": "Soubory tohoto záznamu", - // "item.edit.bitstreams.bundle.displaying" : "Currently displaying {{ amount }} bitstreams of {{ total }}." - "item.edit.bitstreams.bundle.displaying" : "Aktuálně zobrazuje {{ amount }} bitstreamů o počtu {{ total }}.", + // "item.page.download.button.command.line": "Download instructions for command line", + "item.page.download.button.command.line": "Instrukce pro stažení z příkazové řádky", - // "item.edit.bitstreams.bundle.load.all" : "Load all ({{ total }})" - "item.edit.bitstreams.bundle.load.all" : "Načíst vše ({{ total }})", + // "item.page.download.button.all.files.zip": "Download all files in item", + "item.page.download.button.all.files.zip": "Stáhnout všechny soubory záznamu", - // "item.edit.bitstreams.bundle.load.more" : "Load more" - "item.edit.bitstreams.bundle.load.more" : "Načíst více", - // "item.edit.bitstreams.bundle.name" : "BUNDLE: {{ name }}" - "item.edit.bitstreams.bundle.name" : "BUNDLE: {{ name }}", + // "item.select.confirm": "Confirm selected", + "item.select.confirm" : "Potvrdit vybrané", - // "item.edit.bitstreams.discard-button" : "Discard" - "item.edit.bitstreams.discard-button" : "Vyřadit", + // "item.select.empty": "No items to show", + "item.select.empty" : "Žádné položky k zobrazení", - // "item.edit.bitstreams.edit.buttons.download" : "Download" - "item.edit.bitstreams.edit.buttons.download" : "Stáhnout", + // "item.select.table.author": "Author", + "item.select.table.author" : "Autor", - // "item.edit.bitstreams.edit.buttons.drag" : "Drag" - "item.edit.bitstreams.edit.buttons.drag" : "", + // "item.select.table.collection": "Collection", + "item.select.table.collection" : "Kolekce", - // "item.edit.bitstreams.edit.buttons.edit" : "Edit" - "item.edit.bitstreams.edit.buttons.edit" : "Upravit", + // "item.select.table.title": "Title", + "item.select.table.title" : "Název", - // "item.edit.bitstreams.edit.buttons.remove" : "Remove" - "item.edit.bitstreams.edit.buttons.remove" : "Odstranit", - // "item.edit.bitstreams.edit.buttons.undo" : "Undo changes" - "item.edit.bitstreams.edit.buttons.undo" : "Vrátit změny", + // "item.version.history.empty": "There are no other versions for this item yet.", + "item.version.history.empty" : "Pro tuto položku zatím nejsou k dispozici žádné další verze.", - // "item.edit.bitstreams.empty" : "This item doesn't contain any bitstreams. Click the upload button to create one." - "item.edit.bitstreams.empty" : "Tato položka neobsahuje žádné bitstreamy. Klikněte na tlačítko pro nahrání a jeden vytvořte.", + // "item.version.history.head": "Version History", + "item.version.history.head" : "Historie verzí", - // "item.edit.bitstreams.headers.actions" : "Actions" - "item.edit.bitstreams.headers.actions" : "Akce", + // "item.version.history.return": "Back", + "item.version.history.return" : "Zpět", - // "item.edit.bitstreams.headers.bundle" : "Bundle" - "item.edit.bitstreams.headers.bundle" : "Svazek", + // "item.version.history.selected": "Selected version", + "item.version.history.selected" : "Vybraná verze", - // "item.edit.bitstreams.headers.description" : "Description" - "item.edit.bitstreams.headers.description" : "Popis", + // "item.version.history.selected.alert": "You are currently viewing version {{version}} of the item.", + "item.version.history.selected.alert" : "Právě si prohlížíte verzi {{version}} položky.", - // "item.edit.bitstreams.headers.format" : "Format" - "item.edit.bitstreams.headers.format" : "Formát", + // "item.version.history.table.version": "Version", + "item.version.history.table.version" : "Verze", - // "item.edit.bitstreams.headers.name" : "Name" - "item.edit.bitstreams.headers.name" : "Jméno", + // "item.version.history.table.name": "Name", + "item.version.history.table.name": "Název", - // "item.edit.bitstreams.notifications.discarded.content" : "Your changes were discarded. To reinstate your changes click the 'Undo' button" - "item.edit.bitstreams.notifications.discarded.content" : "Vaše změny byly vyřazeny. Chcete-li změny obnovit, klikněte na tlačítko \"Vrátit zpět\".", + // "item.version.history.table.handle": "Handle", + "item.version.history.table.handle": "Handle", - // "item.edit.bitstreams.notifications.discarded.title" : "Changes discarded" - "item.edit.bitstreams.notifications.discarded.title" : "Zmeny vyřazeny", + // "item.version.history.table.item": "Item", + "item.version.history.table.item" : "Položka", - // "item.edit.bitstreams.notifications.move.failed.title" : "Error moving bitstreams" - "item.edit.bitstreams.notifications.move.failed.title" : "Chyba při přesune bitstreamů", + // "item.version.history.table.editor": "Editor", + "item.version.history.table.editor" : "Editor", - // "item.edit.bitstreams.notifications.move.saved.content" : "Your move changes to this item's bitstreams and bundles have been saved." - "item.edit.bitstreams.notifications.move.saved.content" : "Vaše změny v bitstreamoch a svazcích této položky byly uloženy.", + // "item.version.history.table.date": "Date", + "item.version.history.table.date" : "Datum", - // "item.edit.bitstreams.notifications.move.saved.title" : "Move changes saved" - "item.edit.bitstreams.notifications.move.saved.title" : "Uložené změny přesunu", + // "item.version.history.table.summary": "Summary", + "item.version.history.table.summary" : "Souhrn", - // "item.edit.bitstreams.notifications.outdated.content" : "The item you're currently working on has been changed by another user. Your current changes are discarded to prevent conflicts" - "item.edit.bitstreams.notifications.outdated.content" : "Položka, na které právě pracujete, byla změněna jiným uživatelem. Vaše aktuální změny jsou vyřazeny, aby se zabránilo konfliktům.", + // "item.version.history.table.workspaceItem": "Workspace item", + "item.version.history.table.workspaceItem" : "Položka pracovního prostoru", - // "item.edit.bitstreams.notifications.outdated.title" : "Changes outdated" - "item.edit.bitstreams.notifications.outdated.title" : "Změny neaktuální", + // "item.version.history.table.workflowItem": "Workflow item", + "item.version.history.table.workflowItem" : "Položka pracovního postupu", - // "item.edit.bitstreams.notifications.remove.failed.title" : "Error deleting bitstream" - "item.edit.bitstreams.notifications.remove.failed.title" : "Chyba při mazání bitstreamu", + // "item.version.history.table.actions": "Action", + "item.version.history.table.actions" : "Akce", - // "item.edit.bitstreams.notifications.remove.saved.content" : "Your removal changes to this item's bitstreams have been saved." - "item.edit.bitstreams.notifications.remove.saved.content" : "Vaše změny v bitstreamech této položky byly uloženy.", + // "item.version.history.table.action.editWorkspaceItem": "Edit workspace item", + "item.version.history.table.action.editWorkspaceItem" : "Upravit položku pracovního prostoru", - // "item.edit.bitstreams.notifications.remove.saved.title" : "Removal changes saved" - "item.edit.bitstreams.notifications.remove.saved.title" : "Odstranit uložené změny", + // "item.version.history.table.action.editSummary": "Edit summary", + "item.version.history.table.action.editSummary" : "Upravit shrnutí", - // "item.edit.bitstreams.reinstate-button" : "Undo" - "item.edit.bitstreams.reinstate-button" : "Zpět", + // "item.version.history.table.action.saveSummary": "Save summary edits", + "item.version.history.table.action.saveSummary" : "Uložit souhrnné úpravy", - // "item.edit.bitstreams.save-button" : "Save" - "item.edit.bitstreams.save-button" : "Uložit", + // "item.version.history.table.action.discardSummary": "Discard summary edits", + "item.version.history.table.action.discardSummary" : "Zahodit souhrnné úpravy", - // "item.edit.bitstreams.upload-button" : "Upload" - "item.edit.bitstreams.upload-button" : "Nahrát", + // "item.version.history.table.action.newVersion": "Create new version from this one", + "item.version.history.table.action.newVersion" : "Vytvořit novou verzi z této", - // "item.edit.delete.cancel" : "Cancel" - "item.edit.delete.cancel" : "Zrušit", + // "item.version.history.table.action.deleteVersion": "Delete version", + "item.version.history.table.action.deleteVersion" : "Odstranit verzi", - // "item.edit.delete.confirm" : "Delete" - "item.edit.delete.confirm" : "Odstranit", + // "item.version.history.table.action.hasDraft": "A new version cannot be created because there is an inprogress submission in the version history", + "item.version.history.table.action.hasDraft" : "Nová verze nemůže být vytvořena, protože v historii verzí je odeslání v procesu.", - // "item.edit.delete.description" : "Are you sure this item should be completely deleted? Caution: At present, no tombstone would be left." - "item.edit.delete.description" : "Jste si jisti, že by tato položka měla být kompletně vymazána? Upozornění: V současné době by nezůstal žádný náhrobek.", - // "item.edit.delete.error" : "An error occurred while deleting the item" - "item.edit.delete.error" : "Při mazání položky došlo k chybě", + // "item.version.notice": "This is not the latest version of this item. The latest version can be found here.", + "item.version.notice" : "Toto není nejnovější verze této položky. Nejnovější verzi naleznete zde.", - // "item.edit.delete.header" : "Delete item: {{ id }}" - "item.edit.delete.header" : "Odstranit položku: {{ id }}", - // "item.edit.delete.success" : "The item has been deleted" - "item.edit.delete.success" : "Položka byla odstraněna", + // "item.version.create.modal.header": "New version", + "item.version.create.modal.header" : "Nová verze", - // "item.edit.head" : "Edit Item" - "item.edit.head" : "Upravit položku", + // "item.version.create.modal.text": "Create a new version for this item", + "item.version.create.modal.text" : "Vytvořit novou verzi této položky", - // "item.edit.breadcrumbs" : "Edit Item" - "item.edit.breadcrumbs" : "Upravit položku", + // "item.version.create.modal.text.startingFrom": "starting from version {{version}}", + "item.version.create.modal.text.startingFrom" : "Počínaje verzí {{version}}", - // "item.edit.tabs.disabled.tooltip" : "You're not authorized to access this tab" - "item.edit.tabs.disabled.tooltip" : "Nejste oprávněni k přístupu na tuto kartu", + // "item.version.create.modal.button.confirm": "Create", + "item.version.create.modal.button.confirm" : "Vytvořit", - // "item.edit.tabs.mapper.head" : "Collection Mapper" - "item.edit.tabs.mapper.head" : "Mapovač kolekcí", + // "item.version.create.modal.button.confirm.tooltip": "Create new version", + "item.version.create.modal.button.confirm.tooltip" : "Vytvořit novou verzi", - // "item.edit.tabs.item-mapper.title" : "Item Edit - Collection Mapper" - "item.edit.tabs.item-mapper.title" : "Úprava položky - Mapovač kolekcí", + // "item.version.create.modal.button.cancel": "Cancel", + "item.version.create.modal.button.cancel" : "Zrušit", - // "item.edit.item-mapper.buttons.add" : "Map item to selected collections" - "item.edit.item-mapper.buttons.add" : "Mapování položky do vybraných kolekcí", + // "item.version.create.modal.button.cancel.tooltip": "Do not create new version", + "item.version.create.modal.button.cancel.tooltip" : "Nevytvářet novou verzi", - // "item.edit.item-mapper.buttons.remove" : "Remove item's mapping for selected collections" - "item.edit.item-mapper.buttons.remove" : "Odstranění mapování položky pro vybrané kolekce", + // "item.version.create.modal.form.summary.label": "Summary", + "item.version.create.modal.form.summary.label" : "Souhrn", - // "item.edit.item-mapper.cancel" : "Cancel" - "item.edit.item-mapper.cancel" : "Zrušit", + // "item.version.create.modal.form.summary.placeholder": "Insert the summary for the new version", + "item.version.create.modal.form.summary.placeholder" : "Vložte souhrn pro novou verzi", - // "item.edit.item-mapper.description" : "This is the item mapper tool that allows administrators to map this item to other collections. You can search for collections and map them, or browse the list of collections the item is currently mapped to." - "item.edit.item-mapper.description" : "Toto je nástroj pro mapování položek, který správcům umožňuje mapovat tuto položku do jiných kolekcí. Můžete vyhledávat kolekce a mapovat je nebo procházet seznam kolekcí, ke kterým je položka aktuálně mapována.", + // "item.version.create.modal.submitted.header": "Creating new version...", + "item.version.create.modal.submitted.header" : "Vytváření nové verze...", - // "item.edit.item-mapper.head" : "Item Mapper - Map Item to Collections" - "item.edit.item-mapper.head" : "Mapovač položek - Mapování položek do kolekcí", + // "item.version.create.modal.submitted.text": "The new version is being created. This may take some time if the item has a lot of relationships.", + "item.version.create.modal.submitted.text" : "Vytváří se nová verze. Pokud má položka mnoho relací, může to nějakou dobu trvat", - // "item.edit.item-mapper.item" : "Item: "{{name}}"" - "item.edit.item-mapper.item" : "Položka: \"{{name}}\"", + // "item.version.create.notification.success" : "New version has been created with version number {{version}}", + "item.version.create.notification.success" : "Byla vytvořena nová verze s číslem verze {{version}}", - // "item.edit.item-mapper.no-search" : "Please enter a query to search" - "item.edit.item-mapper.no-search" : "Zadejte prosím dotaz pro vyhledávání", + // "item.version.create.notification.failure" : "New version has not been created", + "item.version.create.notification.failure" : "Nová verze nebyla vytvořena.", - // "item.edit.item-mapper.notifications.add.error.content" : "Errors occurred for mapping of item to {{amount}} collections." - "item.edit.item-mapper.notifications.add.error.content" : "Došlo k chybám při mapování položky do kolekcí {{amount}} .", + // "item.version.create.notification.inProgress" : "A new version cannot be created because there is an inprogress submission in the version history", + "item.version.create.notification.inProgress" : "Nová verze nemůže být vytvořena, protože někdo se už pokouší vytvořit novou verzi Itemu.", - // "item.edit.item-mapper.notifications.add.error.head" : "Mapping errors" - "item.edit.item-mapper.notifications.add.error.head" : "Chyby při mapování", - // "item.edit.item-mapper.notifications.add.success.content" : "Successfully mapped item to {{amount}} collections." - "item.edit.item-mapper.notifications.add.success.content" : "Položka byla úspěšně namapována do kolekcí {{amount}}.", + // "item.version.delete.modal.header": "Delete version", + "item.version.delete.modal.header" : "Odstranit verzi", - // "item.edit.item-mapper.notifications.add.success.head" : "Mapping completed" - "item.edit.item-mapper.notifications.add.success.head" : "Mapování dokončeno", + // "item.version.delete.modal.text": "Do you want to delete version {{version}}?", + "item.version.delete.modal.text" : "Chcete odstranit verzi {{version}}?", - // "item.edit.item-mapper.notifications.remove.error.content" : "Errors occurred for the removal of the mapping to {{amount}} collections." - "item.edit.item-mapper.notifications.remove.error.content" : "Došlo k chybám při odstraňování mapování do kolekcí {{amount}} .", + // "item.version.delete.modal.button.confirm": "Delete", + "item.version.delete.modal.button.confirm" : "Odstranit", - // "item.edit.item-mapper.notifications.remove.error.head" : "Removal of mapping errors" - "item.edit.item-mapper.notifications.remove.error.head" : "Odstranění chyb mapování", + // "item.version.delete.modal.button.confirm.tooltip": "Delete this version", + "item.version.delete.modal.button.confirm.tooltip" : "Odstranit tuto verzi", - // "item.edit.item-mapper.notifications.remove.success.content" : "Successfully removed mapping of item to {{amount}} collections." - "item.edit.item-mapper.notifications.remove.success.content" : "Úspěšně odstraněno mapování položky na {{amount}} kolekcích.", + // "item.version.delete.modal.button.cancel": "Cancel", + "item.version.delete.modal.button.cancel" : "Zrušit", - // "item.edit.item-mapper.notifications.remove.success.head" : "Removal of mapping completed" - "item.edit.item-mapper.notifications.remove.success.head" : "Odstranění mapování dokončeno", + // "item.version.delete.modal.button.cancel.tooltip": "Do not delete this version", + "item.version.delete.modal.button.cancel.tooltip" : "Tuto verzi neodstraňujte", - // "item.edit.item-mapper.search-form.placeholder" : "Search collections..." - "item.edit.item-mapper.search-form.placeholder" : "Hledat kolekce...", + // "item.version.delete.notification.success" : "Version number {{version}} has been deleted", + "item.version.delete.notification.success" : "Verze číslo {{version}} byla smazána", - // "item.edit.item-mapper.tabs.browse" : "Browse mapped collections" - "item.edit.item-mapper.tabs.browse" : "Procházet zmapované kolekce", + // "item.version.delete.notification.failure" : "Version number {{version}} has not been deleted", + "item.version.delete.notification.failure" : "Verze číslo {{version}} nebyla smazána", - // "item.edit.item-mapper.tabs.map" : "Map new collections" - "item.edit.item-mapper.tabs.map" : "Mapovat nové kolekce", - // "item.edit.metadata.add-button" : "Add" - "item.edit.metadata.add-button" : "Přidat", + // "item.version.edit.notification.success" : "The summary of version number {{version}} has been changed", + "item.version.edit.notification.success" : "Souhrn pro verzi číslo {{version}} byla změněna", - // "item.edit.metadata.discard-button" : "Discard" - "item.edit.metadata.discard-button" : "Vyřadit", + // "item.version.edit.notification.failure" : "The summary of version number {{version}} has not been changed", + "item.version.edit.notification.failure" : "Souhrn pro verzi číslo {{version}} nebyla změněna", - // "item.edit.metadata.edit.buttons.edit" : "Edit" - "item.edit.metadata.edit.buttons.edit" : "Upravit", - // "item.edit.metadata.edit.buttons.remove" : "Remove" - "item.edit.metadata.edit.buttons.remove" : "Odstranit", + // "item.tombstone.withdrawn.message": "This item is withdrawn", + "item.tombstone.withdrawn.message" : "Tato položka je stažena", - // "item.edit.metadata.edit.buttons.undo" : "Undo changes" - "item.edit.metadata.edit.buttons.undo" : "Vrátit změny", + // "item.tombstone.no.available.message": "The selected item is withdrawn and is no longer available.", + "item.tombstone.no.available.message" : "Vybraná položka je stažena a již není k dispozici.", - // "item.edit.metadata.edit.buttons.unedit" : "Stop editing" - "item.edit.metadata.edit.buttons.unedit" : "Zastavit úpravy", + // "item.tombstone.withdrawal.reason.message": "The reason for withdrawal:", + "item.tombstone.withdrawal.reason.message": "Důvod stažení:", - // "item.edit.metadata.empty" : "The item currently doesn't contain any metadata. Click Add to start adding a metadata value." - "item.edit.metadata.empty" : "Položka v současné době neobsahuje žádná metadata. Kliknutím na tlačítko Přidat začněte přidávat hodnotu metadat.", + // "item.tombstone.withdrawal.reason.default.value": "The reason wasn't specified.", + "item.tombstone.withdrawal.reason.default.value" : "Důvod nebyl upřesněn.", - // "item.edit.metadata.headers.edit" : "Edit" - "item.edit.metadata.headers.edit" : "Upravit", + // "item.tombstone.restricted.contact.help": ["Your user account does not have the credentials to view this item. Please contact the", "Help Desk", "if you have any questions."], + "item.tombstone.restricted.contact.help" : ['Váš účet nemá potřebná oprávnění pro zobrazení tohoto záznamu. Obraťte se na', 'poradnu', ', jestli máte jakékoliv nejasnosti.'], - // "item.edit.metadata.headers.field" : "Field" - "item.edit.metadata.headers.field" : "Pole", + // "item.tombstone.replaced.another-repository.message": "This item is managed by another repository", + "item.tombstone.replaced.another-repository.message" : "Tato položka je spravována jiným úložištěm", - // "item.edit.metadata.headers.language" : "Lang" - "item.edit.metadata.headers.language" : "", + // "item.tombstone.replaced.locations.message": "You will find this item at the following location(s):", + "item.tombstone.replaced.locations.message": "Tuto položku najdete na následujících místech:", - // "item.edit.metadata.headers.value" : "Value" - "item.edit.metadata.headers.value" : "Hodnota", + // "item.tombstone.replaced.help-desk.message": ["The author(s) asked us to hide this submission.", "We still keep all the data and metadata of the original submission but the submission", "is now located at the above url(s). If you need the contents of the original submission, contact us at our", "Help Desk."], + "item.tombstone.replaced.help-desk.message" : ['Autoři tohoto záznamu nás požádali o jeho skrytí.', 'Stále máme všechna data i metadata původního záznamu.', 'K záznamu by mělo být přistupováno výhradně přes výše uvedené url. Pokud z nějakého důvodu potřebujete původní záznam, kontaktujte naši', 'poradnu'], - // "item.edit.metadata.metadatafield.invalid" : "Please choose a valid metadata field" - "item.edit.metadata.metadatafield.invalid" : "Vyberte prosím platné pole metadat", - // "item.edit.metadata.notifications.discarded.content" : "Your changes were discarded. To reinstate your changes click the 'Undo' button" - "item.edit.metadata.notifications.discarded.content" : "Vaše změny byly zamítnuty. Chcete-li změny obnovit, klikněte na tlačítko \"Vrátit zpět\".", - // "item.edit.metadata.notifications.discarded.title" : "Changes discarded" - "item.edit.metadata.notifications.discarded.title" : "Změny neaktuální", - // "item.edit.metadata.notifications.error.title" : "An error occurred" - "item.edit.metadata.notifications.error.title" : "Došlo k chybě", - // "item.edit.metadata.notifications.invalid.content" : "Your changes were not saved. Please make sure all fields are valid before you save." - "item.edit.metadata.notifications.invalid.content" : "Vaše změny nebyly uloženy. Před uložením se ujistěte, že jsou všechna pole platná.", + // "itemtemplate.edit.metadata.add-button": "Add", + "itemtemplate.edit.metadata.add-button" : "Přidat", - // "item.edit.metadata.notifications.invalid.title" : "Metadata invalid" - "item.edit.metadata.notifications.invalid.title" : "Neplatná metadata", + // "itemtemplate.edit.metadata.discard-button": "Discard", + "itemtemplate.edit.metadata.discard-button" : "Zahodit", - // "item.edit.metadata.notifications.outdated.content" : "The item you're currently working on has been changed by another user. Your current changes are discarded to prevent conflicts" - "item.edit.metadata.notifications.outdated.content" : "Položka, na které právě pracujete, byla změněna jiným uživatelem. Vaše aktuální změny jsou vyřazeny, aby se zabránilo konfliktům.", + // "itemtemplate.edit.metadata.edit.buttons.confirm": "Confirm", + "itemtemplate.edit.metadata.edit.buttons.confirm" : "Potvrdit", - // "item.edit.metadata.notifications.outdated.title" : "Changes outdated" - "item.edit.metadata.notifications.outdated.title" : "Změny neaktuální", + // "itemtemplate.edit.metadata.edit.buttons.drag": "Drag to reorder", + "itemtemplate.edit.metadata.edit.buttons.drag" : "Potáhnutím změníte pořadí", - // "item.edit.metadata.notifications.saved.content" : "Your changes to this item's metadata were saved." - "item.edit.metadata.notifications.saved.content" : "Změny metadat této položky byly uloženy.", + // "itemtemplate.edit.metadata.edit.buttons.edit": "Edit", + "itemtemplate.edit.metadata.edit.buttons.edit" : "Upravit", - // "item.edit.metadata.notifications.saved.title" : "Metadata saved" - "item.edit.metadata.notifications.saved.title" : "Metadata uložena", + // "itemtemplate.edit.metadata.edit.buttons.remove": "Remove", + "itemtemplate.edit.metadata.edit.buttons.remove" : "Odstranit", - // "item.edit.metadata.reinstate-button" : "Undo" - "item.edit.metadata.reinstate-button" : "Zrušit", + // "itemtemplate.edit.metadata.edit.buttons.undo": "Undo changes", + "itemtemplate.edit.metadata.edit.buttons.undo" : "Vrátit změny", - // "item.edit.metadata.save-button" : "Save" - "item.edit.metadata.save-button" : "Uložit", + // "itemtemplate.edit.metadata.edit.buttons.unedit": "Stop editing", + "itemtemplate.edit.metadata.edit.buttons.unedit" : "Zastavit úpravy", - // "item.edit.modify.overview.field" : "Field" - "item.edit.modify.overview.field" : "Pole", + // "itemtemplate.edit.metadata.empty": "The item template currently doesn't contain any metadata. Click Add to start adding a metadata value.", + "itemtemplate.edit.metadata.empty" : "Šablona položky aktuálně neobsahuje žádná metadata. Kliknutím na tlačítko Přidat začnete přidávat hodnotu metadat.", - // "item.edit.modify.overview.language" : "Language" - "item.edit.modify.overview.language" : "Jazyk", + // "itemtemplate.edit.metadata.headers.edit": "Edit", + "itemtemplate.edit.metadata.headers.edit" : "Upravit", - // "item.edit.modify.overview.value" : "Value" - "item.edit.modify.overview.value" : "Hodnota", + // "itemtemplate.edit.metadata.headers.field": "Field", + "itemtemplate.edit.metadata.headers.field" : "Pole", - // "item.edit.move.cancel" : "Back" - "item.edit.move.cancel" : "Zpět", + // "itemtemplate.edit.metadata.headers.language": "Lang", + "itemtemplate.edit.metadata.headers.language" : "Lang", - // "item.edit.move.save-button" : "Save" - "item.edit.move.save-button" : "Uložit", + // "itemtemplate.edit.metadata.headers.value": "Value", + "itemtemplate.edit.metadata.headers.value" : "Hodnota", - // "item.edit.move.discard-button" : "Discard" - "item.edit.move.discard-button" : "Vyřadit", + // "itemtemplate.edit.metadata.metadatafield.error": "An error occurred validating the metadata field", + "itemtemplate.edit.metadata.metadatafield.error" : "Při ověřování pole metadat došlo k chybě", - // "item.edit.move.description" : "Select the collection you wish to move this item to. To narrow down the list of displayed collections, you can enter a search query in the box." - "item.edit.move.description" : "Vyberte kolekci, do které chcete tuto položku přesunout. Chcete-li zúžit seznam zobrazených kolekcí, můžete do pole zadat vyhledávací dotaz.", + // "itemtemplate.edit.metadata.metadatafield.invalid": "Please choose a valid metadata field", + "itemtemplate.edit.metadata.metadatafield.invalid" : "Vyberte prosím platné pole metadat", - // "item.edit.move.error" : "An error occurred when attempting to move the item" - "item.edit.move.error" : "Při pokusu o přesunutí položky došlo k chybě", + // "itemtemplate.edit.metadata.notifications.discarded.content": "Your changes were discarded. To reinstate your changes click the 'Undo' button", + "itemtemplate.edit.metadata.notifications.discarded.content" : "Změny byly zahozeny. Chcete-li změny obnovit, klikněte na tlačítko Zpět.", - // "item.edit.move.head" : "Move item: {{id}}" - "item.edit.move.head" : "Přesun položky: {{id}}", + // "itemtemplate.edit.metadata.notifications.discarded.title": "Changed discarded", + "itemtemplate.edit.metadata.notifications.discarded.title" : "Změny vyřazeny", - // "item.edit.move.inheritpolicies.checkbox" : "Inherit policies" - "item.edit.move.inheritpolicies.checkbox" : "Zděděné zásady", + // "itemtemplate.edit.metadata.notifications.error.title": "An error occurred", + "itemtemplate.edit.metadata.notifications.error.title" : "Došlo k chybě", - // "item.edit.move.inheritpolicies.description" : "Inherit the default policies of the destination collection" - "item.edit.move.inheritpolicies.description" : "Zdědit výchozí zásady cílové kolekce", + // "itemtemplate.edit.metadata.notifications.invalid.content": "Your changes were not saved. Please make sure all fields are valid before you save.", + "itemtemplate.edit.metadata.notifications.invalid.content" : "Vaše změny nebyly uloženy. Před uložením se ujistěte, že jsou všechna pole platná.", - // "item.edit.move.move" : "Move" - "item.edit.move.move" : "Přesun", + // "itemtemplate.edit.metadata.notifications.invalid.title": "Metadata invalid", + "itemtemplate.edit.metadata.notifications.invalid.title" : "Neplatná metadata", - // "item.edit.move.processing" : "Moving..." - "item.edit.move.processing" : "Přesouvání...", + // "itemtemplate.edit.metadata.notifications.outdated.content": "The item template you're currently working on has been changed by another user. Your current changes are discarded to prevent conflicts", + "itemtemplate.edit.metadata.notifications.outdated.content" : "Šablona položky, na které právě pracujete, byla změněna jiným uživatelem. Vaše aktuální změny jsou zahozeny, aby se předešlo konfliktům", - // "item.edit.move.search.placeholder" : "Enter a search query to look for collections" - "item.edit.move.search.placeholder" : "Zadejte vyhledávací dotaz a vyhledejte kolekce", + // "itemtemplate.edit.metadata.notifications.outdated.title": "Changed outdated", + "itemtemplate.edit.metadata.notifications.outdated.title" : "Změny zastaralé", - // "item.edit.move.success" : "The item has been moved successfully" - "item.edit.move.success" : "Položka byla úspěšně přesunuta", + // "itemtemplate.edit.metadata.notifications.saved.content": "Your changes to this item template's metadata were saved.", + "itemtemplate.edit.metadata.notifications.saved.content" : "Vaše změny v metadatech této šablony položky byly uloženy", - // "item.edit.move.title" : "Move item" - "item.edit.move.title" : "Přesunout položku", + // "itemtemplate.edit.metadata.notifications.saved.title": "Metadata saved", + "itemtemplate.edit.metadata.notifications.saved.title" : "Metadata uložena", - // "item.edit.private.cancel" : "Cancel" - "item.edit.private.cancel" : "Zrušit", + // "itemtemplate.edit.metadata.reinstate-button": "Undo", + "itemtemplate.edit.metadata.reinstate-button" : "Zpět", - // "item.edit.private.confirm" : "Make it non-discoverable" - "item.edit.private.confirm" : "Udělat položku soukromnou", + // "itemtemplate.edit.metadata.reset-order-button": "Undo reorder", + "itemtemplate.edit.metadata.reset-order-button" : "Zrušit změny pořadí", - // "item.edit.private.description" : "Are you sure this item should be made non-discoverable in the archive?" - "item.edit.private.description" : "Jste si jisti, že by tato položka měla být v archivu soukromá?", + // "itemtemplate.edit.metadata.save-button": "Save", + "itemtemplate.edit.metadata.save-button" : "Uložit", - // "item.edit.private.error" : "An error occurred while making the item non-discoverable" - "item.edit.private.error" : "Při vytváření soukromé položky došlo k chybě", - // "item.edit.private.header" : "Make item non-discoverable: {{ id }}" - "item.edit.private.header" : "Udělat položku soukromou: {{ id }}", - // "item.edit.private.success" : "The item is now non-discoverable" - "item.edit.private.success" : "Položka je nyní soukromá", + // "journal.listelement.badge": "Journal", + "journal.listelement.badge" : "Časopis", - // "item.edit.public.cancel" : "Cancel" - "item.edit.public.cancel" : "Zrušit", + // "journal.page.description": "Description", + "journal.page.description" : "Popis", - // "item.edit.public.confirm" : "Make it discoverable" - "item.edit.public.confirm" : "Zveřejnit", + // "journal.page.edit": "Edit this item", + "journal.page.edit" : "Upravit tuto položku", - // "item.edit.public.description" : "Are you sure this item should be made discoverable in the archive?" - "item.edit.public.description" : "Jste si jisti, že by tato položka měla být v archivu zveřejněna?", + // "journal.page.editor": "Editor-in-Chief", + "journal.page.editor" : "Šéfredaktor", - // "item.edit.public.error" : "An error occurred while making the item discoverable" - "item.edit.public.error" : "Při zveřejňování položky došlo k chybě", + // "journal.page.issn": "ISSN", + "journal.page.issn" : "ISSN", - // "item.edit.public.header" : "Make item discoverable: {{ id }}" - "item.edit.public.header" : "Zveřejnit položku: {{ id }}", + // "journal.page.publisher": "Publisher", + "journal.page.publisher" : "Vydavatel", - // "item.edit.public.success" : "The item is now discoverable" - "item.edit.public.success" : "Položka je nyní veřejná", + // "journal.page.titleprefix": "Journal: ", + "journal.page.titleprefix": "Časopis:", - // "item.edit.reinstate.cancel" : "Cancel" - "item.edit.reinstate.cancel" : "Zrušit", + // "journal.search.results.head": "Journal Search Results", + "journal.search.results.head" : "Výsledky vyhledávání v časopisech", - // "item.edit.reinstate.confirm" : "Reinstate" - "item.edit.reinstate.confirm" : "Obnovit", + // "journal-relationships.search.results.head": "Journal Search Results", + "journal-relationships.search.results.head" : "Výsledky vyhledávání v časopisech", - // "item.edit.reinstate.description" : "Are you sure this item should be reinstated to the archive?" - "item.edit.reinstate.description" : "Jste si jisti, že by tato položka měla být znovu zařazena do archivu?", + // "journal.search.title": "Journal Search", + "journal.search.title" : "Vyhledávání v časopisech", - // "item.edit.reinstate.error" : "An error occurred while reinstating the item" - "item.edit.reinstate.error" : "Při obnovování položky došlo k chybě", - // "item.edit.reinstate.header" : "Reinstate item: {{ id }}" - "item.edit.reinstate.header" : "Obnovit položky: {{ id }}", - // "item.edit.reinstate.success" : "The item was reinstated successfully" - "item.edit.reinstate.success" : "Položka byla úspěšně obnovena", + // "journalissue.listelement.badge": "Journal Issue", + "journalissue.listelement.badge" : "Vydání časopisu", - // "item.edit.relationships.discard-button" : "Discard" - "item.edit.relationships.discard-button" : "Vyřadit", + // "journalissue.page.description": "Description", + "journalissue.page.description" : "Popis", - // "item.edit.relationships.edit.buttons.add" : "Add" - "item.edit.relationships.edit.buttons.add" : "Přidat", + // "journalissue.page.edit": "Edit this item", + "journalissue.page.edit" : "Upravit tuto položku", - // "item.edit.relationships.edit.buttons.remove" : "Remove" - "item.edit.relationships.edit.buttons.remove" : "Odstranit", + // "journalissue.page.issuedate": "Issue Date", + "journalissue.page.issuedate" : "Datum vydání", - // "item.edit.relationships.edit.buttons.undo" : "Undo changes" - "item.edit.relationships.edit.buttons.undo" : "Vrátit změny", + // "journalissue.page.journal-issn": "Journal ISSN", + "journalissue.page.journal-issn" : "ISSN časopisu", - // "item.edit.relationships.no-relationships" : "No relationships" - "item.edit.relationships.no-relationships" : "Žádné vztahy", + // "journalissue.page.journal-title": "Journal Title", + "journalissue.page.journal-title" : "Název časopisu", - // "item.edit.relationships.notifications.discarded.content" : "Your changes were discarded. To reinstate your changes click the 'Undo' button" - "item.edit.relationships.notifications.discarded.content" : "Vaše změny byly zamítnuty. Chcete-li změny obnovit, klikněte na tlačítko \"Vrátit zpět\".", + // "journalissue.page.keyword": "Keywords", + "journalissue.page.keyword" : "Klíčová slova", - // "item.edit.relationships.notifications.discarded.title" : "Changes discarded" - "item.edit.relationships.notifications.discarded.title" : "Změny zahozené", + // "journalissue.page.number": "Number", + "journalissue.page.number" : "Číslo", - // "item.edit.relationships.notifications.failed.title" : "Error editing relationships" - "item.edit.relationships.notifications.failed.title" : "Chyba při úpravě vztahů", + // "journalissue.page.titleprefix": "Journal Issue: ", + "journalissue.page.titleprefix": "Vydání časopisu:", - // "item.edit.relationships.notifications.outdated.content" : "The item you're currently working on has been changed by another user. Your current changes are discarded to prevent conflicts" - "item.edit.relationships.notifications.outdated.content" : "Položka, na které právě pracujete, byla změněna jiným uživatelem. Vaše aktuální změny jsou vyřazeny, aby se zabránilo konfliktům.", - // "item.edit.relationships.notifications.outdated.title" : "Changes outdated" - "item.edit.relationships.notifications.outdated.title" : "Změny neaktuální", - // "item.edit.relationships.notifications.saved.content" : "Your changes to this item's relationships were saved." - "item.edit.relationships.notifications.saved.content" : "Vaše změny vztahů této položky byly uloženy.", + // "journalvolume.listelement.badge": "Journal Volume", + "journalvolume.listelement.badge" : "Svazek časopisu", - // "item.edit.relationships.notifications.saved.title" : "Relationships saved" - "item.edit.relationships.notifications.saved.title" : "Vztahy uloženy", + // "journalvolume.page.description": "Description", + "journalvolume.page.description" : "Popis", - // "item.edit.relationships.reinstate-button" : "Undo" - "item.edit.relationships.reinstate-button" : "Vrátit zpět", + // "journalvolume.page.edit": "Edit this item", + "journalvolume.page.edit" : "Upravit tuto položku", - // "item.edit.relationships.save-button" : "Save" - "item.edit.relationships.save-button" : "Uložit", + // "journalvolume.page.issuedate": "Issue Date", + "journalvolume.page.issuedate" : "Datum vydání", - // "item.edit.relationships.no-entity-type" : "Add 'dspace.entity.type' metadata to enable relationships for this item" - "item.edit.relationships.no-entity-type" : "Přidáním metadat dspace.entity.type umožníte vztahy pro tuto položku", + // "journalvolume.page.titleprefix": "Journal Volume: ", + "journalvolume.page.titleprefix": "Svazek časopisu:", - // "item.edit.return" : "Back" - "item.edit.return" : "Zpět", + // "journalvolume.page.volume": "Volume", + "journalvolume.page.volume" : "Svazek", - // "item.edit.tabs.bitstreams.head" : "Bitstreams" - "item.edit.tabs.bitstreams.head" : "Bitstreamy", - // "item.edit.tabs.bitstreams.title" : "Item Edit - Bitstreams" - "item.edit.tabs.bitstreams.title" : "Úprava položky - Bitstreamy", + // "iiifsearchable.listelement.badge": "Document Media", + "iiifsearchable.listelement.badge" : "Média pro dokumenty", - // "item.edit.tabs.curate.head" : "Curate" - "item.edit.tabs.curate.head" : "", + // "iiifsearchable.page.titleprefix": "Document: ", + "iiifsearchable.page.titleprefix": "Dokument:", - // "item.edit.tabs.curate.title" : "Item Edit - Curate" - "item.edit.tabs.curate.title" : "Úprava položky - Kurátor", + // "iiifsearchable.page.doi": "Permanent Link: ", + "iiifsearchable.page.doi": "Trvalý odkaz:", - // "item.edit.tabs.metadata.head" : "Metadata" - "item.edit.tabs.metadata.head" : "Metadata", + // "iiifsearchable.page.issue": "Issue: ", + "iiifsearchable.page.issue": "Problém:", - // "item.edit.tabs.metadata.title" : "Item Edit - Metadata" - "item.edit.tabs.metadata.title" : "Úprava položky - Metadata", + // "iiifsearchable.page.description": "Description: ", + "iiifsearchable.page.description": "Popis:", - // "item.edit.tabs.relationships.head" : "Relationships" - "item.edit.tabs.relationships.head" : "Vztahy", + // "iiifviewer.fullscreen.notice": "Use full screen for better viewing.", + "iiifviewer.fullscreen.notice" : "Pro lepší zobrazení použijte celou obrazovku.", - // "item.edit.tabs.relationships.title" : "Item Edit - Relationships" - "item.edit.tabs.relationships.title" : "Úprava položky - Vztahy", + // "iiif.listelement.badge": "Image Media", + "iiif.listelement.badge" : "Image Media", - // "item.edit.tabs.status.buttons.authorizations.button" : "Authorizations..." - "item.edit.tabs.status.buttons.authorizations.button" : "Autorizace...", + // "iiif.page.titleprefix": "Image: ", + "iiif.page.titleprefix": "Obrázek:", - // "item.edit.tabs.status.buttons.authorizations.label" : "Edit item's authorization policies" - "item.edit.tabs.status.buttons.authorizations.label" : "Upravit autorizační zásady položky", + // "iiif.page.doi": "Permanent Link: ", + "iiif.page.doi": "Trvalý odkaz:", - // "item.edit.tabs.status.buttons.delete.button" : "Permanently delete" - "item.edit.tabs.status.buttons.delete.button" : "Trvale odstranit", + // "iiif.page.issue": "Issue: ", + "iiif.page.issue": "Problém:", - // "item.edit.tabs.status.buttons.delete.label" : "Completely expunge item" - "item.edit.tabs.status.buttons.delete.label" : "Úplně vymazat položku", + // "iiif.page.description": "Description: ", + "iiif.page.description": "Popis:", - // "item.edit.tabs.status.buttons.mappedCollections.button" : "Mapped collections" - "item.edit.tabs.status.buttons.mappedCollections.button" : "Mapované kolekce", - // "item.edit.tabs.status.buttons.mappedCollections.label" : "Manage mapped collections" - "item.edit.tabs.status.buttons.mappedCollections.label" : "Spravovat mapované kolekce", + // "loading.bitstream": "Loading bitstream...", + "loading.bitstream" : "Načítání bitstreamu...", - // "item.edit.tabs.status.buttons.move.button" : "Move this Item to a different Collection" - "item.edit.tabs.status.buttons.move.button" : "Přesunout...", + // "loading.bitstreams": "Loading bitstreams...", + "loading.bitstreams" : "Načítání bitstreamů...", - // "item.edit.tabs.status.buttons.move.label" : "Move item to another collection" - "item.edit.tabs.status.buttons.move.label" : "Move item to another collection", + // "loading.browse-by": "Loading items...", + "loading.browse-by" : "Načítají se záznamy...", - // "item.edit.tabs.status.buttons.private.button" : "Make it non-discoverable..." - "item.edit.tabs.status.buttons.private.button" : "Označit jako soukromý...", + // "loading.browse-by-page": "Loading page...", + "loading.browse-by-page" : "Načítání stránky...", - // "item.edit.tabs.status.buttons.private.label" : "Make item non-discoverable" - "item.edit.tabs.status.buttons.private.label" : "Označit jako soukromý", + // "loading.collection": "Loading collection...", + "loading.collection" : "Načítá se kolekce...", - // "item.edit.tabs.status.buttons.public.button" : "Make it discoverable..." - "item.edit.tabs.status.buttons.public.button" : "Make it public...", + // "loading.collections": "Loading collections...", + "loading.collections" : "Načítání kolekcí...", - // "item.edit.tabs.status.buttons.public.label" : "Make item discoverable" - "item.edit.tabs.status.buttons.public.label" : "Označit jako veřejný", + // "loading.content-source": "Loading content source...", + "loading.content-source" : "Načítání zdroje obsahu...", - // "item.edit.tabs.status.buttons.reinstate.button" : "Reinstate..." - "item.edit.tabs.status.buttons.reinstate.button" : "Znovu zařadit...", + // "loading.community": "Loading community...", + "loading.community" : "Načítá se komunita...", - // "item.edit.tabs.status.buttons.reinstate.label" : "Reinstate item into the repository" - "item.edit.tabs.status.buttons.reinstate.label" : "Obnovit položky do úložiště", + // "loading.default": "Loading...", + "loading.default" : "Načítá se...", - // "item.edit.tabs.status.buttons.unauthorized" : "You're not authorized to perform this action" - "item.edit.tabs.status.buttons.unauthorized" : "K provedení této akce nejste oprávněni", + // "loading.item": "Loading item...", + "loading.item" : "Načítá se záznam...", - // "item.edit.tabs.status.buttons.withdraw.button" : "Withdraw this item" - "item.edit.tabs.status.buttons.withdraw.button" : "Vyřadit...", + // "loading.items": "Loading items...", + "loading.items" : "Načítání položek...", - // "item.edit.tabs.status.buttons.withdraw.label" : "Withdraw item from the repository" - "item.edit.tabs.status.buttons.withdraw.label" : "Vyřadit záznam z repozitáře", + // "loading.mydspace-results": "Loading items...", + "loading.mydspace-results" : "Načítání položek...", - // "item.edit.tabs.status.description" : "Welcome to the item management page. From here you can withdraw, reinstate, move or delete the item. You may also update or add new metadata / bitstreams on the other tabs." - "item.edit.tabs.status.description" : "Vítejte na stránce správy záznamů. Odsud můžete vyřadit, znovu zařadit, přesunout nebo smazat záznam. Na dalších kartách můžete také aktualizovat nebo přidávat nová metadata a bitové toky.", + // "loading.objects": "Loading...", + "loading.objects" : "Načítá se...", - // "item.edit.tabs.status.head" : "Status" - "item.edit.tabs.status.head" : "Stav", + // "loading.recent-submissions": "Loading recent submissions...", + "loading.recent-submissions" : "Načítají se poslední příspěvky...", - // "item.edit.tabs.status.labels.handle" : "Handle" - "item.edit.tabs.status.labels.handle" : "Handle", + // "loading.search-results": "Loading search results...", + "loading.search-results" : "Načítají se výsledky hledání...", - // "item.edit.tabs.status.labels.id" : "Item Internal ID" - "item.edit.tabs.status.labels.id" : "Interní ID záznamu", + // "loading.sub-collections": "Loading sub-collections...", + "loading.sub-collections" : "Načítají se subkolekce...", - // "item.edit.tabs.status.labels.itemPage" : "Item Page" - "item.edit.tabs.status.labels.itemPage" : "Strana záznamu", + // "loading.sub-communities": "Loading sub-communities...", + "loading.sub-communities" : "Načítání subkomunit...", - // "item.edit.tabs.status.labels.lastModified" : "Last Modified" - "item.edit.tabs.status.labels.lastModified" : "Poslední úprava", + // "loading.top-level-communities": "Loading top-level communities...", + "loading.top-level-communities" : "Načítají se komunity nejvyšší úrovně...", - // "item.edit.tabs.status.title" : "Item Edit - Status" - "item.edit.tabs.status.title" : "Úprava záznamu - Stav", - // "item.edit.tabs.versionhistory.head" : "Version History" - "item.edit.tabs.versionhistory.head" : "Historie verzí", - // "item.edit.tabs.versionhistory.title" : "Item Edit - Version History" - "item.edit.tabs.versionhistory.title" : "Úprava záznamu - Historie verzí", + // "login.form.email": "Email address", + "login.form.email" : "E-mailová adresa", - // "item.edit.tabs.versionhistory.under-construction" : "Editing or adding new versions is not yet possible in this user interface." - "item.edit.tabs.versionhistory.under-construction" : "V tomto uživatelském rozhraní zatím není možné upravovat nebo přidávat nové verze.", + // "login.form.forgot-password": "Have you forgotten your password?", + "login.form.forgot-password" : "Zapomněli jste své heslo?", - // "item.edit.tabs.view.head" : "View Item" - "item.edit.tabs.view.head" : "Zobrazit záznam", + // "login.form.header": "Please log in to DSpace", + "login.form.header" : "Prosím, přihlaste se do DSpace", - // "item.edit.tabs.view.title" : "Item Edit - View" - "item.edit.tabs.view.title" : "Úprava záznamu - Zobrazit", + // "login.form.new-user": "New user? Click here to register.", + "login.form.new-user" : "Zaregistrujte se kliknutím sem.", - // "item.edit.withdraw.cancel" : "Cancel" - "item.edit.withdraw.cancel" : "Zrušit", + // "login.form.or-divider": "or", + "login.form.or-divider" : "nebo", - // "item.edit.withdraw.confirm" : "Withdraw" - "item.edit.withdraw.confirm" : "Vyřadit", + // "login.form.oidc": "Log in with OIDC", + "login.form.oidc" : "Přihlaste se pomocí OIDC", - // "item.edit.withdraw.description" : "Are you sure this item should be withdrawn from the archive?" - "item.edit.withdraw.description" : "Jste si jisti, že by tenhle záznam měl být vyřazen z archivu?", + // "login.form.orcid": "Log in with ORCID", + "login.form.orcid" : "Přihlásit se pomocí ORCID", - // "item.edit.withdraw.error" : "An error occurred while withdrawing the item" - "item.edit.withdraw.error" : "Při vyřazování záznamu došlo k chybě", + // "login.form.password": "Password", + "login.form.password" : "Heslo", - // "item.edit.withdraw.header" : "Withdraw item: {{ id }}" - "item.edit.withdraw.header" : "Vyřazený záznam: {{ id }}", + // "login.form.shibboleth": "Log in with Shibboleth", + "login.form.shibboleth" : "Přihlaste se pomocí Shibboleth", - // "item.edit.withdraw.success" : "The item was withdrawn successfully" - "item.edit.withdraw.success" : "Záznam byl úspěšně vyřazen", + // "login.form.submit": "Log in", + "login.form.submit" : "Přihlásit se", - // "item.listelement.badge" : "Item" - "item.listelement.badge" : "Záznam", + // "login.title": "Login", + "login.title" : "Přihlásit se", - // "item.page.description" : "Description" - "item.page.description" : "Popis", + // "login.breadcrumbs": "Login", + "login.breadcrumbs" : "Přihlásit se", - // "item.page.journal-issn" : "Journal ISSN" - "item.page.journal-issn" : "ISSN časopisu", - // "item.page.journal-title" : "Journal Title" - "item.page.journal-title" : "Název časopisu", - // "item.page.publisher" : "Publisher" - "item.page.publisher" : "Vydavatel", + // "logout.form.header": "Log out from DSpace", + "logout.form.header" : "Odhlásit se z DSpace", - // "item.page.titleprefix" : "Item:" - "item.page.titleprefix" : "Záznam:", + // "logout.form.submit": "Log out", + "logout.form.submit" : "Odhlásit se", - // "item.page.volume-title" : "Volume Title" - "item.page.volume-title" : "Název svazku", + // "logout.title": "Logout", + "logout.title" : "Odhlásit se", - // "item.search.results.head" : "Item Search Results" - "item.search.results.head" : "Výsledky vyhledávání záznamú", - // "item.search.title" : "Item Search" - "item.search.title" : "Vyhledávání záznamú", + // "clarin.help-desk.name": "Help Desk", + "clarin.help-desk.name" : "Help Desk", - // "item.page.project-url":"Project URL" - "item.page.project-url":"Projekt URL", + // "clarin.auth-failed.error.message": "Authentication Failed", + "clarin.auth-failed.error.message" : "Ověření selhalo", - // "item.page.referenced-by" : "Referenced by" - "item.page.referenced-by" : "Odkazy na záznam", + // "clarin.auth-failed.warning.reason.message": "Reason!", + "clarin.auth-failed.warning.reason.message" : "Důvod!", - // "item.page.type" : "Type" - "item.page.type" : "Typ", + // "clarin.auth-failed.warning.important.message": "Important!", + "clarin.auth-failed.warning.important.message" : "Důležité!", - // "item.page.size-info" : "Size" - "item.page.size-info" : "Velikost", + // "clarin.auth-failed.warning.no-email.message": ["Your IDP (home organization) has not provided your email address. Please fill and verify your email in order to submit new items to the repository, to download restricted items and optionally to subscribe to advanced statistics and/or collection updates.", "If you have any question contact the ","Help Desk."], + "clarin.auth-failed.warning.no-email.message" : ['Váš IDP (domovská organizace) nám neposkytl vaši emailovou adresu. Pokud chcete přidávat záznamy do repozitáře, stahovat veřejně nedostupné záznamy, případně se přihlásit k zásílání statistik a novinek, vyplňte a ověřte váš email.', 'V případě jakýchkoli dotazů se můžete obrátit na naši', 'poradnu'], - // "item.page.language" : "Language(s)" - "item.page.language" : "Jazyky", + // "clarin.auth-failed.warning.email-info": "This address will be verified and remembered until your IDP provides a different one. You will still sign in through your IDP.", + "clarin.auth-failed.warning.email-info" : "Tato adresa bude ověřena a zapamatována, dokud IDP nezadá jinou adresu. Stále se budete přihlašovat prostřednictvím svého IDP.", - // "item.page.sponsor" : "Acknowledgement" - "item.page.sponsor" : "Sponzoři", + // "clarin.auth-failed.warning.has-email.message": ["Your IDP (home organization) has not provided your email address.", "You are registered by the e-mail: ", ". Try to login with that e-mail.", " If you have any login issues contact the ", "Help Desk."], + "clarin.auth-failed.warning.has-email.message": ['Váš IDP (domovská organizace) nám neposkytl vaši emailovou adresu.', 'Jste registrován/a pomocí e-mailu: ', '. Zkuste se přihlásit s tímto e-mailem', ' V případě jakýchkoli dotazů se můžete obrátit na naši ', 'poradnu'], - // "item.page.abstract" : "Abstract" - "item.page.abstract" : "Abstrakt", + // "clarin.auth-failed.netid": "netid", + "clarin.auth-failed.netid" : "NetID", - // "item.page.author" : "Authors" - "item.page.author" : "Autoři", + // "clarin.auth-failed.fname": "First Name", + "clarin.auth-failed.fname" : "Křestní jméno", - // "item.page.citation" : "Citation" - "item.page.citation" : "Citace", + // "clarin.auth-failed.lname": "Last Name", + "clarin.auth-failed.lname" : "Příjmení", - // "item.page.collections" : "Collections" - "item.page.collections" : "Kolekce", + // "clarin.auth-failed.email": "Email", + "clarin.auth-failed.email" : "E-mail", - // "item.page.collections.loading" : "Loading..." - "item.page.collections.loading" : "Načítám...", + // "clarin.auth-failed.button.submit": "Submit", + "clarin.auth-failed.button.submit" : "Odeslat", - // "item.page.collections.load-more" : "Load more" - "item.page.collections.load-more" : "Načíst více", + // "clarin.auth-failed.button.login": "Redirect to login", + "clarin.auth-failed.button.login" : "Přesměrování na přihlášení", - // "item.page.date" : "Date" - "item.page.date" : "Datum", + // "clarin.auth-failed.send-email.successful.message": "Verification email was sent successfully", + "clarin.auth-failed.send-email.successful.message" : "Ověřovací e-mail byl úspěšně odeslán", - // "item.page.edit" : "Edit this item" - "item.page.edit" : "Upravit tuto položku", + // "clarin.auth-failed.send-email.error.message": "Error: cannot sent verification email.", + "clarin.auth-failed.send-email.error.message": "Chyba: Nelze odeslat ověřovací e-mail.", - // "item.page.statistics" : "Show item statistics" - "item.page.statistics" : "Zobrazit statistiku položky", - // "item.page.files" : "Files" - "item.page.files" : "Soubory", - // "item.page.filesection.description" : "Description:" - "item.page.filesection.description" : "Popis:", + // "clarin.auth-failed.duplicate-user.header.message": "Authentication Failed", + "clarin.auth-failed.duplicate-user.header.message": "Autentifikace se nezdařila", - // "item.page.filesection.download" : "Download" - "item.page.filesection.download" : "Stáhnout", + // "clarin.auth-failed.duplicate-user.error.message": ["Your email", "is already associated with a different user. It is also possible that you used a different identity provider to before. For more information please contact our", "Help Desk"], + "clarin.auth-failed.duplicate-user.error.message": ["Váš email", "již používá jiný uživatel. Je také možné, že se přihlašujete přes jinou instituci než minule. Pro více informací prosím kontaktujte ", "poradnu"], - // "item.page.filesection.format" : "Format:" - "item.page.filesection.format" : "Formát:", - // "item.page.filesection.name" : "Name:" - "item.page.filesection.name" : "Jméno:", - // "item.page.filesection.size" : "Size:" - "item.page.filesection.size" : "Velikost:", + // "clarin.missing-headers.error.message": "Your IDP (home organization) has not provided required headers, we cannot allow you to login to our repository without required information.", + "clarin.missing-headers.error.message" : "Vaše IDP (domovská organizace) neposkytla požadované hlavičky. Bez požadovaných informací vám nemůžeme umožnit přihlášení do našeho úložiště.", - // "item.page.journal.search.title" : "Articles in this journal" - "item.page.journal.search.title" : "Články v tomto časopise", + // "clarin.missing-headers.contact-us.message": "If you have any questions you can contact the ", + "clarin.missing-headers.contact-us.message" : "V případě jakýchkoli dotazů se můžete obrátit na", - // "item.page.link.full" : "Show full item record" - "item.page.link.full" : "Úplný záznam", - // "item.page.link.simple" : "Simple item page" - "item.page.link.simple" : "Minimální záznam", + // "clarin.autoregistration.successful.message": "You have been successfully registered.", + "clarin.autoregistration.successful.message" : "Byli jste úspěšně zaregistrováni.", - // "item.page.person.search.title" : "Articles by this author" - "item.page.person.search.title" : "Články tohoto autora", + // "clarin.autoregistration.error.message": "Error: registration failed.", + "clarin.autoregistration.error.message": "Chyba: registrace se nezdařila.", - // "item.page.related-items.view-more" : "Show {{ amount }} more" - "item.page.related-items.view-more" : "Zobrazit {{ amount }} více", + // "clarin.autoregistration.welcome.message": "Welcome to", + "clarin.autoregistration.welcome.message" : "Vítejte v", - // "item.page.related-items.view-less" : "Hide last {{ amount }}" - "item.page.related-items.view-less" : "Skrýt poslední {{ amount }}", + // "clarin.autoregistration.privacy.statement": "Privacy statement", + "clarin.autoregistration.privacy.statement" : "Prohlášení o ochraně osobních údajů", - // "item.page.relationships.isAuthorOfPublication" : "Publications" - "item.page.relationships.isAuthorOfPublication" : "Publikace", + // "clarin.autoregistration.information.released.by.idp.message": "The information released by your IdP (home organisation) is shown below.", + "clarin.autoregistration.information.released.by.idp.message" : "Informace zveřejněné vaším IDP (domovskou organizací) jsou uvedeny níže.", - // "item.page.relationships.isJournalOfPublication" : "Publications" - "item.page.relationships.isJournalOfPublication" : "Publikace", + // "clarin.autoregistration.table.header": "Header", + "clarin.autoregistration.table.header" : "Hlavička", - // "item.page.relationships.isOrgUnitOfPerson" : "Authors" - "item.page.relationships.isOrgUnitOfPerson" : "Autoři", + // "clarin.autoregistration.table.value": "Value", + "clarin.autoregistration.table.value" : "Hodnota", - // "item.page.relationships.isOrgUnitOfProject" : "Research Projects" - "item.page.relationships.isOrgUnitOfProject" : "Výzkumné projekty", + // "clarin.autoregistration.repository.policy.message": ["We use only the required attributes as stated in","However we may log the attributes and keep them for a time period."], + "clarin.autoregistration.repository.policy.message" : ['Používáme pouze povinné attributy tak jak jsou zmíněny v', 'Atributy jsou nějaký čas uchovány v záznamech.'], - // "item.page.subject" : "Subject(s)" - "item.page.subject" : "Klíčová slova", + // "clarin.autoregistration.button.continue.to.login": "Continue to login", + "clarin.autoregistration.button.continue.to.login" : "Pokračovat v přihlašování", - // "item.page.uri" : "Item identifier" - "item.page.uri" : "URI", + // "clarin.autoregistration.token.not.valid.message": "Verification token is not valid.", + "clarin.autoregistration.token.not.valid.message" : "Ověřovací token není platný.", - // "item.page.bitstreams.view-more" : "Show more" - "item.page.bitstreams.view-more" : "Zobrazit více", + // "clarin.autologin.error.message": "Something went wrong, the user cannot be signed in automatically.", + "clarin.autologin.error.message" : "Něco se pokazilo, uživatele nelze automaticky přihlásit.", - // "item.page.bitstreams.collapse" : "Collapse" - "item.page.bitstreams.collapse" : "Sbalit", - // "item.page.filesection.original.bundle" : "Original bundle" - "item.page.filesection.original.bundle" : "Originalní soubor", + // "menu.header.admin": "Management", + "menu.header.admin" : "Admin", - // "item.page.filesection.license.bundle" : "License bundle" - "item.page.filesection.license.bundle" : "License bundle", + // "menu.header.image.logo": "Repository logo", + "menu.header.image.logo" : "Logo úložiště", - // "item.page.return" : "Back" - "item.page.return" : "Zpět", + // "menu.header.admin.description": "Management menu", + "menu.header.admin.description" : "Menu managementu", - // "item.page.version.create" : "Create new version" - "item.page.version.create" : "Vytvořit novou verzi", - // "item.page.version.hasDraft" : "A new version cannot be created because there is an inprogress submission in the version history" - "item.page.version.hasDraft" : "Nová verze nemůže být vytvořena, protože v historii verzí je odeslání v procesu.", - // "item.page.license.message" : ['This item is', 'and licensed under:'] - "item.page.license.message" : ['Licenční kategorie:', 'Licence:'], + // "menu.section.access_control": "Access Control", + "menu.section.access_control" : "Řízení přístupu", - // "item.page.matomo-statistics.views.button" : "Views" - "item.page.matomo-statistics.views.button" : "Zobrazení", + // "menu.section.access_control_authorizations": "Authorizations", + "menu.section.access_control_authorizations" : "Oprávnění", - // "item.page.matomo-statistics.downloads.button" : "Downloads" - "item.page.matomo-statistics.downloads.button" : "Stažené", + // "menu.section.access_control_groups": "Groups", + "menu.section.access_control_groups" : "Skupiny", - // "item.preview.dc.identifier.uri" : "Identifier:" - "item.preview.dc.identifier.uri" : "Identifikátor:", + // "menu.section.access_control_people": "People", + "menu.section.access_control_people" : "Lidé", - // "item.preview.dc.contributor.author" : "Authors:" - "item.preview.dc.contributor.author" : "Autoři:", - // "item.preview.dc.date.issued" : "Published date:" - "item.preview.dc.date.issued" : "Datum vydání:", - // "item.preview.dc.description.abstract" : "Abstract:" - "item.preview.dc.description.abstract" : "Abstrakt:", + // "menu.section.admin_search": "Admin Search", + "menu.section.admin_search" : "Vyhledávání správce", - // "item.preview.dc.identifier.other" : "Other identifier:" - "item.preview.dc.identifier.other" : "Další identifikátor:", - // "item.preview.dc.language.iso" : "Language:" - "item.preview.dc.language.iso" : "Jazyk:", - // "item.preview.dc.subject" : "Subjects:" - "item.preview.dc.subject" : "Předměty:", + // "menu.section.browse_community": "This Community", + "menu.section.browse_community" : "Tato komunita", - // "item.preview.dc.title" : "Title:" - "item.preview.dc.title" : "Název:", + // "menu.section.browse_community_by_author": "By Author", + "menu.section.browse_community_by_author" : "Podle autora", - // "item.preview.person.familyName" : "Surname:" - "item.preview.person.familyName" : "Příjmení:", + // "menu.section.browse_community_by_issue_date": "By Issue Date", + "menu.section.browse_community_by_issue_date" : "Podle data přidání", - // "item.preview.person.givenName" : "Name:" - "item.preview.person.givenName" : "Jméno:", + // "menu.section.browse_community_by_title": "By Title", + "menu.section.browse_community_by_title" : "Podle názvu", - // "item.preview.person.identifier.orcid" : "ORCID:" - "item.preview.person.identifier.orcid" : "ORCID:", + // "menu.section.browse_global": "All of DSpace", + "menu.section.browse_global" : "Vše v DSpace", - // "item.preview.project.funder.name" : "Funder:" - "item.preview.project.funder.name" : "Financující subjekt:", + // "menu.section.browse_global_by_author": "By Author", + "menu.section.browse_global_by_author" : "Podle autora", - // "item.preview.project.funder.identifier" : "Funder Identifier:" - "item.preview.project.funder.identifier" : "Identifikátor sponzora:", + // "menu.section.browse_global_by_dateissued": "By Issue Date", + "menu.section.browse_global_by_dateissued" : "Podle data přidání", - // "item.preview.oaire.awardNumber" : "Funding ID:" - "item.preview.oaire.awardNumber" : "ID financování:", + // "menu.section.browse_global_by_subject": "By Subject", + "menu.section.browse_global_by_subject" : "Podle předmětu", - // "item.preview.dc.title.alternative" : "Acronym:" - "item.preview.dc.title.alternative" : "Zkratka:", + // "menu.section.browse_global_by_title": "By Title", + "menu.section.browse_global_by_title" : "Podle názvu", - // "item.preview.dc.coverage.spatial" : "Jurisdiction:" - "item.preview.dc.coverage.spatial" : "Příslušnost:", + // "menu.section.browse_global_communities_and_collections": "Communities & Collections", + "menu.section.browse_global_communities_and_collections" : "Komunity & Kolekce", - // "item.preview.oaire.fundingStream" : "Funding Stream:" - "item.preview.oaire.fundingStream" : "Proud financování:", - // "item.preview.authors.show.everyone" : "Show everyone" - "item.preview.authors.show.everyone" : "Zobraz všechny autory", - // "item.preview.authors.et.al" : "; et al." - "item.preview.authors.et.al" : "; et al.", + // "menu.section.control_panel": "Control Panel", + "menu.section.control_panel" : "Ovládací panel", - // "item.refbox.modal.copy.instruction" : ['Press', 'ctrl + c', 'to copy'] - "item.refbox.modal.copy.instruction" : ['Stiskněte', 'ctrl + c', 'pro kopírování'], + // "menu.section.curation_task": "Curation Task", + "menu.section.curation_task" : "Kurátorský úkol", - // "item.refbox.modal.submit" : "Ok" - "item.refbox.modal.submit" : "Ok", - // "item.refbox.citation.featured-service.message" : "Please use the following text to cite this item or export to a predefined format:" - "item.refbox.citation.featured-service.message" : "Pro citování této položky použijte následující text nebo ji exportujte do předdefinovaného formátu:", - // "item.refbox.citation.bibtex.button" : "bibtex" - "item.refbox.citation.bibtex.button" : "bibtex", + // "menu.section.edit": "Edit", + "menu.section.edit" : "Upravit", - // "item.refbox.citation.cmdi.button" : "cmdi" - "item.refbox.citation.cmdi.button" : "cmdi", + // "menu.section.edit_collection": "Collection", + "menu.section.edit_collection" : "Kolekce", - // "item.refbox.featured-service.heading" : "This resource is also integrated in following services:" - "item.refbox.featured-service.heading" : "Tento zdroj je také integrován do následujících služeb:", + // "menu.section.edit_community": "Community", + "menu.section.edit_community" : "Komunita", - // "item.refbox.featured-service.share.message" : "Share" - "item.refbox.featured-service.share.message" : "Sdílet", + // "menu.section.edit_item": "Item", + "menu.section.edit_item" : "Položka", - // "item.matomo-statistics.info.message" : "Click on a data point to summarize by year / month." - "item.matomo-statistics.info.message" : "Kliknutím na datový bod provedete shrnutí podle roku/měsíce.", - // "item.view.box.author.message": "Author(s):", - "item.view.box.author.message": "Autoři", + // "menu.section.export": "Export", + "menu.section.export" : "Exportovat", - // "item.view.box.files.message": ["This item contains", "files"], - "item.view.box.files.message": ["Tento záznam obsahuje", "souborů"], + // "menu.section.export_collection": "Collection", + "menu.section.export_collection" : "Kolekce", - // "item.view.box.no-files.message": "This item contains no files.", - "item.view.box.no-files.message": "Tento záznam neobsahuje soubory.", + // "menu.section.export_community": "Community", + "menu.section.export_community" : "Komunita", + // "menu.section.export_item": "Item", + "menu.section.export_item" : "Položka", -// "item.file.description.not.supported.video": "Your browser does not support the video tag.", - "item.file.description.not.supported.video": "Váš prohlížeč nepodporuje videa.", + // "menu.section.export_metadata": "Metadata", + "menu.section.export_metadata" : "Metadata", -// "item.file.description.name": "Name", - "item.file.description.name": "Název", + // "menu.section.export_batch": "Batch Export (ZIP)", + "menu.section.export_batch" : "Dávkový export (ZIP)", -// "item.file.description.size": "Size", - "item.file.description.size": "Velikost", -// "item.file.description.format": "Format", - "item.file.description.format": "Formát", + // "menu.section.icon.access_control": "Access Control menu section", + "menu.section.icon.access_control" : "Menu sekce Řízení přístupu", -// "item.file.description.description": "Description", - "item.file.description.description": "Popis", + // "menu.section.icon.admin_search": "Admin search menu section", + "menu.section.icon.admin_search" : "Menu sekce Vyhledávání správce", -// "item.file.description.checksum": "MD5", - "item.file.description.checksum": "MD5", + // "menu.section.icon.control_panel": "Control Panel menu section", + "menu.section.icon.control_panel" : "Menu sekce Ovládací panel", -// "item.file.description.download.file": "Download file", - "item.file.description.download.file": "Stáhnout soubor", + // "menu.section.icon.curation_tasks": "Curation Task menu section", + "menu.section.icon.curation_tasks" : "Menu sekce Kurátorská úloha", -// "item.file.description.preview": "Preview", - "item.file.description.preview": "Náhled", + // "menu.section.icon.edit": "Edit menu section", + "menu.section.icon.edit" : "Upravit menu sekci", -// "item.file.description.file.preview": "File Preview", - "item.file.description.file.preview": "Náhled souboru", + // "menu.section.icon.export": "Export menu section", + "menu.section.icon.export" : "Exportovat menu sekci", - // "item.page.files.head": "Files in this item", - "item.page.files.head": "Soubory tohoto záznamu", + // "menu.section.icon.find": "Find menu section", + "menu.section.icon.find" : "Najít menu sekci", - // "item.page.download.button.command.line": "Download instructions for command line", - "item.page.download.button.command.line": "Instrukce pro stažení z příkazové řádky", + // "menu.section.icon.health": "Health check menu section", + "menu.section.icon.health" : "Menu sekce kontrola stavu", - // "item.page.download.button.all.files.zip": "Download all files in item", - "item.page.download.button.all.files.zip": "Stáhnout všechny soubory záznamu", + // "menu.section.icon.import": "Import menu section", + "menu.section.icon.import" : "Importovat menu sekci", + // "menu.section.icon.new": "New menu section", + "menu.section.icon.new" : "Nová menu sekce", - // "item.select.confirm" : "Confirm selected" - "item.select.confirm" : "Potvrdit vybrané", + // "menu.section.icon.pin": "Pin sidebar", + "menu.section.icon.pin" : "Postranní panel s kolíky", - // "item.select.empty" : "No items to show" - "item.select.empty" : "Žádné položky k zobrazení", + // "menu.section.icon.processes": "Processes Health", + "menu.section.icon.processes" : "Menu sekce Procesy", - // "item.select.table.author" : "Author" - "item.select.table.author" : "Autor", + // "menu.section.icon.registries": "Registries menu section", + "menu.section.icon.registries" : "Menu sekce Registry", - // "item.select.table.collection" : "Collection" - "item.select.table.collection" : "Kolekce", + // "menu.section.icon.statistics_task": "Statistics Task menu section", + "menu.section.icon.statistics_task" : "Menu sekce Statistická úloha", - // "item.select.table.title" : "Title" - "item.select.table.title" : "Název", + // "menu.section.icon.statistics": "Show site statistics", + "menu.section.icon.statistics" : "Zobrazit statistiky stránky", - // "item.version.history.empty" : "There are no other versions for this item yet." - "item.version.history.empty" : "Pro tuto položku zatím nejsou k dispozici žádné další verze.", + // "menu.section.icon.submissions": "Show my submissions", + "menu.section.icon.submissions" : "Zobrazit moje záznamy", - // "item.version.history.head" : "Version History" - "item.version.history.head" : "Historie verzí", + // "menu.section.icon.workflow": "Administer workflow menu section", + "menu.section.icon.workflow" : "Menu sekce Správa pracovního postupu", - // "item.version.history.return" : "Back" - "item.version.history.return" : "Zpět", + // "menu.section.icon.unpin": "Unpin sidebar", + "menu.section.icon.unpin" : "Zrušení připnutí postranního panelu", - // "item.version.history.selected" : "Selected version" - "item.version.history.selected" : "Vybraná verze", - // "item.version.history.selected.alert" : "You are currently viewing version {{version}} of the item." - "item.version.history.selected.alert" : "Právě si prohlížíte verzi {{version}} položky.", - // "item.version.history.table.version" : "Version" - "item.version.history.table.version" : "Verze", -// "item.version.history.table.name": "Name", - "item.version.history.table.name": "Název", + // "menu.section.import": "Import", + "menu.section.import" : "Importovat", -// "item.version.history.table.handle": "Handle", - "item.version.history.table.handle": "Handle", + // "menu.section.import_batch": "Batch Import (ZIP)", + "menu.section.import_batch" : "Dávkový import (ZIP)", - // "item.version.history.table.item" : "Item" - "item.version.history.table.item" : "Položka", + // "menu.section.import_metadata": "Metadata", + "menu.section.import_metadata" : "Metadata", - // "item.version.history.table.editor" : "Editor" - "item.version.history.table.editor" : "Editor", - // "item.version.history.table.date" : "Date" - "item.version.history.table.date" : "Datum", - // "item.version.history.table.summary" : "Summary" - "item.version.history.table.summary" : "Souhrn", + // "menu.section.new": "New", + "menu.section.new" : "Nový", - // "item.version.history.table.workspaceItem" : "Workspace item" - "item.version.history.table.workspaceItem" : "Položka pracovního prostoru", + // "menu.section.new_collection": "Collection", + "menu.section.new_collection" : "Kolekce", - // "item.version.history.table.workflowItem" : "Workflow item" - "item.version.history.table.workflowItem" : "Položka pracovního postupu", + // "menu.section.new_community": "Community", + "menu.section.new_community" : "Komunita", - // "item.version.history.table.actions" : "Action" - "item.version.history.table.actions" : "Akce", + // "menu.section.new_item": "Item", + "menu.section.new_item" : "Položka", - // "item.version.history.table.action.editWorkspaceItem" : "Edit workspace item" - "item.version.history.table.action.editWorkspaceItem" : "Upravit položku pracovního prostoru", + // "menu.section.new_item_version": "Item Version", + "menu.section.new_item_version" : "Verze položky", - // "item.version.history.table.action.editSummary" : "Edit summary" - "item.version.history.table.action.editSummary" : "Upravit shrnutí", + // "menu.section.new_process": "Process", + "menu.section.new_process" : "Proces", - // "item.version.history.table.action.saveSummary" : "Save summary edits" - "item.version.history.table.action.saveSummary" : "Uložit souhrnné úpravy", - // "item.version.history.table.action.discardSummary" : "Discard summary edits" - "item.version.history.table.action.discardSummary" : "Zahodit souhrnné úpravy", - // "item.version.history.table.action.newVersion" : "Create new version from this one" - "item.version.history.table.action.newVersion" : "Vytvořit novou verzi z této", + // "menu.section.pin": "Pin sidebar", + "menu.section.pin" : "Postranní panel s kolíky", - // "item.version.history.table.action.deleteVersion" : "Delete version" - "item.version.history.table.action.deleteVersion" : "Odstranit verzi", + // "menu.section.unpin": "Unpin sidebar", + "menu.section.unpin" : "Zrušit připnutí postranního panelu", - // "item.version.history.table.action.hasDraft" : "A new version cannot be created because there is an inprogress submission in the version history" - "item.version.history.table.action.hasDraft" : "Nová verze nemůže být vytvořena, protože v historii verzí je odeslání v procesu.", - // "item.version.notice" : "This is not the latest version of this item. The latest version can be found here." - "item.version.notice" : "Toto není nejnovější verze této položky. Nejnovější verzi naleznete zde.", - // "item.version.create.modal.header" : "New version" - "item.version.create.modal.header" : "Nová verze", + // "menu.section.processes": "Processes", + "menu.section.processes" : "Procesy", - // "item.version.create.modal.text" : "Create a new version for this item" - "item.version.create.modal.text" : "Vytvořit novou verzi této položky", + // "menu.section.health": "Health", + "menu.section.health" : "Stav", - // "item.version.create.modal.text.startingFrom" : "starting from version {{version}}" - "item.version.create.modal.text.startingFrom" : "Počínaje verzí {{version}}", - // "item.version.create.modal.button.confirm" : "Create" - "item.version.create.modal.button.confirm" : "Vytvořit", - // "item.version.create.modal.button.confirm.tooltip" : "Create new version" - "item.version.create.modal.button.confirm.tooltip" : "Vytvořit novou verzi", + // "menu.section.registries": "Registries", + "menu.section.registries" : "Registry", - // "item.version.create.modal.button.cancel" : "Cancel" - "item.version.create.modal.button.cancel" : "Zrušit", + // "menu.section.registries_format": "Format", + "menu.section.registries_format" : "Formát", - // "item.version.create.modal.button.cancel.tooltip" : "Do not create new version" - "item.version.create.modal.button.cancel.tooltip" : "Nevytvářet novou verzi", + // "menu.section.registries_metadata": "Metadata", + "menu.section.registries_metadata" : "Metadata", - // "item.version.create.modal.form.summary.label" : "Summary" - "item.version.create.modal.form.summary.label" : "Souhrn", - // "item.version.create.modal.form.summary.placeholder" : "Insert the summary for the new version" - "item.version.create.modal.form.summary.placeholder" : "Vložte souhrn pro novou verzi", - // "item.version.create.notification.success" : "New version has been created with version number {{version}}" - "item.version.create.notification.success" : "Byla vytvořena nová verze s číslem verze {{version}}", + // "menu.section.statistics": "Statistics", + "menu.section.statistics" : "Statistiky", - // "item.version.create.notification.failure" : "New version has not been created" - "item.version.create.notification.failure" : "Nová verze nebyla vytvořena.", + // "menu.section.statistics_task": "Statistics Task", + "menu.section.statistics_task" : "Úkol statistiky", - // "item.version.create.notification.inProgress" : "A new version cannot be created because there is an inprogress submission in the version history" - "item.version.create.notification.inProgress" : "Nová verze nemůže být vytvořena, protože někdo se už pokouší vytvořit novou verzi Itemu.", + // "menu.section.submissions": "Submissions", + "menu.section.submissions" : "Příspěvky", - // "item.version.delete.modal.header" : "Delete version" - "item.version.delete.modal.header" : "Odstranit verzi", - // "item.version.delete.modal.text" : "Do you want to delete version {{version}}?" - "item.version.delete.modal.text" : "Chcete odstranit verzi {{version}}?", - // "item.version.delete.modal.button.confirm" : "Delete" - "item.version.delete.modal.button.confirm" : "Odstranit", + // "menu.section.toggle.access_control": "Toggle Access Control section", + "menu.section.toggle.access_control" : "Přepnout sekci Rízení přístupu", - // "item.version.delete.modal.button.confirm.tooltip" : "Delete this version" - "item.version.delete.modal.button.confirm.tooltip" : "Odstranit tuto verzi", + // "menu.section.toggle.control_panel": "Toggle Control Panel section", + "menu.section.toggle.control_panel" : "Přepnout sekci Ovládací panel", - // "item.version.delete.modal.button.cancel" : "Cancel" - "item.version.delete.modal.button.cancel" : "Zrušit", + // "menu.section.toggle.curation_task": "Toggle Curation Task section", + "menu.section.toggle.curation_task" : "Přepnout sekci Kurátorský úkol", - // "item.version.delete.modal.button.cancel.tooltip" : "Do not delete this version" - "item.version.delete.modal.button.cancel.tooltip" : "Tuto verzi neodstraňujte", + // "menu.section.toggle.edit": "Toggle Edit section", + "menu.section.toggle.edit" : "Přepnout sekci Upravit", - // "item.version.delete.notification.success" : "Version number {{version}} has been deleted" - "item.version.delete.notification.success" : "Verze číslo {{version}} byla smazána", + // "menu.section.toggle.export": "Toggle Export section", + "menu.section.toggle.export" : "Přepnout sekci Export", - // "item.version.delete.notification.failure" : "Version number {{version}} has not been deleted" - "item.version.delete.notification.failure" : "Verze číslo {{version}} nebyla smazána", + // "menu.section.toggle.find": "Toggle Find section", + "menu.section.toggle.find" : "Přepnout sekci Najít", - // "item.version.edit.notification.success" : "The summary of version number {{version}} has been changed" - "item.version.edit.notification.success" : "Souhrn pro verzi číslo {{version}} byla změněna", + // "menu.section.toggle.import": "Toggle Import section", + "menu.section.toggle.import" : "Přepnout sekci Import", - // "item.version.edit.notification.failure" : "The summary of version number {{version}} has not been changed" - "item.version.edit.notification.failure" : "Souhrn pro verzi číslo {{version}} nebyla změněna", + // "menu.section.toggle.new": "Toggle New section", + "menu.section.toggle.new" : "Přepnout Novou sekci", - // "item.tombstone.withdrawn.message" : "This item is withdrawn" - "item.tombstone.withdrawn.message" : "Tato položka je stažena", + // "menu.section.toggle.registries": "Toggle Registries section", + "menu.section.toggle.registries" : "Přepnout sekci Registrů", - // "item.tombstone.no.available.message" : "The selected item is withdrawn and is no longer available." - "item.tombstone.no.available.message" : "Vybraná položka je stažena a již není k dispozici.", + // "menu.section.toggle.statistics_task": "Toggle Statistics Task section", + "menu.section.toggle.statistics_task" : "Přepnout sekci Úkol statistiky", - // "item.tombstone.withdrawal.reason.message" : "The reason for withdrawal:" - "item.tombstone.withdrawal.reason.message" : "Důvod stažení:", - // "item.tombstone.withdrawal.reason.default.value" : "The reason wasn't specified." - "item.tombstone.withdrawal.reason.default.value" : "Důvod nebyl upřesněn.", - // "item.tombstone.restricted.contact.help" : ['Your user account does not have the credentials to view this item. Please contact the', 'Help Desk', 'if you have any questions.'] - "item.tombstone.restricted.contact.help" : ['Váš účet nemá potřebná oprávnění pro zobrazení tohoto záznamu. Obraťte se na', 'poradnu', ', jestli máte jakékoliv nejasnosti.'], + // "menu.section.workflow": "Administer Workflow", + "menu.section.workflow" : "Správa pracovních postupů", - // "item.tombstone.replaced.another-repository.message" : "This item is managed by another repository" - "item.tombstone.replaced.another-repository.message" : "Tato položka je spravována jiným úložištěm", + // "menu.section.handle": "Manage Handles", + "menu.section.handle" : "Správa Handles", - // "item.tombstone.replaced.locations.message" : "You will find this item at the following location(s):" - "item.tombstone.replaced.locations.message" : "Tuto položku najdete na následujících místech:", - // "item.tombstone.replaced.help-desk.message" : ['The author(s) asked us to hide this submission.', 'We still keep all the data and metadata of the original submission but the submission', 'is now located at the above url(s). If you need the contents of the original submission, contact us at our', 'Help Desk.'] - "item.tombstone.replaced.help-desk.message" : ['Autoři tohoto záznamu nás požádali o jeho skrytí.', 'Stále máme všechna data i metadata původního záznamu.', 'K záznamu by mělo být přistupováno výhradně přes výše uvedené url. Pokud z nějakého důvodu potřebujete původní záznam, kontaktujte naši', 'poradnu'], + // "menu.section.licenses": "License Administration", + "menu.section.licenses" : "Správa licencí", - // "journal.listelement.badge" : "Journal" - "journal.listelement.badge" : "Časopis", - // "journal.page.description" : "Description" - "journal.page.description" : "Popis", - // "journal.page.edit" : "Edit this item" - "journal.page.edit" : "Upravit tuto položku", - // "journal.page.editor" : "Editor-in-Chief" - "journal.page.editor" : "Šéfredaktor", + // "autocomplete.suggestion.sponsor.funding-code": "Funding code", + "autocomplete.suggestion.sponsor.funding-code" : "Kód financování", - // "journal.page.issn" : "ISSN" - "journal.page.issn" : "ISSN", + // "autocomplete.suggestion.sponsor.project-name": "Project name", + "autocomplete.suggestion.sponsor.project-name" : "Název projektu", - // "journal.page.publisher" : "Publisher" - "journal.page.publisher" : "Vydavatel", + // "autocomplete.suggestion.sponsor.empty": "N/A", + "autocomplete.suggestion.sponsor.empty" : "nepoužitelné", - // "journal.page.titleprefix" : "Journal:" - "journal.page.titleprefix" : "Časopis:", + // "autocomplete.suggestion.sponsor.eu": "EU", + "autocomplete.suggestion.sponsor.eu" : "EU", - // "journal.search.results.head" : "Journal Search Results" - "journal.search.results.head" : "Výsledky vyhledávání v časopisech", - // "journal.search.title" : "Journal Search" - "journal.search.title" : "Vyhledávání v časopisech", + // "metadata-export-search.tooltip": "Export search results as CSV", + "metadata-export-search.tooltip" : "Exportovat výsledky hledání jako CSV", + // "metadata-export-search.submit.success": "The export was started successfully", + "metadata-export-search.submit.success" : "Export byl úspěšně zahájen", + // "metadata-export-search.submit.error": "Starting the export has failed", + "metadata-export-search.submit.error" : "Spuštění exportu se nezdařilo", - // "journalissue.listelement.badge" : "Journal Issue" - "journalissue.listelement.badge" : "Vydání časopisu", - // "journalissue.page.description" : "Description" - "journalissue.page.description" : "Popis", + // "mydspace.breadcrumbs": "MyDSpace", + "mydspace.breadcrumbs" : "MyDSpace", - // "journalissue.page.edit" : "Edit this item" - "journalissue.page.edit" : "Upravit tuto položku", + // "mydspace.description": "", + "mydspace.description" : "", - // "journalissue.page.issuedate" : "Issue Date" - "journalissue.page.issuedate" : "Datum vydání", + // "mydspace.messages.controller-help": "Select this option to send a message to item's submitter.", + "mydspace.messages.controller-help" : "Tuto možnost vyberte, chcete-li odeslat zprávu odesílateli položky.", - // "journalissue.page.journal-issn" : "Journal ISSN" - "journalissue.page.journal-issn" : "ISSN časopisu", + // "mydspace.messages.description-placeholder": "Insert your message here...", + "mydspace.messages.description-placeholder" : "Sem vložte svou zprávu...", - // "journalissue.page.journal-title" : "Journal Title" - "journalissue.page.journal-title" : "Název časopisu", + // "mydspace.messages.hide-msg": "Hide message", + "mydspace.messages.hide-msg" : "Skrýt zprávu", - // "journalissue.page.keyword" : "Keywords" - "journalissue.page.keyword" : "Klíčová slova", + // "mydspace.messages.mark-as-read": "Mark as read", + "mydspace.messages.mark-as-read" : "Označit jako přečtené", - // "journalissue.page.number" : "Number" - "journalissue.page.number" : "Číslo", + // "mydspace.messages.mark-as-unread": "Mark as unread", + "mydspace.messages.mark-as-unread" : "Označit jako nepřečtené", - // "journalissue.page.titleprefix" : "Journal Issue:" - "journalissue.page.titleprefix" : "Vydání časopisu:", + // "mydspace.messages.no-content": "No content.", + "mydspace.messages.no-content" : "Žádný obsah.", - // "journalvolume.listelement.badge" : "Journal Volume" - "journalvolume.listelement.badge" : "Svazek časopisu", + // "mydspace.messages.no-messages": "No messages yet.", + "mydspace.messages.no-messages" : "Zatím žádné zprávy.", - // "journalvolume.page.description" : "Description" - "journalvolume.page.description" : "Popis", + // "mydspace.messages.send-btn": "Send", + "mydspace.messages.send-btn" : "Odeslat", - // "journalvolume.page.edit" : "Edit this item" - "journalvolume.page.edit" : "Upravit tuto položku", + // "mydspace.messages.show-msg": "Show message", + "mydspace.messages.show-msg" : "Zobrazit zprávu", - // "journalvolume.page.issuedate" : "Issue Date" - "journalvolume.page.issuedate" : "Datum vydání", + // "mydspace.messages.subject-placeholder": "Subject...", + "mydspace.messages.subject-placeholder" : "Předmět...", - // "journalvolume.page.titleprefix" : "Journal Volume:" - "journalvolume.page.titleprefix" : "Svazek časopisu:", + // "mydspace.messages.submitter-help": "Select this option to send a message to controller.", + "mydspace.messages.submitter-help" : "Tuto možnost vyberte, chcete-li odeslat zprávu řídicí jednotce.", - // "journalvolume.page.volume" : "Volume" - "journalvolume.page.volume" : "Svazek", + // "mydspace.messages.title": "Messages", + "mydspace.messages.title" : "Zprávy", - // "iiifsearchable.listelement.badge" : "Document Media" - "iiifsearchable.listelement.badge" : "Média pro dokumenty", + // "mydspace.messages.to": "To", + "mydspace.messages.to" : "Pře", - // "iiifsearchable.page.titleprefix" : "Document:" - "iiifsearchable.page.titleprefix" : "Dokument:", + // "mydspace.new-submission": "New submission", + "mydspace.new-submission" : "Nový příspěvek", - // "iiifsearchable.page.doi" : "Permanent Link:" - "iiifsearchable.page.doi" : "Trvalý odkaz:", + // "mydspace.new-submission-external": "Import metadata from external source", + "mydspace.new-submission-external" : "Importovat metadata z externího zdroje", - // "iiifsearchable.page.issue" : "Issue:" - "iiifsearchable.page.issue" : "Problém:", + // "mydspace.new-submission-external-short": "Import metadata", + "mydspace.new-submission-external-short" : "Importovat metadata", - // "iiifsearchable.page.description" : "Description:" - "iiifsearchable.page.description" : "Popis:", + // "mydspace.results.head": "Your submissions", + "mydspace.results.head" : "Vaše zázmany", - // "iiifviewer.fullscreen.notice" : "Use full screen for better viewing." - "iiifviewer.fullscreen.notice" : "Pro lepší zobrazení použijte celou obrazovku.", + // "mydspace.results.no-abstract": "No Abstract", + "mydspace.results.no-abstract" : "Bez abstraktu", - // "iiif.listelement.badge" : "Image Media" - "iiif.listelement.badge" : "Image Media", + // "mydspace.results.no-authors": "No Authors", + "mydspace.results.no-authors" : "Žádní autoři", - // "iiif.page.titleprefix" : "Image:" - "iiif.page.titleprefix" : "Obrázek:", + // "mydspace.results.no-collections": "No Collections", + "mydspace.results.no-collections" : "Žádné kolekce", - // "iiif.page.doi" : "Permanent Link:" - "iiif.page.doi" : "Trvalý odkaz:", + // "mydspace.results.no-date": "No Date", + "mydspace.results.no-date" : "Bez data", - // "iiif.page.issue" : "Issue:" - "iiif.page.issue" : "Problém:", + // "mydspace.results.no-files": "No Files", + "mydspace.results.no-files" : "Žádné soubory", - // "iiif.page.description" : "Description:" - "iiif.page.description" : "Popis:", + // "mydspace.results.no-results": "There were no items to show", + "mydspace.results.no-results" : "Nebyly vystaveny žádné položky", - // "loading.bitstream" : "Loading bitstream..." - "loading.bitstream" : "Načítání bitstreamu...", + // "mydspace.results.no-title": "No title", + "mydspace.results.no-title" : "Bez názvu", - // "loading.bitstreams" : "Loading bitstreams..." - "loading.bitstreams" : "Načítání bitstreamů...", + // "mydspace.results.no-uri": "No Uri", + "mydspace.results.no-uri" : "Ne Uri", - // "loading.browse-by" : "Loading items..." - "loading.browse-by" : "Načítají se záznamy...", + // "mydspace.search-form.placeholder": "Search in mydspace...", + "mydspace.search-form.placeholder" : "Hledat v MyDspace...", - // "loading.browse-by-page" : "Loading page..." - "loading.browse-by-page" : "Načítání stránky...", + // "mydspace.show.workflow": "Workflow tasks", + "mydspace.show.workflow" : "Úlohy pracovních postupů", - // "loading.collection" : "Loading collection..." - "loading.collection" : "Načítá se kolekce...", + // "mydspace.show.workspace": "Your Submissions", + "mydspace.show.workspace" : "Vaše záznamy", - // "loading.collections" : "Loading collections..." - "loading.collections" : "Načítání kolekcí...", + // "mydspace.show.supervisedWorkspace": "Supervised items", + "mydspace.show.supervisedWorkspace" : "Kontrolované položky", - // "loading.content-source" : "Loading content source..." - "loading.content-source" : "Načítání zdroje obsahu...", + // "mydspace.status.archived": "Archived", + "mydspace.status.archived" : "Archivováno", - // "loading.community" : "Loading community..." - "loading.community" : "Načítá se komunita...", + // "mydspace.status.validation": "Validation", + "mydspace.status.validation" : "Ověřování", - // "loading.default" : "Loading..." - "loading.default" : "Načítá se...", + // "mydspace.status.waiting-for-controller": "Waiting for controller", + "mydspace.status.waiting-for-controller" : "Čekání na ovládání", - // "loading.item" : "Loading item..." - "loading.item" : "Načítá se záznam...", + // "mydspace.status.workflow": "Workflow", + "mydspace.status.workflow" : "Pracovní postupy", - // "loading.items" : "Loading items..." - "loading.items" : "Načítání položek...", + // "mydspace.status.workspace": "Workspace", + "mydspace.status.workspace" : "Pracovní prostor", - // "loading.mydspace-results" : "Loading items..." - "loading.mydspace-results" : "Načítání položek...", + // "mydspace.title": "MyDSpace", + "mydspace.title" : "MyDSpace", - // "loading.objects" : "Loading..." - "loading.objects" : "Načítá se...", + // "mydspace.upload.upload-failed": "Error creating new workspace. Please verify the content uploaded before retry.", + "mydspace.upload.upload-failed" : "Při vytváření nového pracovního prostoru došlo k chybě. Před opakováním pokusu ověřte odeslaný obsah.", - // "loading.recent-submissions" : "Loading recent submissions..." - "loading.recent-submissions" : "Načítají se poslední příspěvky...", + // "mydspace.upload.upload-failed-manyentries": "Unprocessable file. Detected too many entries but allowed only one for file.", + "mydspace.upload.upload-failed-manyentries" : "Soubor, který nelze zpracovat. Bylo zjištěno příliš mnoho záznamů, ale pro soubor byl povolen pouze jeden.", - // "loading.search-results" : "Loading search results..." - "loading.search-results" : "Načítají se výsledky hledání...", + // "mydspace.upload.upload-failed-moreonefile": "Unprocessable request. Only one file is allowed.", + "mydspace.upload.upload-failed-moreonefile" : "Nezpracovatelný požadavek. Je povolen pouze jeden soubor.", - // "loading.sub-collections" : "Loading sub-collections..." - "loading.sub-collections" : "Načítají se subkolekce...", + // "mydspace.upload.upload-multiple-successful": "{{qty}} new workspace items created.", + "mydspace.upload.upload-multiple-successful" : "{{qty}} vytvořeny nové položky pracovního prostoru.", - // "loading.sub-communities" : "Loading sub-communities..." - "loading.sub-communities" : "Načítání subkomunit...", + // "mydspace.view-btn": "View", + "mydspace.view-btn" : "Zobrazit", - // "loading.top-level-communities" : "Loading top-level communities..." - "loading.top-level-communities" : "Načítají se komunity nejvyšší úrovně...", - // "login.form.email" : "Email address" - "login.form.email" : "E-mailová adresa", - // "login.form.forgot-password" : "Have you forgotten your password?" - "login.form.forgot-password" : "Zapomněli jste své heslo?", + // "nav.browse.header": "All of DSpace", + "nav.browse.header" : "Celý DSpace", - // "login.form.header" : "Please log in to DSpace" - "login.form.header" : "Prosím, přihlaste se do DSpace", + // "nav.community-browse.header": "By Community", + "nav.community-browse.header" : "Podle komunity", - // "login.form.new-user" : "New user? Click here to register." - "login.form.new-user" : "Zaregistrujte se kliknutím sem.", + // "nav.context-help-toggle": "Toggle context help", + "nav.context-help-toggle" : "Přepnout kontextovou nápovědu", - // "login.form.or-divider" : "or" - "login.form.or-divider" : "nebo", + // "nav.language": "Language switch", + "nav.language" : "Přepínání jazyků", - // "login.form.oidc" : "Log in with OIDC" - "login.form.oidc" : "Přihlaste se pomocí OIDC", + // "nav.login": "Log In", + "nav.login" : "Přihlásit se", - // "login.form.password" : "Password" - "login.form.password" : "Heslo", + // "nav.user-profile-menu-and-logout": "User profile menu and Log Out", + "nav.user-profile-menu-and-logout" : "Menu uživatelského profilu a Odhlásit se", - // "login.form.shibboleth" : "Log in with Shibboleth" - "login.form.shibboleth" : "Přihlaste se pomocí Shibboleth", + // "nav.logout": "Log Out", + "nav.logout" : "Odhlásit se", - // "login.form.submit" : "Log in" - "login.form.submit" : "Přihlásit se", + // "nav.main.description": "Main navigation bar", + "nav.main.description" : "Hlavní navigační panel", - // "login.title" : "Login" - "login.title" : "Přihlásit se", + // "nav.mydspace": "MyDSpace", + "nav.mydspace" : "MyDSpace", - // "login.breadcrumbs" : "Login" - "login.breadcrumbs" : "Přihlásit se", + // "nav.profile": "Profile", + "nav.profile" : "Profil", - // "logout.form.header" : "Log out from DSpace" - "logout.form.header" : "Odhlásit se z DSpace", + // "nav.search": "Search", + "nav.search" : "Hledat", - // "logout.form.submit" : "Log out" - "logout.form.submit" : "Odhlásit se", + // "nav.statistics.header": "Statistics", + "nav.statistics.header" : "Statistiky", - // "logout.title" : "Logout" - "logout.title" : "Odhlásit se", + // "nav.stop-impersonating": "Stop impersonating EPerson", + "nav.stop-impersonating" : "Přestat vystupovat jako EPerson", - // "clarin.help-desk.name" : "Help Desk" - "clarin.help-desk.name" : "Help Desk", + // "nav.subscriptions" : "Subscriptions", + "nav.subscriptions" : "Odběry", - // "clarin.auth-failed.error.message" : "Authentication Failed" - "clarin.auth-failed.error.message" : "Ověření selhalo", + // "nav.toggle" : "Toggle navigation", + "nav.toggle" : "Přepnout navigaci", - // "clarin.auth-failed.warning.reason.message" : "Reason!" - "clarin.auth-failed.warning.reason.message" : "Důvod!", + // "nav.user.description" : "User profile bar", + "nav.user.description" : "Uživatelský profil", - // "clarin.auth-failed.warning.important.message" : "Important!" - "clarin.auth-failed.warning.important.message" : "Důležité!", + // "none.listelement.badge": "Item", + "none.listelement.badge" : "Položka", - // "clarin.auth-failed.warning.no-email.message" : ['Your IDP (home organization) has not provided your email address. Please fill and verify your email in order to submit new items to the repository, to download restricted items and optionally to subscribe to advanced statistics and/or collection updates.', 'If you have any question contact the ', 'Help Desk.'] - "clarin.auth-failed.warning.no-email.message" : ['Váš IDP (domovská organizace) nám neposkytl vaši emailovou adresu. Pokud chcete přidávat záznamy do repozitáře, stahovat veřejně nedostupné záznamy, případně se přihlásit k zásílání statistik a novinek, vyplňte a ověřte váš email.', 'V případě jakýchkoli dotazů se můžete obrátit na naši', 'poradnu'], - // "clarin.auth-failed.warning.email-info" : "This address will be verified and remembered until your IDP provides a different one. You will still sign in through your IDP." - "clarin.auth-failed.warning.email-info" : "Tato adresa bude ověřena a zapamatována, dokud IDP nezadá jinou adresu. Stále se budete přihlašovat prostřednictvím svého IDP.", + // "orgunit.listelement.badge": "Organizational Unit", + "orgunit.listelement.badge" : "Organizační jednotka", - // "clarin.auth-failed.warning.has-email.message" : ['Your IDP (home organization) has not provided your email address.', 'You are registered by the e-mail: ', '. Try to login with that e-mail.', ' If you have any login issues contact the ', 'Help Desk.'] - "clarin.auth-failed.warning.has-email.message" : ['Váš IDP (domovská organizace) nám neposkytl vaši emailovou adresu.', 'Jste registrován/a pomocí e-mailu: ', '. Zkuste se přihlásit s tímto e-mailem', ' V případě jakýchkoli dotazů se můžete obrátit na naši ', 'poradnu'], + // "orgunit.listelement.no-title": "Untitled", + "orgunit.listelement.no-title" : "Bez názvu", - // "clarin.auth-failed.netid" : "netid" - "clarin.auth-failed.netid" : "NetID", + // "orgunit.page.city": "City", + "orgunit.page.city" : "Město", - // "clarin.auth-failed.fname" : "First Name" - "clarin.auth-failed.fname" : "Křestní jméno", + // "orgunit.page.country": "Country", + "orgunit.page.country" : "Krajina", - // "clarin.auth-failed.lname" : "Last Name" - "clarin.auth-failed.lname" : "Příjmení", + // "orgunit.page.dateestablished": "Date established", + "orgunit.page.dateestablished" : "Datum vytvoření", - // "clarin.auth-failed.email" : "Email" - "clarin.auth-failed.email" : "E-mail", + // "orgunit.page.description": "Description", + "orgunit.page.description" : "Popis", - // "clarin.auth-failed.button.submit" : "Submit" - "clarin.auth-failed.button.submit" : "Odeslat", + // "orgunit.page.edit": "Edit this item", + "orgunit.page.edit" : "Upravit tuto položku", - // "clarin.auth-failed.button.login" : "Redirect to login" - "clarin.auth-failed.button.login" : "Přesměrování na přihlášení", + // "orgunit.page.id": "ID", + "orgunit.page.id" : "ID", - // "clarin.auth-failed.send-email.successful.message" : "Verification email was sent successfully" - "clarin.auth-failed.send-email.successful.message" : "Ověřovací e-mail byl úspěšně odeslán", + // "orgunit.page.titleprefix": "Organizational Unit: ", + "orgunit.page.titleprefix": "Organizační jednotka:", - // "clarin.auth-failed.send-email.error.message" : "Error: cannot sent verification email." - "clarin.auth-failed.send-email.error.message" : "Chyba: Nelze odeslat ověřovací e-mail.", - // "clarin.missing-headers.error.message" : "Your IDP (home organization) has not provided required headers, we cannot allow you to login to our repository without required information." - "clarin.missing-headers.error.message" : "Vaše IDP (domovská organizace) neposkytla požadované hlavičky. Bez požadovaných informací vám nemůžeme umožnit přihlášení do našeho úložiště.", - // "clarin.missing-headers.contact-us.message" : "If you have any questions you can contact the" - "clarin.missing-headers.contact-us.message" : "V případě jakýchkoli dotazů se můžete obrátit na", + // "pagination.options.description": "Pagination options", + "pagination.options.description" : "Možnosti stránkování", - // "clarin.autoregistration.successful.message" : "You have been successfully registered." - "clarin.autoregistration.successful.message" : "Byli jste úspěšně zaregistrováni.", + // "pagination.results-per-page": "Results Per Page", + "pagination.results-per-page" : "Výsledků na stránku", - // "clarin.autoregistration.error.message" : "Error: registration failed." - "clarin.autoregistration.error.message" : "Chyba: registrace se nezdařila.", + // "pagination.showing.detail": "{{ range }} of {{ total }}", + "pagination.showing.detail" : "{{ range }} z {{ total }}", - // "clarin.autoregistration.welcome.message" : "Welcome to" - "clarin.autoregistration.welcome.message" : "Vítejte v", + // "pagination.showing.label": "Now showing ", + "pagination.showing.label" : "Zobrazují se záznamy", - // "clarin.autoregistration.privacy.statement" : "Privacy statement" - "clarin.autoregistration.privacy.statement" : "Prohlášení o ochraně osobních údajů", + // "pagination.sort-direction": "Sort Options", + "pagination.sort-direction" : "Seřazení", - // "clarin.autoregistration.information.released.by.idp.message" : "The information released by your IdP (home organisation) is shown below." - "clarin.autoregistration.information.released.by.idp.message" : "Informace zveřejněné vaším IDP (domovskou organizací) jsou uvedeny níže.", - // "clarin.autoregistration.table.header" : "Header" - "clarin.autoregistration.table.header" : "Hlavička", - // "clarin.autoregistration.table.value" : "Value" - "clarin.autoregistration.table.value" : "Hodnota", + // "person.listelement.badge": "Person", + "person.listelement.badge" : "Osoba", - // "clarin.autoregistration.repository.policy.message" : ['We use only the required attributes as stated in', 'However we may log the attributes and keep them for a time period.'] - "clarin.autoregistration.repository.policy.message" : ['Používáme pouze povinné attributy tak jak jsou zmíněny v', 'Atributy jsou nějaký čas uchovány v záznamech.'], + // "person.listelement.no-title": "No name found", + "person.listelement.no-title" : "Nebylo nalezeno žádné jméno", - // "clarin.autoregistration.button.continue.to.login" : "Continue to login" - "clarin.autoregistration.button.continue.to.login" : "Pokračovat v přihlašování", + // "person.page.birthdate": "Birth Date", + "person.page.birthdate" : "Datum narození", - // "clarin.autoregistration.token.not.valid.message" : "Verification token is not valid." - "clarin.autoregistration.token.not.valid.message" : "Ověřovací token není platný.", + // "person.page.edit": "Edit this item", + "person.page.edit" : "Upravit tuto položku", - // "menu.header.admin" : "Management" - "menu.header.admin" : "Admin", + // "person.page.email": "Email Address", + "person.page.email" : "E-mailová adresa", - // "menu.header.image.logo" : "Repository logo" - "menu.header.image.logo" : "Logo úložiště", + // "person.page.firstname": "First Name", + "person.page.firstname" : "Jméno", - // "menu.header.admin.description" : "Management menu" - "menu.header.admin.description" : "Menu managementu", + // "person.page.jobtitle": "Job Title", + "person.page.jobtitle" : "Pracovní pozice", - // "menu.section.access_control" : "Access Control" - "menu.section.access_control" : "Řízení přístupu", + // "person.page.lastname": "Last Name", + "person.page.lastname" : "Příjmení", - // "menu.section.access_control_authorizations" : "Authorizations" - "menu.section.access_control_authorizations" : "Oprávnění", + // "person.page.name": "Name", + "person.page.name" : "Jméno", - // "menu.section.access_control_groups" : "Groups" - "menu.section.access_control_groups" : "Skupiny", + // "person.page.link.full": "Show all metadata", + "person.page.link.full" : "Zobrazit všechna metadata", - // "menu.section.access_control_people" : "People" - "menu.section.access_control_people" : "Lidé", + // "person.page.orcid": "ORCID", + "person.page.orcid" : "ORCID", - // "menu.section.admin_search" : "Admin Search" - "menu.section.admin_search" : "Vyhledávání správce", + // "person.page.staffid": "Staff ID", + "person.page.staffid" : "ID zaměstnance", - // "menu.section.browse_community" : "This Community" - "menu.section.browse_community" : "Tato komunita", + // "person.page.titleprefix": "Person: ", + "person.page.titleprefix": "Osoba:", - // "menu.section.browse_community_by_author" : "By Author" - "menu.section.browse_community_by_author" : "Podle autora", + // "person.search.results.head": "Person Search Results", + "person.search.results.head" : "Výsledky vyhledávání osob", - // "menu.section.browse_community_by_issue_date" : "By Issue Date" - "menu.section.browse_community_by_issue_date" : "Podle data přidání", + // "person-relationships.search.results.head": "Person Search Results", + "person-relationships.search.results.head" : "Výsledky vyhledávání osob", - // "menu.section.browse_community_by_title" : "By Title" - "menu.section.browse_community_by_title" : "Podle názvu", + // "person.search.title": "Person Search", + "person.search.title" : "Vyhledávání osob", - // "menu.section.browse_global" : "All of DSpace" - "menu.section.browse_global" : "Vše v DSpace", - // "menu.section.browse_global_by_author" : "By Author" - "menu.section.browse_global_by_author" : "Podle autora", - // "menu.section.browse_global_by_dateissued" : "By Issue Date" - "menu.section.browse_global_by_dateissued" : "Podle data přidání", + // "process.new.select-parameters": "Parameters", + "process.new.select-parameters" : "Parametry", - // "menu.section.browse_global_by_subject" : "By Subject" - "menu.section.browse_global_by_subject" : "Podle předmětu", + // "process.new.cancel": "Cancel", + "process.new.cancel" : "Zrušit", - // "menu.section.browse_global_by_title" : "By Title" - "menu.section.browse_global_by_title" : "Podle názvu", + // "process.new.submit": "Save", + "process.new.submit" : "Uložit", - // "menu.section.browse_global_communities_and_collections" : "Communities & Collections" - "menu.section.browse_global_communities_and_collections" : "Komunity & Kolekce", + // "process.new.select-script": "Script", + "process.new.select-script" : "Skript", - // "menu.section.control_panel" : "Control Panel" - "menu.section.control_panel" : "Ovládací panel", + // "process.new.select-script.placeholder": "Choose a script...", + "process.new.select-script.placeholder" : "Vyberte si skript...", - // "menu.section.curation_task" : "Curation Task" - "menu.section.curation_task" : "Kurátorský úkol", + // "process.new.select-script.required": "Script is required", + "process.new.select-script.required" : "Je vyžadován skript", - // "menu.section.edit" : "Edit" - "menu.section.edit" : "Upravit", + // "process.new.parameter.file.upload-button": "Select file...", + "process.new.parameter.file.upload-button" : "Vyberte soubor...", - // "menu.section.edit_collection" : "Collection" - "menu.section.edit_collection" : "Kolekce", + // "process.new.parameter.file.required": "Please select a file", + "process.new.parameter.file.required" : "Vyberte prosím soubor", - // "menu.section.edit_community" : "Community" - "menu.section.edit_community" : "Komunita", + // "process.new.parameter.string.required": "Parameter value is required", + "process.new.parameter.string.required" : "Je vyžadována hodnota parametru", - // "menu.section.edit_item" : "Item" - "menu.section.edit_item" : "Položka", + // "process.new.parameter.type.value": "value", + "process.new.parameter.type.value" : "hodnota", - // "menu.section.export" : "Export" - "menu.section.export" : "Exportovat", + // "process.new.parameter.type.file": "file", + "process.new.parameter.type.file" : "soubor", - // "menu.section.export_collection" : "Collection" - "menu.section.export_collection" : "Kolekce", + // "process.new.parameter.required.missing": "The following parameters are required but still missing:", + "process.new.parameter.required.missing": "Následující parametry jsou požadovány, ale stále chybí:", - // "menu.section.export_community" : "Community" - "menu.section.export_community" : "Komunita", + // "process.new.notification.success.title": "Success", + "process.new.notification.success.title" : "Úspěch", - // "menu.section.export_item" : "Item" - "menu.section.export_item" : "Položka", + // "process.new.notification.success.content": "The process was successfully created", + "process.new.notification.success.content" : "Proces byl úspěšně vytvořen", - // "menu.section.export_metadata" : "Metadata" - "menu.section.export_metadata" : "Metadata", + // "process.new.notification.error.title": "Error", + "process.new.notification.error.title" : "Chyba", - // "menu.section.icon.access_control" : "Access Control menu section" - "menu.section.icon.access_control" : "Menu sekce Řízení přístupu", + // "process.new.notification.error.content": "An error occurred while creating this process", + "process.new.notification.error.content" : "Při vytváření tohoto procesu došlo k chybě", - // "menu.section.icon.admin_search" : "Admin search menu section" - "menu.section.icon.admin_search" : "Menu sekce Vyhledávání správce", + // "process.new.header": "Create a new process", + "process.new.header" : "Vytvořit nový proces", - // "menu.section.icon.control_panel" : "Control Panel menu section" - "menu.section.icon.control_panel" : "Menu sekce Ovládací panel", + // "process.new.title": "Create a new process", + "process.new.title" : "Vytvořit nový proces", - // "menu.section.icon.curation_tasks" : "Curation Task menu section" - "menu.section.icon.curation_tasks" : "Menu sekce Kurátorská úloha", + // "process.new.breadcrumbs": "Create a new process", + "process.new.breadcrumbs" : "Vytvořit nový proces", - // "menu.section.icon.edit" : "Edit menu section" - "menu.section.icon.edit" : "Upravit menu sekci", - // "menu.section.icon.export" : "Export menu section" - "menu.section.icon.export" : "Exportovat menu sekci", - // "menu.section.icon.find" : "Find menu section" - "menu.section.icon.find" : "Najít menu sekci", + // "process.detail.arguments" : "Arguments", + "process.detail.arguments" : "Argumenty", - // "menu.section.icon.import" : "Import menu section" - "menu.section.icon.import" : "Importovat menu sekci", + // "process.detail.arguments.empty" : "This process doesn't contain any arguments", + "process.detail.arguments.empty" : "Tento proces neobsahuje žádné argumenty.", - // "menu.section.icon.new" : "New menu section" - "menu.section.icon.new" : "Nová menu sekce", + // "process.detail.back" : "Back", + "process.detail.back" : "Zpět", - // "menu.section.icon.pin" : "Pin sidebar" - "menu.section.icon.pin" : "Postranní panel s kolíky", + // "process.detail.output" : "Process Output", + "process.detail.output" : "Výstup z procesu.", - // "menu.section.icon.processes" : "Processes Health" - "menu.section.icon.processes" : "Menu sekce Procesy", + // "process.detail.logs.button": "Retrieve process output", + "process.detail.logs.button" : "Získání výstupu procesu", - // "menu.section.icon.registries" : "Registries menu section" - "menu.section.icon.registries" : "Menu sekce Registry", + // "process.detail.logs.loading": "Retrieving", + "process.detail.logs.loading" : "Získávání", - // "menu.section.icon.statistics_task" : "Statistics Task menu section" - "menu.section.icon.statistics_task" : "Menu sekce Statistická úloha", + // "process.detail.logs.none": "This process has no output", + "process.detail.logs.none" : "Tento proces nemá žádný výstup", - // "menu.section.icon.statistics" : "Show site statistics" - "menu.section.icon.statistics" : "Zobrazit statistiky stránky", + // "process.detail.output-files" : "Output Files", + "process.detail.output-files" : "Výstupní soubory.", - // "menu.section.icon.submissions" : "Show my submissions" - "menu.section.icon.submissions" : "Zobrazit moje záznamy", + // "process.detail.output-files.empty" : "This process doesn't contain any output files", + "process.detail.output-files.empty" : "Tento proces neobsahuje žádné výstupní soubory.", - // "menu.section.icon.workflow" : "Administer workflow menu section" - "menu.section.icon.workflow" : "Menu sekce Správa pracovního postupu", + // "process.detail.script" : "Script", + "process.detail.script" : "Skript", - // "menu.section.icon.unpin" : "Unpin sidebar" - "menu.section.icon.unpin" : "Zrušení připnutí postranního panelu", + // "process.detail.title" : "Process: {{ id }} - {{ name }}", + "process.detail.title" : "Proces: {{ id }} - {{ name }}", - // "menu.section.import" : "Import" - "menu.section.import" : "Importovat", + // "process.detail.start-time" : "Start time", + "process.detail.start-time" : "Čas začátku", - // "menu.section.import_batch" : "Batch Import (ZIP)" - "menu.section.import_batch" : "Dávkový import (ZIP)", + // "process.detail.end-time" : "Finish time", + "process.detail.end-time" : "Čas ukončení", - // "menu.section.import_metadata" : "Metadata" - "menu.section.import_metadata" : "Metadata", + // "process.detail.status" : "Status", + "process.detail.status" : "Stav", - // "menu.section.new" : "New" - "menu.section.new" : "Nový", + // "process.detail.create" : "Create similar process", + "process.detail.create" : "Vytvořit podobný proces.", - // "menu.section.new_collection" : "Collection" - "menu.section.new_collection" : "Kolekce", + // "process.detail.actions": "Actions", + "process.detail.actions" : "Akce", - // "menu.section.new_community" : "Community" - "menu.section.new_community" : "Komunita", + // "process.detail.delete.button": "Delete process", + "process.detail.delete.button" : "Smazat proces", - // "menu.section.new_item" : "Item" - "menu.section.new_item" : "Položka", + // "process.detail.delete.header": "Delete process", + "process.detail.delete.header" : "Smazat proces", - // "menu.section.new_item_version" : "Item Version" - "menu.section.new_item_version" : "Verze položky", + // "process.detail.delete.body": "Are you sure you want to delete the current process?", + "process.detail.delete.body" : "Opravdu chcete smazat aktuální proces?", - // "menu.section.new_process" : "Process" - "menu.section.new_process" : "Proces", + // "process.detail.delete.cancel": "Cancel", + "process.detail.delete.cancel" : "Zrušit", - // "menu.section.pin" : "Pin sidebar" - "menu.section.pin" : "Postranní panel s kolíky", + // "process.detail.delete.confirm": "Delete process", + "process.detail.delete.confirm" : "Smazat proces", - // "menu.section.unpin" : "Unpin sidebar" - "menu.section.unpin" : "Zrušit připnutí postranního panelu", + // "process.detail.delete.success": "The process was successfully deleted.", + "process.detail.delete.success" : "Proces byl úspěšně odstraněn.", - // "menu.section.processes" : "Processes" - "menu.section.processes" : "Procesy", + // "process.detail.delete.error": "Something went wrong when deleting the process", + "process.detail.delete.error" : "Při odstraňování procesu se něco pokazilo", - // "menu.section.registries" : "Registries" - "menu.section.registries" : "Registry", - // "menu.section.registries_format" : "Format" - "menu.section.registries_format" : "Formát", - // "menu.section.registries_metadata" : "Metadata" - "menu.section.registries_metadata" : "Metadata", + // "process.overview.table.finish" : "Finish time (UTC)", + "process.overview.table.finish" : "Čas ukončení (UTC)", - // "menu.section.statistics" : "Statistics" - "menu.section.statistics" : "Statistiky", + // "process.overview.table.id" : "Process ID", + "process.overview.table.id" : "Proces ID", - // "menu.section.statistics_task" : "Statistics Task" - "menu.section.statistics_task" : "Úkol statistiky", + // "process.overview.table.name" : "Name", + "process.overview.table.name" : "Název", - // "menu.section.submissions" : "Submissions" - "menu.section.submissions" : "Příspěvky", + // "process.overview.table.start" : "Start time (UTC)", + "process.overview.table.start" : "Čas začátku (UTC)", - // "menu.section.toggle.access_control" : "Toggle Access Control section" - "menu.section.toggle.access_control" : "Přepnout sekci Rízení přístupu", + // "process.overview.table.status" : "Status", + "process.overview.table.status" : "Stav", - // "menu.section.toggle.control_panel" : "Toggle Control Panel section" - "menu.section.toggle.control_panel" : "Přepnout sekci Ovládací panel", + // "process.overview.table.user" : "User", + "process.overview.table.user" : "Uživatel", - // "menu.section.toggle.curation_task" : "Toggle Curation Task section" - "menu.section.toggle.curation_task" : "Přepnout sekci Kurátorský úkol", + // "process.overview.title": "Processes Overview", + "process.overview.title" : "Přehled procesů", - // "menu.section.toggle.edit" : "Toggle Edit section" - "menu.section.toggle.edit" : "Přepnout sekci Upravit", + // "process.overview.breadcrumbs": "Processes Overview", + "process.overview.breadcrumbs" : "Přehled procesů", - // "menu.section.toggle.export" : "Toggle Export section" - "menu.section.toggle.export" : "Přepnout sekci Export", + // "process.overview.new": "New", + "process.overview.new" : "Nový", - // "menu.section.toggle.find" : "Toggle Find section" - "menu.section.toggle.find" : "Přepnout sekci Najít", + // "process.overview.table.actions": "Actions", + "process.overview.table.actions" : "Akce", - // "menu.section.toggle.import" : "Toggle Import section" - "menu.section.toggle.import" : "Přepnout sekci Import", + // "process.overview.delete": "Delete {{count}} processes", + "process.overview.delete" : "Odstranění procesů {{count}}", - // "menu.section.toggle.new" : "Toggle New section" - "menu.section.toggle.new" : "Přepnout Novou sekci", + // "process.overview.delete.clear": "Clear delete selection", + "process.overview.delete.clear" : "Vymazat výběr mazání", - // "menu.section.toggle.registries" : "Toggle Registries section" - "menu.section.toggle.registries" : "Přepnout sekci Registrů", + // "process.overview.delete.processing": "{{count}} process(es) are being deleted. Please wait for the deletion to fully complete. Note that this can take a while.", + "process.overview.delete.processing" : "{{count}} proces(y) je (sou) mazán(y). Počkejte prosím na úplné dokončení mazání. Upozorňujeme, že to může chvíli trvat.", - // "menu.section.toggle.statistics_task" : "Toggle Statistics Task section" - "menu.section.toggle.statistics_task" : "Přepnout sekci Úkol statistiky", + // "process.overview.delete.body": "Are you sure you want to delete {{count}} process(es)?", + "process.overview.delete.body" : "Opravdu chcete smazat procesy {{count}} ?", - // "menu.section.workflow" : "Administer Workflow" - "menu.section.workflow" : "Správa pracovních postupů", + // "process.overview.delete.header": "Delete processes", + "process.overview.delete.header" : "Smazat procesy", - // "menu.section.handle" : "Manage Handles" - "menu.section.handle" : "Správa Handles", + // "process.bulk.delete.error.head": "Error on deleteing process", + "process.bulk.delete.error.head" : "Chyba při mazání procesu", - // "menu.section.licenses" : "License Administration" - "menu.section.licenses" : "Správa licencí", + // "process.bulk.delete.error.body": "The process with ID {{processId}} could not be deleted. The remaining processes will continue being deleted. ", + "process.bulk.delete.error.body" : "Proces s ID {{processId}} se nepodařilo odstranit. Zbývající procesy budou nadále mazány.", - // "autocomplete.suggestion.sponsor.funding-code" : "Funding code" - "autocomplete.suggestion.sponsor.funding-code" : "Kód financování", + // "process.bulk.delete.success": "{{count}} process(es) have been succesfully deleted", + "process.bulk.delete.success" : "{{count}} proces(y) byl(y) úspěšně smazán(y)", - // "autocomplete.suggestion.sponsor.project-name" : "Project name" - "autocomplete.suggestion.sponsor.project-name" : "Název projektu", - // "autocomplete.suggestion.sponsor.empty" : "N/A" - "autocomplete.suggestion.sponsor.empty" : "nepoužitelné", - // "autocomplete.suggestion.sponsor.eu" : "EU" - "autocomplete.suggestion.sponsor.eu" : "EU", + // "profile.breadcrumbs": "Update Profile", + "profile.breadcrumbs" : "Aktualizovat profil", - // "mydspace.breadcrumbs" : "MyDSpace" - "mydspace.breadcrumbs" : "MyDSpace", + // "profile.card.identify": "Identify", + "profile.card.identify" : "Identifikovat", - // "mydspace.description" : "" - "mydspace.description" : "", + // "profile.card.security": "Security", + "profile.card.security" : "Zabezpečení", - // "mydspace.general.text-here" : "here" - "mydspace.general.text-here" : "zde", + // "profile.form.submit": "Save", + "profile.form.submit" : "Uložit", - // "mydspace.messages.controller-help" : "Select this option to send a message to item's submitter." - "mydspace.messages.controller-help" : "Tuto možnost vyberte, chcete-li odeslat zprávu odesílateli položky.", + // "profile.groups.head": "Authorization groups you belong to", + "profile.groups.head" : "Autorizační skupiny, do kterých patříte", - // "mydspace.messages.description-placeholder" : "Insert your message here..." - "mydspace.messages.description-placeholder" : "Sem vložte svou zprávu...", + // "profile.special.groups.head": "Authorization special groups you belong to", + "profile.special.groups.head" : "Autorizace speciálních skupin, do kterých patříte", - // "mydspace.messages.hide-msg" : "Hide message" - "mydspace.messages.hide-msg" : "Skrýt zprávu", + // "profile.head": "Update Profile", + "profile.head" : "Aktualizovat profil", - // "mydspace.messages.mark-as-read" : "Mark as read" - "mydspace.messages.mark-as-read" : "Označit jako přečtené", + // "profile.metadata.form.error.firstname.required": "First Name is required", + "profile.metadata.form.error.firstname.required" : "Křestní jméno je povinné", - // "mydspace.messages.mark-as-unread" : "Mark as unread" - "mydspace.messages.mark-as-unread" : "Označit jako nepřečtené", + // "profile.metadata.form.error.lastname.required": "Last Name is required", + "profile.metadata.form.error.lastname.required" : "Příjmení je povinné", - // "mydspace.messages.no-content" : "No content." - "mydspace.messages.no-content" : "Žádný obsah.", + // "profile.metadata.form.label.email": "Email Address", + "profile.metadata.form.label.email" : "E-mailová adresa", - // "mydspace.messages.no-messages" : "No messages yet." - "mydspace.messages.no-messages" : "Zatím žádné zprávy.", + // "profile.metadata.form.label.firstname": "First Name", + "profile.metadata.form.label.firstname" : "Křestní jméno", - // "mydspace.messages.send-btn" : "Send" - "mydspace.messages.send-btn" : "Odeslat", + // "profile.metadata.form.label.language": "Language", + "profile.metadata.form.label.language" : "Jazyk", - // "mydspace.messages.show-msg" : "Show message" - "mydspace.messages.show-msg" : "Zobrazit zprávu", + // "profile.metadata.form.label.lastname": "Last Name", + "profile.metadata.form.label.lastname" : "Příjmení", - // "mydspace.messages.subject-placeholder" : "Subject..." - "mydspace.messages.subject-placeholder" : "Předmět...", + // "profile.metadata.form.label.phone": "Contact Telephone", + "profile.metadata.form.label.phone" : "Kontaktní telefon", - // "mydspace.messages.submitter-help" : "Select this option to send a message to controller." - "mydspace.messages.submitter-help" : "Tuto možnost vyberte, chcete-li odeslat zprávu řídicí jednotce.", + // "profile.metadata.form.notifications.success.content": "Your changes to the profile were saved.", + "profile.metadata.form.notifications.success.content" : "Vaše změny v profilu byly uloženy.", - // "mydspace.messages.title" : "Messages" - "mydspace.messages.title" : "Zprávy", + // "profile.metadata.form.notifications.success.title": "Profile saved", + "profile.metadata.form.notifications.success.title" : "Profil uložen", - // "mydspace.messages.to" : "To" - "mydspace.messages.to" : "Pře", + // "profile.notifications.warning.no-changes.content": "No changes were made to the Profile.", + "profile.notifications.warning.no-changes.content" : "V profilu nebyly provedeny žádné změny.", - // "mydspace.new-submission" : "New submission" - "mydspace.new-submission" : "Nový příspěvek", + // "profile.notifications.warning.no-changes.title": "No changes", + "profile.notifications.warning.no-changes.title" : "Žádné změny", - // "mydspace.new-submission-external" : "Import metadata from external source" - "mydspace.new-submission-external" : "Importovat metadata z externího zdroje", + // "profile.security.form.error.matching-passwords": "The passwords do not match.", + "profile.security.form.error.matching-passwords" : "Hesla se neshodují.", - // "mydspace.new-submission-external-short" : "Import metadata" - "mydspace.new-submission-external-short" : "Importovat metadata", + // "profile.security.form.info": "Optionally, you can enter a new password in the box below, and confirm it by typing it again into the second box.", + "profile.security.form.info" : "Volitelně můžete zadat nové heslo do políčka níže a potvrdit ho opětovným zadáním do druhého políčka. Mělo by mít alespoň šest znaků.", - // "mydspace.results.head" : "Your submissions" - "mydspace.results.head" : "Vaše zázmany", + // "profile.security.form.label.password": "Password", + "profile.security.form.label.password" : "Heslo", - // "mydspace.results.no-abstract" : "No Abstract" - "mydspace.results.no-abstract" : "Bez abstraktu", + // "profile.security.form.label.passwordrepeat": "Retype to confirm", + "profile.security.form.label.passwordrepeat" : "Zopakujte pro potvrzení", - // "mydspace.results.no-authors" : "No Authors" - "mydspace.results.no-authors" : "Žádní autoři", + // "profile.security.form.label.current-password": "Current password", + "profile.security.form.label.current-password" : "Aktuální heslo", - // "mydspace.results.no-collections" : "No Collections" - "mydspace.results.no-collections" : "Žádné kolekce", + // "profile.security.form.notifications.success.content": "Your changes to the password were saved.", + "profile.security.form.notifications.success.content" : "Vaše změny hesla byly uloženy.", - // "mydspace.results.no-date" : "No Date" - "mydspace.results.no-date" : "Bez data", + // "profile.security.form.notifications.success.title": "Password saved", + "profile.security.form.notifications.success.title" : "Heslo uloženo", - // "mydspace.results.no-files" : "No Files" - "mydspace.results.no-files" : "Žádné soubory", + // "profile.security.form.notifications.error.title": "Error changing passwords", + "profile.security.form.notifications.error.title" : "Chyba při změně hesla", - // "mydspace.results.no-results" : "There were no items to show" - "mydspace.results.no-results" : "Nebyly vystaveny žádné položky", + // "profile.security.form.notifications.error.change-failed": "An error occurred while trying to change the password. Please check if the current password is correct.", + "profile.security.form.notifications.error.change-failed" : "Při pokusu o změnu hesla došlo k chybě. Zkontrolujte, zda je aktuální heslo správné.", - // "mydspace.results.no-title" : "No title" - "mydspace.results.no-title" : "Bez názvu", + // "profile.security.form.notifications.error.not-same": "The provided passwords are not the same.", + "profile.security.form.notifications.error.not-same" : "Zadaná hesla nejsou stejná.", - // "mydspace.results.no-uri" : "No Uri" - "mydspace.results.no-uri" : "Ne Uri", + // "profile.security.form.notifications.error.general": "Please fill required fields of security form.", + "profile.security.form.notifications.error.general" : "Vyplňte prosím povinná pole bezpečnostního formuláře.", - // "mydspace.search-form.placeholder" : "Search in mydspace..." - "mydspace.search-form.placeholder" : "Hledat v MyDspace...", + // "profile.title": "Update Profile", + "profile.title" : "Aktualizovat profil", - // "mydspace.show.workflow" : "Workflow tasks" - "mydspace.show.workflow" : "Úlohy pracovních postupů", + // "profile.card.researcher": "Researcher Profile", + "profile.card.researcher" : "Profil výzkumníka", - // "mydspace.show.workspace" : "Your Submissions" - "mydspace.show.workspace" : "Vaše záznamy", + // "project.listelement.badge": "Research Project", + "project.listelement.badge" : "Výzkumný projekt", - // "mydspace.status.archived" : "Archived" - "mydspace.status.archived" : "Archivováno", + // "project.page.contributor": "Contributors", + "project.page.contributor" : "Přispěvatelé", - // "mydspace.status.validation" : "Validation" - "mydspace.status.validation" : "Ověřování", + // "project.page.description": "Description", + "project.page.description" : "Popis", - // "mydspace.status.waiting-for-controller" : "Waiting for controller" - "mydspace.status.waiting-for-controller" : "Čekání na ovládání", + // "project.page.edit": "Edit this item", + "project.page.edit" : "Upravit tuto položku", - // "mydspace.status.workflow" : "Workflow" - "mydspace.status.workflow" : "Pracovní postupy", + // "project.page.expectedcompletion": "Expected Completion", + "project.page.expectedcompletion" : "Očekávané dokončení", - // "mydspace.status.workspace" : "Workspace" - "mydspace.status.workspace" : "Pracovní prostor", + // "project.page.funder": "Funders", + "project.page.funder" : "Financující subjekty", - // "mydspace.title" : "MyDSpace" - "mydspace.title" : "MyDSpace", + // "project.page.id": "ID", + "project.page.id" : "ID", - // "mydspace.upload.upload-failed" : "Error creating new workspace. Please verify the content uploaded before retry." - "mydspace.upload.upload-failed" : "Při vytváření nového pracovního prostoru došlo k chybě. Před opakováním pokusu ověřte odeslaný obsah.", + // "project.page.keyword": "Keywords", + "project.page.keyword" : "Klíčová slova", - // "mydspace.upload.upload-failed-manyentries" : "Unprocessable file. Detected too many entries but allowed only one for file." - "mydspace.upload.upload-failed-manyentries" : "Soubor, který nelze zpracovat. Bylo zjištěno příliš mnoho záznamů, ale pro soubor byl povolen pouze jeden.", + // "project.page.status": "Status", + "project.page.status" : "Stav", - // "mydspace.upload.upload-failed-moreonefile" : "Unprocessable request. Only one file is allowed." - "mydspace.upload.upload-failed-moreonefile" : "Nezpracovatelný požadavek. Je povolen pouze jeden soubor.", + // "project.page.titleprefix": "Research Project: ", + "project.page.titleprefix": "Výzkumný projekt:", - // "mydspace.upload.upload-multiple-successful" : "{{qty}} new workspace items created." - "mydspace.upload.upload-multiple-successful" : "{{qty}} vytvořeny nové položky pracovního prostoru.", + // "project.search.results.head": "Project Search Results", + "project.search.results.head" : "Výsledky vyhledávání projektu", - // "mydspace.upload.upload-successful" : "New workspace item created. Click {{here}} for edit it." - "mydspace.upload.upload-successful" : "Vytvořena nová položka pracovního prostoru. Klikněte na {{here}} pro její úpravu.", + // "project-relationships.search.results.head": "Project Search Results", + "project-relationships.search.results.head" : "Výsledky vyhledávání projektů", - // "mydspace.view-btn" : "View" - "mydspace.view-btn" : "Zobrazit", - // "nav.browse.header" : "All of DSpace" - "nav.browse.header" : "Celý DSpace", - // "nav.community-browse.header" : "By Community" - "nav.community-browse.header" : "Podle komunity", + // "publication.listelement.badge": "Publication", + "publication.listelement.badge" : "Publikace", - // "nav.language" : "Language switch" - "nav.language" : "Přepínání jazyků", + // "publication.page.description": "Description", + "publication.page.description" : "Popis", - // "nav.login" : "Log In" - "nav.login" : "Přihlásit se", + // "publication.page.edit": "Edit this item", + "publication.page.edit" : "Upravit tuto položku", - // "nav.logout" : "Log Out" - "nav.logout" : "Odhlásit se", + // "publication.page.journal-issn": "Journal ISSN", + "publication.page.journal-issn" : "ISSN časopisu", - // "nav.main.description" : "Main navigation bar" - "nav.main.description" : "Hlavní navigační panel", + // "publication.page.journal-title": "Journal Title", + "publication.page.journal-title" : "Název časopisu", - // "nav.mydspace" : "MyDSpace" - "nav.mydspace" : "MyDSpace", + // "publication.page.publisher": "Publisher", + "publication.page.publisher" : "Vydavatel", - // "nav.profile" : "Profile" - "nav.profile" : "Profil", + // "publication.page.titleprefix": "Publication: ", + "publication.page.titleprefix": "Publikace:", - // "nav.search" : "Search" - "nav.search" : "Hledat", + // "publication.page.volume-title": "Volume Title", + "publication.page.volume-title" : "Název svazku", - // "nav.statistics.header" : "Statistics" - "nav.statistics.header" : "Statistiky", + // "publication.search.results.head": "Publication Search Results", + "publication.search.results.head" : "Výsledky vyhledávání publikací", - // "nav.stop-impersonating" : "Stop impersonating EPerson" - "nav.stop-impersonating" : "Přestat vystupovat jako EPerson", + // "publication-relationships.search.results.head": "Publication Search Results", + "publication-relationships.search.results.head" : "Výsledky vyhledávání publikací", - // "nav.toggle" : "Toggle navigation" - "nav.toggle" : "Přepnout navigaci", + // "publication.search.title": "Publication Search", + "publication.search.title" : "Vyhledávání publikací", - // "nav.user.description" : "User profile bar" - "nav.user.description" : "Uživatelský profil", - // "none.listelement.badge" : "Item" - "none.listelement.badge" : "Položka", + // "media-viewer.next": "Next", + "media-viewer.next" : "Další", - // "orgunit.listelement.badge" : "Organizational Unit" - "orgunit.listelement.badge" : "Organizační jednotka", + // "media-viewer.previous": "Previous", + "media-viewer.previous" : "Předchozí", - // "orgunit.page.city" : "City" - "orgunit.page.city" : "Město", + // "media-viewer.playlist": "Playlist", + "media-viewer.playlist" : "Seznam skladeb", - // "orgunit.page.country" : "Country" - "orgunit.page.country" : "Krajina", - // "orgunit.page.dateestablished" : "Date established" - "orgunit.page.dateestablished" : "Datum vytvoření", + // "register-email.title": "New user registration", + "register-email.title" : "Registrace nového uživatele", - // "orgunit.page.description" : "Description" - "orgunit.page.description" : "Popis", + // "register-page.create-profile.header": "Create Profile", + "register-page.create-profile.header" : "Vytvořit profil", - // "orgunit.page.edit" : "Edit this item" - "orgunit.page.edit" : "Upravit tuto položku", + // "register-page.create-profile.identification.header": "Identify", + "register-page.create-profile.identification.header" : "Identifikovat", - // "orgunit.page.id" : "ID" - "orgunit.page.id" : "ID", + // "register-page.create-profile.identification.email": "Email Address", + "register-page.create-profile.identification.email" : "E-mailová adresa", - // "orgunit.page.titleprefix" : "Organizational Unit:" - "orgunit.page.titleprefix" : "Organizační jednotka:", + // "register-page.create-profile.identification.first-name": "First Name *", + "register-page.create-profile.identification.first-name" : "Jméno *", - // "pagination.options.description" : "Pagination options" - "pagination.options.description" : "Možnosti stránkování", + // "register-page.create-profile.identification.first-name.error": "Please fill in a First Name", + "register-page.create-profile.identification.first-name.error" : "Vyplňte křestní jméno, prosím", - // "pagination.results-per-page" : "Results Per Page" - "pagination.results-per-page" : "Výsledků na stránku", + // "register-page.create-profile.identification.last-name": "Last Name *", + "register-page.create-profile.identification.last-name" : "Příjmení *", - // "pagination.showing.detail" : "{{ range }} of {{ total }}" - "pagination.showing.detail" : "{{ range }} z {{ total }}", + // "register-page.create-profile.identification.last-name.error": "Please fill in a Last Name", + "register-page.create-profile.identification.last-name.error" : "Vyplňte příjmení, prosím", - // "pagination.showing.label" : "Now showing" - "pagination.showing.label" : "Zobrazují se záznamy", + // "register-page.create-profile.identification.contact": "Contact Telephone", + "register-page.create-profile.identification.contact" : "Kontaktní telefon", - // "pagination.sort-direction" : "Sort Options" - "pagination.sort-direction" : "Seřazení", + // "register-page.create-profile.identification.language": "Language", + "register-page.create-profile.identification.language" : "Jazyk", - // "person.listelement.badge" : "Person" - "person.listelement.badge" : "Osoba", + // "register-page.create-profile.security.header": "Security", + "register-page.create-profile.security.header" : "Zabezpečení", - // "person.listelement.no-title" : "No name found" - "person.listelement.no-title" : "Nebylo nalezeno žádné jméno", + // "register-page.create-profile.security.info": "Please enter a password in the box below, and confirm it by typing it again into the second box.", + "register-page.create-profile.security.info" : "Zadejte prosím heslo do níže uvedeného pole a potvrďte jej opětovným zadáním do druhého pole. Mělo by mít alespoň šest znaků.", - // "person.page.birthdate" : "Birth Date" - "person.page.birthdate" : "Datum narození", + // "register-page.create-profile.security.label.password": "Password *", + "register-page.create-profile.security.label.password" : "Heslo *", - // "person.page.edit" : "Edit this item" - "person.page.edit" : "Upravit tuto položku", + // "register-page.create-profile.security.label.passwordrepeat": "Retype to confirm *", + "register-page.create-profile.security.label.passwordrepeat" : "Potvrďte zadání *", - // "person.page.email" : "Email Address" - "person.page.email" : "E-mailová adresa", + // "register-page.create-profile.security.error.empty-password": "Please enter a password in the box below.", + "register-page.create-profile.security.error.empty-password" : "Do níže uvedeného pole zadejte heslo.", - // "person.page.firstname" : "First Name" - "person.page.firstname" : "Jméno", + // "register-page.create-profile.security.error.matching-passwords": "The passwords do not match.", + "register-page.create-profile.security.error.matching-passwords" : "Hesla se neshodují.", - // "person.page.jobtitle" : "Job Title" - "person.page.jobtitle" : "Pracovní pozice", + // "register-page.create-profile.submit": "Complete Registration", + "register-page.create-profile.submit" : "Dokončení registrace", - // "person.page.lastname" : "Last Name" - "person.page.lastname" : "Příjmení", + // "register-page.create-profile.submit.error.content": "Something went wrong while registering a new user.", + "register-page.create-profile.submit.error.content" : "Při registraci nového uživatele se něco pokazilo.", - // "person.page.link.full" : "Show all metadata" - "person.page.link.full" : "Zobrazit všechna metadata", + // "register-page.create-profile.submit.error.head": "Registration failed", + "register-page.create-profile.submit.error.head" : "Registrace selhala", - // "person.page.orcid" : "ORCID" - "person.page.orcid" : "ORCID", + // "register-page.create-profile.submit.success.content": "The registration was successful. You have been logged in as the created user.", + "register-page.create-profile.submit.success.content" : "Registrace proběhla úspěšně. Byli jste přihlášeni jako vytvořený uživatel.", - // "person.page.staffid" : "Staff ID" - "person.page.staffid" : "ID zaměstnance", + // "register-page.create-profile.submit.success.head": "Registration completed", + "register-page.create-profile.submit.success.head" : "Registrace dokončena", - // "person.page.titleprefix" : "Person:" - "person.page.titleprefix" : "Osoba:", - // "person.search.results.head" : "Person Search Results" - "person.search.results.head" : "Výsledky vyhledávání osob", + // "register-page.registration.header": "New user registration", + "register-page.registration.header" : "Registrace nového uživatele", - // "person.search.title" : "Person Search" - "person.search.title" : "Vyhledávání osob", + // "register-page.registration.info": "Register an account to subscribe to collections for email updates, and submit new items to DSpace.", + "register-page.registration.info" : "Zaregistrujte si účet k odběru kolekcí pro e-mailové aktualizace a odešlete nové položky do DSpace.", - // "process.new.select-parameters" : "Parameters" - "process.new.select-parameters" : "Parametry", + // "register-page.registration.email": "Email Address *", + "register-page.registration.email" : "E-mailová adresa *", - // "process.new.cancel" : "Cancel" - "process.new.cancel" : "Zrušit", + // "register-page.registration.email.error.required": "Please fill in an email address", + "register-page.registration.email.error.required" : "Prosím, vyplňte e-mailovou adresu", - // "process.new.submit" : "Save" - "process.new.submit" : "Uložit", + // "register-page.registration.email.error.not-email-form": "Please fill in a valid email address.", + "register-page.registration.email.error.not-email-form" : "Vyplňte prosím platnou e-mailovou adresu.", - // "process.new.select-script" : "Script" - "process.new.select-script" : "Skript", + // "register-page.registration.email.error.not-valid-domain": "Use email with allowed domains: {{ domains }}", + "register-page.registration.email.error.not-valid-domain": "Používejte e-mail s povolenými doménami: {{ domains }}", - // "process.new.select-script.placeholder" : "Choose a script..." - "process.new.select-script.placeholder" : "Vyberte si skript...", + // "register-page.registration.email.hint": "This address will be verified and used as your login name.", + "register-page.registration.email.hint" : "Tato adresa bude ověřena a použita jako vaše přihlašovací jméno.", - // "process.new.select-script.required" : "Script is required" - "process.new.select-script.required" : "Je vyžadován skript", + // "register-page.registration.submit": "Register", + "register-page.registration.submit" : "Registrovat", - // "process.new.parameter.file.upload-button" : "Select file..." - "process.new.parameter.file.upload-button" : "Vyberte soubor...", + // "register-page.registration.success.head": "Verification email sent", + "register-page.registration.success.head" : "Ověřovací e-mail odeslán", - // "process.new.parameter.file.required" : "Please select a file" - "process.new.parameter.file.required" : "Vyberte prosím soubor", + // "register-page.registration.success.content": "An email has been sent to {{ email }} containing a special URL and further instructions.", + "register-page.registration.success.content" : "Na adresu {{ email }} byl odeslán e-mail obsahující speciální URL a další instrukce.", - // "process.new.parameter.string.required" : "Parameter value is required" - "process.new.parameter.string.required" : "Je vyžadována hodnota parametru", + // "register-page.registration.error.head": "Error when trying to register email", + "register-page.registration.error.head" : "Chyba při pokusu o registraci e-mailu", - // "process.new.parameter.type.value" : "value" - "process.new.parameter.type.value" : "hodnota", + // "register-page.registration.error.content": "An error occured when registering the following email address: {{ email }}", + "register-page.registration.error.content": "Při registraci následující e-mailové adresy došlo k chybě: {{ email }}", - // "process.new.parameter.type.file" : "file" - "process.new.parameter.type.file" : "soubor", + // "register-page.registration.error.recaptcha": "Error when trying to authenticate with recaptcha", + "register-page.registration.error.recaptcha" : "Chyba při pokusu o ověření pomocí recaptcha", - // "process.new.parameter.required.missing" : "The following parameters are required but still missing:" - "process.new.parameter.required.missing" : "Následující parametry jsou požadovány, ale stále chybí:", + // "register-page.registration.google-recaptcha.must-accept-cookies": "In order to register you must accept the Registration and Password recovery (Google reCaptcha) cookies.", + "register-page.registration.google-recaptcha.must-accept-cookies" : "Abyste se mohli zaregistrovat, musíte přijmout soubory cookie Registrace a obnovení hesla (Google reCaptcha).", + // "register-page.registration.error.maildomain": "This email address is not on the list of domains who can register. Allowed domains are {{ domains }}", + "register-page.registration.error.maildomain" : "Tato e-mailová adresa není na seznamu domén, které lze registrovat. Povolené domény jsou {{ domains }}", - // "process.new.notification.success.title" : "Success" - "process.new.notification.success.title" : "Úspěch", - // "process.new.notification.success.content" : "The process was successfully created" - "process.new.notification.success.content" : "Proces byl úspěšně vytvořen", + // "register-page.registration.google-recaptcha.open-cookie-settings": "Open cookie settings", + "register-page.registration.google-recaptcha.open-cookie-settings" : "Otevřít nastavení cookie", - // "process.new.notification.error.title" : "Error" - "process.new.notification.error.title" : "Chyba", + // "register-page.registration.google-recaptcha.notification.title": "Google reCaptcha", + "register-page.registration.google-recaptcha.notification.title" : "Google reCaptcha", - // "process.new.notification.error.content" : "An error occurred while creating this process" - "process.new.notification.error.content" : "Při vytváření tohoto procesu došlo k chybě", + // "register-page.registration.google-recaptcha.notification.message.error": "An error occurred during reCaptcha verification", + "register-page.registration.google-recaptcha.notification.message.error" : "Při ověřování reCaptcha došlo k chybě", - // "process.new.header" : "Create a new process" - "process.new.header" : "Vytvořit nový proces", + // "register-page.registration.google-recaptcha.notification.message.expired": "Verification expired. Please verify again.", + "register-page.registration.google-recaptcha.notification.message.expired" : "Platnost ověření vypršela. Zopakujte prosím akci", + // "register-page.registration.info.maildomain": "Accounts can be registered for mail addresses of the domains", + "register-page.registration.info.maildomain" : "Účty lze registrovat pro poštovní adresy domén.", - // "process.new.title" : "Create a new process" - "process.new.title" : "Vytvořit nový proces", + // "relationships.add.error.relationship-type.content": "No suitable match could be found for relationship type {{ type }} between the two items", + "relationships.add.error.relationship-type.content" : "Pro typ vztahu {{ type }} mezi dvěma položkami nebyla nalezena žádná vhodná shoda.", - // "process.new.breadcrumbs" : "Create a new process" - "process.new.breadcrumbs" : "Vytvořit nový proces", + // "relationships.add.error.server.content": "The server returned an error", + "relationships.add.error.server.content" : "Server vrátil chybu", - // "process.detail.arguments" : "Arguments" - "process.detail.arguments" : "Argumenty", + // "relationships.add.error.title": "Unable to add relationship", + "relationships.add.error.title" : "Nelze přidat vztah", - // "process.detail.arguments.empty" : "This process doesn't contain any arguments" - "process.detail.arguments.empty" : "Tento proces neobsahuje žádné argumenty.", + // "relationships.isAuthorOf": "Authors", + "relationships.isAuthorOf" : "Autoři", - // "process.detail.back" : "Back" - "process.detail.back" : "Zpět", + // "relationships.isAuthorOf.Person": "Authors (persons)", + "relationships.isAuthorOf.Person" : "Autoři (osoby)", - // "process.detail.output" : "Process Output" - "process.detail.output" : "Výstup z procesu.", + // "relationships.isAuthorOf.OrgUnit": "Authors (organizational units)", + "relationships.isAuthorOf.OrgUnit" : "Autoři (organizační jednotky)", - // "process.detail.output-files" : "Output Files" - "process.detail.output-files" : "Výstupní soubory.", + // "relationships.isIssueOf": "Journal Issues", + "relationships.isIssueOf" : "Vydání časopisu", - // "process.detail.output-files.empty" : "This process doesn't contain any output files" - "process.detail.output-files.empty" : "Tento proces neobsahuje žádné výstupní soubory.", + // "relationships.isJournalIssueOf": "Journal Issue", + "relationships.isJournalIssueOf" : "Vydání časopisu", - // "process.detail.script" : "Script" - "process.detail.script" : "Skript", + // "relationships.isJournalOf": "Journals", + "relationships.isJournalOf" : "Časopisy", - // "process.detail.title" : "Process: {{ id }} - {{ name }}" - "process.detail.title" : "Proces: {{ id }} - {{ name }}", + // "relationships.isOrgUnitOf": "Organizational Units", + "relationships.isOrgUnitOf" : "Organizační jednotky", - // "process.detail.start-time" : "Start time" - "process.detail.start-time" : "Čas začátku", + // "relationships.isPersonOf": "Authors", + "relationships.isPersonOf" : "Autoři", - // "process.detail.end-time" : "Finish time" - "process.detail.end-time" : "Čas ukončení", + // "relationships.isProjectOf": "Research Projects", + "relationships.isProjectOf" : "Výzkumné projekty", - // "process.detail.status" : "Status" - "process.detail.status" : "Stav", + // "relationships.isPublicationOf": "Publications", + "relationships.isPublicationOf" : "Publikace", - // "process.detail.create" : "Create similar process" - "process.detail.create" : "Vytvořit podobný proces.", + // "relationships.isPublicationOfJournalIssue": "Articles", + "relationships.isPublicationOfJournalIssue" : "Články", - // "process.overview.table.finish" : "Finish time (UTC)" - "process.overview.table.finish" : "Čas ukončení (UTC)", + // "relationships.isSingleJournalOf": "Journal", + "relationships.isSingleJournalOf" : "Časopis", - // "process.overview.table.id" : "Process ID" - "process.overview.table.id" : "Proces ID", + // "relationships.isSingleVolumeOf": "Journal Volume", + "relationships.isSingleVolumeOf" : "Svazek časopisu", - // "process.overview.table.name" : "Name" - "process.overview.table.name" : "Název", + // "relationships.isVolumeOf": "Journal Volumes", + "relationships.isVolumeOf" : "Svazky časopisů", - // "process.overview.table.start" : "Start time (UTC)" - "process.overview.table.start" : "Čas začátku (UTC)", + // "relationships.isContributorOf": "Contributors", + "relationships.isContributorOf" : "Přispěvatelé", - // "process.overview.table.status" : "Status" - "process.overview.table.status" : "Stav", + // "relationships.isContributorOf.OrgUnit": "Contributor (Organizational Unit)", + "relationships.isContributorOf.OrgUnit" : "Přispěvatel (organizační jednotka)", - // "process.overview.table.user" : "User" - "process.overview.table.user" : "Uživatel", + // "relationships.isContributorOf.Person": "Contributor", + "relationships.isContributorOf.Person" : "Přispěvatel", - // "process.detail.logs.button" : "Retrieve process output" - "process.detail.logs.button" : "Získání výstupu procesu", + // "relationships.isFundingAgencyOf.OrgUnit": "Funder", + "relationships.isFundingAgencyOf.OrgUnit" : "Poskytovatel podpory", - // "process.detail.logs.loading" : "Retrieving" - "process.detail.logs.loading" : "Získávání", - // "process.detail.logs.none" : "This process has no output" - "process.detail.logs.none" : "Tento proces nemá žádný výstup", + // "repository.image.logo": "Repository logo", + "repository.image.logo" : "Logo úložiště", - // "process.overview.title" : "Processes Overview" - "process.overview.title" : "Přehled procesů", + // "repository.title.prefix": "DSpace :: ", + "repository.title.prefix": "", - // "process.overview.breadcrumbs" : "Processes Overview" - "process.overview.breadcrumbs" : "Přehled procesů", + // "repository.title.prefixDSpace": "DSpace :: ", + "repository.title.prefixDSpace": "", - // "process.overview.new" : "New" - "process.overview.new" : "Nový", - // "profile.breadcrumbs" : "Update Profile" - "profile.breadcrumbs" : "Aktualizovat profil", + // "resource-policies.add.button": "Add", + "resource-policies.add.button" : "Přidat", - // "profile.card.identify" : "Identify" - "profile.card.identify" : "Identifikovat", + // "resource-policies.add.for.": "Add a new policy", + "resource-policies.add.for." : "Přidat nové zásady", - // "profile.card.security" : "Security" - "profile.card.security" : "Zabezpečení", + // "resource-policies.add.for.bitstream": "Add a new Bitstream policy", + "resource-policies.add.for.bitstream" : "Přidat nové zásady bitstreamu", - // "profile.form.submit" : "Save" - "profile.form.submit" : "Uložit", + // "resource-policies.add.for.bundle": "Add a new Bundle policy", + "resource-policies.add.for.bundle" : "Přidat nové zásady svazků", - // "profile.groups.head" : "Authorization groups you belong to" - "profile.groups.head" : "Autorizační skupiny, do kterých patříte", + // "resource-policies.add.for.item": "Add a new Item policy", + "resource-policies.add.for.item" : "Přidat nové zásady položky", - // "profile.head" : "Update Profile" - "profile.head" : "Aktualizovat profil", + // "resource-policies.add.for.community": "Add a new Community policy", + "resource-policies.add.for.community" : "Přidat nové zásady komunity", - // "profile.metadata.form.error.firstname.required" : "First Name is required" - "profile.metadata.form.error.firstname.required" : "Křestní jméno je povinné", + // "resource-policies.add.for.collection": "Add a new Collection policy", + "resource-policies.add.for.collection" : "Přidat nové zásady sběru", - // "profile.metadata.form.error.lastname.required" : "Last Name is required" - "profile.metadata.form.error.lastname.required" : "Příjmení je povinné", + // "resource-policies.create.page.heading": "Create new resource policy for ", + "resource-policies.create.page.heading" : "Vytvořit nové zásady zdrojů pro", - // "profile.metadata.form.label.email" : "Email Address" - "profile.metadata.form.label.email" : "E-mailová adresa", + // "resource-policies.create.page.failure.content": "An error occurred while creating the resource policy.", + "resource-policies.create.page.failure.content" : "Při vytváření zásad zdrojů došlo k chybě.", - // "profile.metadata.form.label.firstname" : "First Name" - "profile.metadata.form.label.firstname" : "Křestní jméno", + // "resource-policies.create.page.success.content": "Operation successful", + "resource-policies.create.page.success.content" : "Operace úspěšná", - // "profile.metadata.form.label.language" : "Language" - "profile.metadata.form.label.language" : "Jazyk", + // "resource-policies.create.page.title": "Create new resource policy", + "resource-policies.create.page.title" : "Vytvořit nové zásady zdrojů", - // "profile.metadata.form.label.lastname" : "Last Name" - "profile.metadata.form.label.lastname" : "Příjmení", + // "resource-policies.delete.btn": "Delete selected", + "resource-policies.delete.btn" : "Vymazat označené", - // "profile.metadata.form.label.phone" : "Contact Telephone" - "profile.metadata.form.label.phone" : "Kontaktní telefon", + // "resource-policies.delete.btn.title": "Delete selected resource policies", + "resource-policies.delete.btn.title" : "Odstranění vybraných zásad prostředků", - // "profile.metadata.form.notifications.success.content" : "Your changes to the profile were saved." - "profile.metadata.form.notifications.success.content" : "Vaše změny v profilu byly uloženy.", + // "resource-policies.delete.failure.content": "An error occurred while deleting selected resource policies.", + "resource-policies.delete.failure.content" : "Při odstraňování vybraných zásad prostředků došlo k chybě.", - // "profile.metadata.form.notifications.success.title" : "Profile saved" - "profile.metadata.form.notifications.success.title" : "Profil uložen", + // "resource-policies.delete.success.content": "Operation successful", + "resource-policies.delete.success.content" : "Operace úspěšná", - // "profile.notifications.warning.no-changes.content" : "No changes were made to the Profile." - "profile.notifications.warning.no-changes.content" : "V profilu nebyly provedeny žádné změny.", + // "resource-policies.edit.page.heading": "Edit resource policy ", + "resource-policies.edit.page.heading" : "Upravit zásady pro zdroje", - // "profile.notifications.warning.no-changes.title" : "No changes" - "profile.notifications.warning.no-changes.title" : "Žádné změny", + // "resource-policies.edit.page.failure.content": "An error occurred while editing the resource policy.", + "resource-policies.edit.page.failure.content" : "Při úpravě zásad prostředků došlo k chybě.", - // "profile.security.form.error.matching-passwords" : "The passwords do not match." - "profile.security.form.error.matching-passwords" : "Hesla se neshodují.", + // "resource-policies.edit.page.target-failure.content": "An error occurred while editing the target (ePerson or group) of the resource policy.", + "resource-policies.edit.page.target-failure.content" : "Při úpravě cíle zásady prostředků (ePersona nebo skupiny) došlo k chybě.", - // "profile.security.form.error.password-length" : "The password should be at least 6 characters long." - "profile.security.form.error.password-length" : "Heslo by mělo mít alespoň 6 znaků.", + // "resource-policies.edit.page.other-failure.content": "An error occurred while editing the resource policy. The target (ePerson or group) has been successfully updated.", + "resource-policies.edit.page.other-failure.content" : "Při úpravě zásad prostředků došlo k chybě. Cíl (ePerson nebo skupina) byl úspěšně aktualizován", - // "profile.security.form.info" : "Optionally, you can enter a new password in the box below, and confirm it by typing it again into the second box." - "profile.security.form.info" : "Volitelně můžete zadat nové heslo do políčka níže a potvrdit ho opětovným zadáním do druhého políčka. Mělo by mít alespoň šest znaků.", + // "resource-policies.edit.page.success.content": "Operation successful", + "resource-policies.edit.page.success.content" : "Operace úspěšná", - // "profile.security.form.label.password" : "Password" - "profile.security.form.label.password" : "Heslo", + // "resource-policies.edit.page.title": "Edit resource policy", + "resource-policies.edit.page.title" : "Upravit zásady zdrojů", - // "profile.security.form.label.passwordrepeat" : "Retype to confirm" - "profile.security.form.label.passwordrepeat" : "Zopakujte pro potvrzení", + // "resource-policies.form.action-type.label": "Select the action type", + "resource-policies.form.action-type.label" : "Vyberte typ akce", - // "profile.security.form.notifications.success.content" : "Your changes to the password were saved." - "profile.security.form.notifications.success.content" : "Vaše změny hesla byly uloženy.", + // "resource-policies.form.action-type.required": "You must select the resource policy action.", + "resource-policies.form.action-type.required" : "Je třeba vybrat akci zásad prostředků.", - // "profile.security.form.notifications.success.title" : "Password saved" - "profile.security.form.notifications.success.title" : "Heslo uloženo", + // "resource-policies.form.eperson-group-list.label": "The eperson or group that will be granted the permission", + "resource-policies.form.eperson-group-list.label" : "Eperson nebo skupina, které bude uděleno povolení", - // "profile.security.form.notifications.error.title" : "Error changing passwords" - "profile.security.form.notifications.error.title" : "Chyba při změně hesla", + // "resource-policies.form.eperson-group-list.select.btn": "Select", + "resource-policies.form.eperson-group-list.select.btn" : "Vybrat", - // "profile.security.form.notifications.error.not-long-enough" : "The password has to be at least 6 characters long." - "profile.security.form.notifications.error.not-long-enough" : "Heslo musí mít alespoň 6 znaků.", + // "resource-policies.form.eperson-group-list.tab.eperson": "Search for a ePerson", + "resource-policies.form.eperson-group-list.tab.eperson" : "Hledat ePerson", - // "profile.security.form.notifications.error.not-same" : "The provided passwords are not the same." - "profile.security.form.notifications.error.not-same" : "Zadaná hesla nejsou stejná.", + // "resource-policies.form.eperson-group-list.tab.group": "Search for a group", + "resource-policies.form.eperson-group-list.tab.group" : "Hledat skupinu", - // "profile.title" : "Update Profile" - "profile.title" : "Aktualizovat profil", + // "resource-policies.form.eperson-group-list.table.headers.action": "Action", + "resource-policies.form.eperson-group-list.table.headers.action" : "Akce", - // "project.listelement.badge" : "Research Project" - "project.listelement.badge" : "Výzkumný projekt", + // "resource-policies.form.eperson-group-list.table.headers.id": "ID", + "resource-policies.form.eperson-group-list.table.headers.id" : "ID", - // "project.page.contributor" : "Contributors" - "project.page.contributor" : "Přispěvatelé", + // "resource-policies.form.eperson-group-list.table.headers.name": "Name", + "resource-policies.form.eperson-group-list.table.headers.name" : "Jméno", - // "project.page.description" : "Description" - "project.page.description" : "Popis", + // "resource-policies.form.eperson-group-list.modal.header": "Cannot change type", + "resource-policies.form.eperson-group-list.modal.header" : "Typ nelze změnit", - // "project.page.edit" : "Edit this item" - "project.page.edit" : "Upravit tuto položku", + // "resource-policies.form.eperson-group-list.modal.text1.toGroup": "It is not possible to replace an ePerson with a group.", + "resource-policies.form.eperson-group-list.modal.text1.toGroup" : "ePersona nelze nahradit skupinou", - // "project.page.expectedcompletion" : "Expected Completion" - "project.page.expectedcompletion" : "Očekávané dokončení", + // "resource-policies.form.eperson-group-list.modal.text1.toEPerson": "It is not possible to replace a group with an ePerson.", + "resource-policies.form.eperson-group-list.modal.text1.toEPerson" : "Skupinu není možné nahradit ePersonem", - // "project.page.funder" : "Funders" - "project.page.funder" : "Financující subjekty", + // "resource-policies.form.eperson-group-list.modal.text2": "Delete the current resource policy and create a new one with the desired type.", + "resource-policies.form.eperson-group-list.modal.text2" : "Odstraňte aktuální zásadu prostředků a vytvořte novou s požadovaným typem", - // "project.page.id" : "ID" - "project.page.id" : "ID", + // "resource-policies.form.eperson-group-list.modal.close": "Ok", + "resource-policies.form.eperson-group-list.modal.close" : "Ok", - // "project.page.keyword" : "Keywords" - "project.page.keyword" : "Klíčová slova", + // "resource-policies.form.date.end.label": "End Date", + "resource-policies.form.date.end.label" : "Datum ukončení", - // "project.page.status" : "Status" - "project.page.status" : "Stav", + // "resource-policies.form.date.start.label": "Start Date", + "resource-policies.form.date.start.label" : "Datum zahájení", - // "project.page.titleprefix" : "Research Project:" - "project.page.titleprefix" : "Výzkumný projekt:", + // "resource-policies.form.description.label": "Description", + "resource-policies.form.description.label" : "Popis", - // "project.search.results.head" : "Project Search Results" - "project.search.results.head" : "Výsledky vyhledávání projektu", + // "resource-policies.form.name.label": "Name", + "resource-policies.form.name.label" : "Jméno", - // "publication.listelement.badge" : "Publication" - "publication.listelement.badge" : "Publikace", + // "resource-policies.form.policy-type.label": "Select the policy type", + "resource-policies.form.policy-type.label" : "Vyberte typ zásady", - // "publication.page.description" : "Description" - "publication.page.description" : "Popis", + // "resource-policies.form.policy-type.required": "You must select the resource policy type.", + "resource-policies.form.policy-type.required" : "Je třeba vybrat typ zásad zdrojov.", - // "publication.page.edit" : "Edit this item" - "publication.page.edit" : "Upravit tuto položku", + // "resource-policies.table.headers.action": "Action", + "resource-policies.table.headers.action" : "Akce", - // "publication.page.journal-issn" : "Journal ISSN" - "publication.page.journal-issn" : "ISSN časopisu", + // "resource-policies.table.headers.date.end": "End Date", + "resource-policies.table.headers.date.end" : "Datum ukončení", - // "publication.page.journal-title" : "Journal Title" - "publication.page.journal-title" : "Název časopisu", + // "resource-policies.table.headers.date.start": "Start Date", + "resource-policies.table.headers.date.start" : "Datum zahájení", - // "publication.page.publisher" : "Publisher" - "publication.page.publisher" : "Vydavatel", + // "resource-policies.table.headers.edit": "Edit", + "resource-policies.table.headers.edit" : "Upravit", - // "publication.page.titleprefix" : "Publication:" - "publication.page.titleprefix" : "Publikace:", + // "resource-policies.table.headers.edit.group": "Edit group", + "resource-policies.table.headers.edit.group" : "Upravit skupinu", - // "publication.page.volume-title" : "Volume Title" - "publication.page.volume-title" : "Název svazku", + // "resource-policies.table.headers.edit.policy": "Edit policy", + "resource-policies.table.headers.edit.policy" : "Upravit zásady", - // "publication.search.results.head" : "Publication Search Results" - "publication.search.results.head" : "Výsledky vyhledávání publikací", + // "resource-policies.table.headers.eperson": "EPerson", + "resource-policies.table.headers.eperson" : "EPerson", - // "publication.search.title" : "Publication Search" - "publication.search.title" : "Vyhledávání publikací", + // "resource-policies.table.headers.group": "Group", + "resource-policies.table.headers.group" : "Skupina", - // "media-viewer.next" : "Next" - "media-viewer.next" : "Další", + // "resource-policies.table.headers.id": "ID", + "resource-policies.table.headers.id" : "ID", - // "media-viewer.previous" : "Previous" - "media-viewer.previous" : "Předchozí", + // "resource-policies.table.headers.name": "Name", + "resource-policies.table.headers.name" : "Jméno", - // "media-viewer.playlist" : "Playlist" - "media-viewer.playlist" : "Seznam skladeb", + // "resource-policies.table.headers.policyType": "type", + "resource-policies.table.headers.policyType" : "typ", - // "register-email.title" : "New user registration" - "register-email.title" : "Registrace nového uživatele", + // "resource-policies.table.headers.title.for.bitstream": "Policies for Bitstream", + "resource-policies.table.headers.title.for.bitstream" : "Zásady pro bitstream", - // "register-page.create-profile.header" : "Create Profile" - "register-page.create-profile.header" : "Vytvořit profil", + // "resource-policies.table.headers.title.for.bundle": "Policies for Bundle", + "resource-policies.table.headers.title.for.bundle" : "Zásady pro svazek", - // "register-page.create-profile.identification.header" : "Identify" - "register-page.create-profile.identification.header" : "Identifikovat", + // "resource-policies.table.headers.title.for.item": "Policies for Item", + "resource-policies.table.headers.title.for.item" : "Zásady pro položku", - // "register-page.create-profile.identification.email" : "Email Address" - "register-page.create-profile.identification.email" : "E-mailová adresa", + // "resource-policies.table.headers.title.for.community": "Policies for Community", + "resource-policies.table.headers.title.for.community" : "Zásady pro komunitu", - // "register-page.create-profile.identification.first-name" : "First Name *" - "register-page.create-profile.identification.first-name" : "Jméno *", + // "resource-policies.table.headers.title.for.collection": "Policies for Collection", + "resource-policies.table.headers.title.for.collection" : "Zásady pro sběr", - // "register-page.create-profile.identification.first-name.error" : "Please fill in a First Name" - "register-page.create-profile.identification.first-name.error" : "Vyplňte křestní jméno, prosím", - // "register-page.create-profile.identification.last-name" : "Last Name *" - "register-page.create-profile.identification.last-name" : "Příjmení *", - - // "register-page.create-profile.identification.last-name.error" : "Please fill in a Last Name" - "register-page.create-profile.identification.last-name.error" : "Vyplňte příjmení, prosím", - - // "register-page.create-profile.identification.contact" : "Contact Telephone" - "register-page.create-profile.identification.contact" : "Kontaktní telefon", - - // "register-page.create-profile.identification.language" : "Language" - "register-page.create-profile.identification.language" : "Jazyk", - - // "register-page.create-profile.security.header" : "Security" - "register-page.create-profile.security.header" : "Zabezpečení", - - // "register-page.create-profile.security.info" : "Please enter a password in the box below, and confirm it by typing it again into the second box." - "register-page.create-profile.security.info" : "Zadejte prosím heslo do níže uvedeného pole a potvrďte jej opětovným zadáním do druhého pole. Mělo by mít alespoň šest znaků.", - - // "register-page.create-profile.security.label.password" : "Password *" - "register-page.create-profile.security.label.password" : "Heslo *", - - // "register-page.create-profile.security.label.passwordrepeat" : "Retype to confirm *" - "register-page.create-profile.security.label.passwordrepeat" : "Potvrďte zadání *", - - // "register-page.create-profile.security.error.empty-password" : "Please enter a password in the box below." - "register-page.create-profile.security.error.empty-password" : "Do níže uvedeného pole zadejte heslo.", - - // "register-page.create-profile.security.error.matching-passwords" : "The passwords do not match." - "register-page.create-profile.security.error.matching-passwords" : "Hesla se neshodují.", - - // "register-page.create-profile.security.error.password-length" : "The password should be at least 6 characters long." - "register-page.create-profile.security.error.password-length" : "Heslo by mělo mít alespoň 6 znaků.", - - // "register-page.create-profile.submit" : "Complete Registration" - "register-page.create-profile.submit" : "Dokončení registrace", - - // "register-page.create-profile.submit.error.content" : "Something went wrong while registering a new user." - "register-page.create-profile.submit.error.content" : "Při registraci nového uživatele se něco pokazilo.", - - // "register-page.create-profile.submit.error.head" : "Registration failed" - "register-page.create-profile.submit.error.head" : "Registrace selhala", - - // "register-page.create-profile.submit.success.content" : "The registration was successful. You have been logged in as the created user." - "register-page.create-profile.submit.success.content" : "Registrace proběhla úspěšně. Byli jste přihlášeni jako vytvořený uživatel.", - - // "register-page.create-profile.submit.success.head" : "Registration completed" - "register-page.create-profile.submit.success.head" : "Registrace dokončena", - - // "register-page.registration.header" : "New user registration" - "register-page.registration.header" : "Registrace nového uživatele", - - // "register-page.registration.info" : "Register an account to subscribe to collections for email updates, and submit new items to DSpace." - "register-page.registration.info" : "Zaregistrujte si účet k odběru kolekcí pro e-mailové aktualizace a odešlete nové položky do DSpace.", - - // "register-page.registration.email" : "Email Address *" - "register-page.registration.email" : "E-mailová adresa *", - - // "register-page.registration.email.error.required" : "Please fill in an email address" - "register-page.registration.email.error.required" : "Prosím, vyplňte e-mailovou adresu", - - // "register-page.registration.email.error.pattern" : "Please fill in a valid email address" - "register-page.registration.email.error.pattern" : "Vyplňte prosím platnou e-mailovou adresu", - - // "register-page.registration.email.hint" : "This address will be verified and used as your login name." - "register-page.registration.email.hint" : "Tato adresa bude ověřena a použita jako vaše přihlašovací jméno.", - - // "register-page.registration.submit" : "Register" - "register-page.registration.submit" : "Registrovat", - - // "register-page.registration.success.head" : "Verification email sent" - "register-page.registration.success.head" : "Ověřovací e-mail odeslán", - - // "register-page.registration.success.content" : "An email has been sent to {{ email }} containing a special URL and further instructions." - "register-page.registration.success.content" : "Na adresu {{ email }} byl odeslán e-mail obsahující speciální URL a další instrukce.", - - // "register-page.registration.error.head" : "Error when trying to register email" - "register-page.registration.error.head" : "Chyba při pokusu o registraci e-mailu", - - // "register-page.registration.error.content" : "An error occured when registering the following email address: {{ email }}" - "register-page.registration.error.content" : "Při registraci následující e-mailové adresy došlo k chybě: {{ email }}", - - // "relationships.add.error.relationship-type.content" : "No suitable match could be found for relationship type {{ type }} between the two items" - "relationships.add.error.relationship-type.content" : "Pro typ vztahu {{ type }} mezi dvěma položkami nebyla nalezena žádná vhodná shoda.", - - // "relationships.add.error.server.content" : "The server returned an error" - "relationships.add.error.server.content" : "Server vrátil chybu", - - // "relationships.add.error.title" : "Unable to add relationship" - "relationships.add.error.title" : "Nelze přidat vztah", - - // "relationships.isAuthorOf" : "Authors" - "relationships.isAuthorOf" : "Autoři", - - // "relationships.isAuthorOf.Person" : "Authors (persons)" - "relationships.isAuthorOf.Person" : "Autoři (osoby)", - - // "relationships.isAuthorOf.OrgUnit" : "Authors (organizational units)" - "relationships.isAuthorOf.OrgUnit" : "Autoři (organizační jednotky)", - - // "relationships.isIssueOf" : "Journal Issues" - "relationships.isIssueOf" : "Vydání časopisu", - - // "relationships.isJournalIssueOf" : "Journal Issue" - "relationships.isJournalIssueOf" : "Vydání časopisu", - - // "relationships.isJournalOf" : "Journals" - "relationships.isJournalOf" : "Časopisy", - - // "relationships.isOrgUnitOf" : "Organizational Units" - "relationships.isOrgUnitOf" : "Organizační jednotky", - - // "relationships.isPersonOf" : "Authors" - "relationships.isPersonOf" : "Autoři", - - // "relationships.isProjectOf" : "Research Projects" - "relationships.isProjectOf" : "Výzkumné projekty", - - // "relationships.isPublicationOf" : "Publications" - "relationships.isPublicationOf" : "Publikace", - - // "relationships.isPublicationOfJournalIssue" : "Articles" - "relationships.isPublicationOfJournalIssue" : "Články", - - // "relationships.isSingleJournalOf" : "Journal" - "relationships.isSingleJournalOf" : "Časopis", - - // "relationships.isSingleVolumeOf" : "Journal Volume" - "relationships.isSingleVolumeOf" : "Svazek časopisu", - - // "relationships.isVolumeOf" : "Journal Volumes" - "relationships.isVolumeOf" : "Svazky časopisů", - - // "relationships.isContributorOf" : "Contributors" - "relationships.isContributorOf" : "Přispěvatelé", - - // "relationships.isContributorOf.OrgUnit" : "Contributor (Organizational Unit)" - "relationships.isContributorOf.OrgUnit" : "Přispěvatel (organizační jednotka)", - - // "relationships.isContributorOf.Person" : "Contributor" - "relationships.isContributorOf.Person" : "Přispěvatel", - - // "relationships.isFundingAgencyOf.OrgUnit" : "Funder" - "relationships.isFundingAgencyOf.OrgUnit" : "Poskytovatel podpory", - - // "repository.image.logo" : "Repository logo" - "repository.image.logo" : "Logo úložiště", - - // "repository.title.prefix" : "DSpace Angular ::" - "repository.title.prefix" : "", - - // "repository.title.prefixDSpace" : "DSpace Angular ::" - "repository.title.prefixDSpace" : "", - - // "resource-policies.add.button" : "Add" - "resource-policies.add.button" : "Přidat", - - // "resource-policies.add.for." : "Add a new policy" - "resource-policies.add.for." : "Přidat nové zásady", - - // "resource-policies.add.for.bitstream" : "Add a new Bitstream policy" - "resource-policies.add.for.bitstream" : "Přidat nové zásady bitstreamu", - - // "resource-policies.add.for.bundle" : "Add a new Bundle policy" - "resource-policies.add.for.bundle" : "Přidat nové zásady svazků", - - // "resource-policies.add.for.item" : "Add a new Item policy" - "resource-policies.add.for.item" : "Přidat nové zásady položky", - - // "resource-policies.add.for.community" : "Add a new Community policy" - "resource-policies.add.for.community" : "Přidat nové zásady komunity", - - // "resource-policies.add.for.collection" : "Add a new Collection policy" - "resource-policies.add.for.collection" : "Přidat nové zásady sběru", - - // "resource-policies.create.page.heading" : "Create new resource policy for" - "resource-policies.create.page.heading" : "Vytvořit nové zásady zdrojů pro", - - // "resource-policies.create.page.failure.content" : "An error occurred while creating the resource policy." - "resource-policies.create.page.failure.content" : "Při vytváření zásad zdrojů došlo k chybě.", - - // "resource-policies.create.page.success.content" : "Operation successful" - "resource-policies.create.page.success.content" : "Operace úspěšná", - - // "resource-policies.create.page.title" : "Create new resource policy" - "resource-policies.create.page.title" : "Vytvořit nové zásady zdrojů", - - // "resource-policies.delete.btn" : "Delete selected" - "resource-policies.delete.btn" : "Vymazat označené", - - // "resource-policies.delete.btn.title" : "Delete selected resource policies" - "resource-policies.delete.btn.title" : "Odstranění vybraných zásad prostředků", - - // "resource-policies.delete.failure.content" : "An error occurred while deleting selected resource policies." - "resource-policies.delete.failure.content" : "Při odstraňování vybraných zásad prostředků došlo k chybě.", - - // "resource-policies.delete.success.content" : "Operation successful" - "resource-policies.delete.success.content" : "Operace úspěšná", - - // "resource-policies.edit.page.heading" : "Edit resource policy" - "resource-policies.edit.page.heading" : "Upravit zásady pro zdroje", - - // "resource-policies.edit.page.failure.content" : "An error occurred while editing the resource policy." - "resource-policies.edit.page.failure.content" : "Při úpravě zásad prostředků došlo k chybě.", - - // "resource-policies.edit.page.success.content" : "Operation successful" - "resource-policies.edit.page.success.content" : "Operace úspěšná", - - // "resource-policies.edit.page.title" : "Edit resource policy" - "resource-policies.edit.page.title" : "Upravit zásady zdrojů", - - // "resource-policies.form.action-type.label" : "Select the action type" - "resource-policies.form.action-type.label" : "Vyberte typ akce", - - // "resource-policies.form.action-type.required" : "You must select the resource policy action." - "resource-policies.form.action-type.required" : "Je třeba vybrat akci zásad prostředků.", - - // "resource-policies.form.eperson-group-list.label" : "The eperson or group that will be granted the permission" - "resource-policies.form.eperson-group-list.label" : "Eperson nebo skupina, které bude uděleno povolení", - - // "resource-policies.form.eperson-group-list.select.btn" : "Select" - "resource-policies.form.eperson-group-list.select.btn" : "Vybrat", - - // "resource-policies.form.eperson-group-list.tab.eperson" : "Search for a ePerson" - "resource-policies.form.eperson-group-list.tab.eperson" : "Hledat ePerson", - - // "resource-policies.form.eperson-group-list.tab.group" : "Search for a group" - "resource-policies.form.eperson-group-list.tab.group" : "Hledat skupinu", - - // "resource-policies.form.eperson-group-list.table.headers.action" : "Action" - "resource-policies.form.eperson-group-list.table.headers.action" : "Akce", - - // "resource-policies.form.eperson-group-list.table.headers.id" : "ID" - "resource-policies.form.eperson-group-list.table.headers.id" : "ID", - - // "resource-policies.form.eperson-group-list.table.headers.name" : "Name" - "resource-policies.form.eperson-group-list.table.headers.name" : "Jméno", - - // "resource-policies.form.date.end.label" : "End Date" - "resource-policies.form.date.end.label" : "Datum ukončení", - - // "resource-policies.form.date.start.label" : "Start Date" - "resource-policies.form.date.start.label" : "Datum zahájení", - - // "resource-policies.form.description.label" : "Description" - "resource-policies.form.description.label" : "Popis", - - // "resource-policies.form.name.label" : "Name" - "resource-policies.form.name.label" : "Jméno", - - // "resource-policies.form.policy-type.label" : "Select the policy type" - "resource-policies.form.policy-type.label" : "Vyberte typ zásady", - - // "resource-policies.form.policy-type.required" : "You must select the resource policy type." - "resource-policies.form.policy-type.required" : "Je třeba vybrat typ zásad zdrojov.", - - // "resource-policies.table.headers.action" : "Action" - "resource-policies.table.headers.action" : "Akce", - - // "resource-policies.table.headers.date.end" : "End Date" - "resource-policies.table.headers.date.end" : "Datum ukončení", - - // "resource-policies.table.headers.date.start" : "Start Date" - "resource-policies.table.headers.date.start" : "Datum zahájení", - - // "resource-policies.table.headers.edit" : "Edit" - "resource-policies.table.headers.edit" : "Upravit", - - // "resource-policies.table.headers.edit.group" : "Edit group" - "resource-policies.table.headers.edit.group" : "Upravit skupinu", - - // "resource-policies.table.headers.edit.policy" : "Edit policy" - "resource-policies.table.headers.edit.policy" : "Upravit zásady", - - // "resource-policies.table.headers.eperson" : "EPerson" - "resource-policies.table.headers.eperson" : "EPerson", - - // "resource-policies.table.headers.group" : "Group" - "resource-policies.table.headers.group" : "Skupina", - - // "resource-policies.table.headers.id" : "ID" - "resource-policies.table.headers.id" : "ID", - - // "resource-policies.table.headers.name" : "Name" - "resource-policies.table.headers.name" : "Jméno", - - // "resource-policies.table.headers.policyType" : "type" - "resource-policies.table.headers.policyType" : "typ", - - // "resource-policies.table.headers.title.for.bitstream" : "Policies for Bitstream" - "resource-policies.table.headers.title.for.bitstream" : "Zásady pro bitstream", - - // "resource-policies.table.headers.title.for.bundle" : "Policies for Bundle" - "resource-policies.table.headers.title.for.bundle" : "Zásady pro svazek", - - // "resource-policies.table.headers.title.for.item" : "Policies for Item" - "resource-policies.table.headers.title.for.item" : "Zásady pro položku", - - // "resource-policies.table.headers.title.for.community" : "Policies for Community" - "resource-policies.table.headers.title.for.community" : "Zásady pro komunitu", - - // "resource-policies.table.headers.title.for.collection" : "Policies for Collection" - "resource-policies.table.headers.title.for.collection" : "Zásady pro sběr", - - // "clarin-license-table.title" : "License Administration" + // "clarin-license-table.title": "License Administration", "clarin-license-table.title" : "Správa licencí", - // "clarin-license.table.name" : "License Name" + // "clarin-license.table.name": "License Name", "clarin-license.table.name" : "Název licence", - // "clarin-license.table.definition" : "Definition (URL)" + // "clarin-license.table.definition": "Definition (URL)", "clarin-license.table.definition" : "Definice (URL)", - // "clarin-license.table.confirmation" : "Confirmation" + // "clarin-license.table.confirmation": "Confirmation", "clarin-license.table.confirmation" : "Potvrzení", - // "clarin-license.table.required-user-info" : "Required user info" + // "clarin-license.table.required-user-info": "Required user info", "clarin-license.table.required-user-info" : "Požadované informace o uživateli", - // "clarin-license.table.label" : "License Label" + // "clarin-license.table.label": "License Label", "clarin-license.table.label" : "Licenční štítek", - // "clarin-license.table.extended-labels" : "Extended Labels" + // "clarin-license.table.extended-labels": "Extended Labels", "clarin-license.table.extended-labels" : "Rozšířené štítky", - // "clarin-license.table.bitstreams" : "Used by Bitstreams" + // "clarin-license.table.bitstreams": "Used by Bitstreams", "clarin-license.table.bitstreams" : "Používána bitstreamem", - // "clarin-license.button.define" : "Define" + // "clarin-license.button.define": "Define", "clarin-license.button.define" : "Definovat", - // "clarin-license.button.define-license" : "Define License" + // "clarin-license.button.define-license": "Define License", "clarin-license.button.define-license" : "Definovat licenci", - // "clarin-license.button.define-license-label" : "Define License Label" + // "clarin-license.button.define-license-label": "Define License Label", "clarin-license.button.define-license-label" : "Definice licenčního štítku", - // "clarin-license.button.edit-license" : "Edit License" + // "clarin-license.button.edit-license": "Edit License", "clarin-license.button.edit-license" : "Upravit licenci", - // "clarin-license.button.delete-license" : "Delete License" + // "clarin-license.button.delete-license": "Delete License", "clarin-license.button.delete-license" : "Odstranit licenci", - // "clarin-license.button.search" : "Search" + // "clarin-license.button.search": "Search", "clarin-license.button.search" : "Hledat", - // "clarin-license.button.search.placeholder" : "Search by the license name ..." + // "clarin-license.button.search.placeholder": "Search by the license name ...", "clarin-license.button.search.placeholder" : "Hledat podle názvu licence ...", - // "clarin-license.define-license-form.form-name" : "Define new license" + + // "clarin-license.define-license-form.form-name": "Define new license", "clarin-license.define-license-form.form-name" : "Definice nové licence", - // "clarin-license.define-license-form.input-name" : "License name" + // "clarin-license.define-license-form.input-name": "License name", "clarin-license.define-license-form.input-name" : "Název licence", - // "clarin-license.define-license-form.input-definition-url" : "License Definition URL" + // "clarin-license.define-license-form.input-definition-url": "License Definition URL", "clarin-license.define-license-form.input-definition-url" : "URL adresa pro definici licence", - // "clarin-license.define-license-form.input-confirmation" : "License requires confirmation" + // "clarin-license.define-license-form.input-confirmation": "License requires confirmation", "clarin-license.define-license-form.input-confirmation" : "Licence vyžaduje potvrzení", - // "clarin-license.define-license-form.license-labels" : "License Labels" + // "clarin-license.define-license-form.license-labels": "License Labels", "clarin-license.define-license-form.license-labels" : "Licenční štítky", - // "clarin-license.define-license-form.extended-license-labels" : "Extended License Labels" + // "clarin-license.define-license-form.extended-license-labels": "Extended License Labels", "clarin-license.define-license-form.extended-license-labels" : "Rozšířené licenční štítky", - // "clarin-license.define-license-form.required-info" : "Additional required user info" + // "clarin-license.define-license-form.required-info": "Additional required user info", "clarin-license.define-license-form.required-info" : "Další požadované informace o uživateli", - // "clarin-license.define-license-form.submit-button" : "Save" + // "clarin-license.define-license-form.submit-button": "Save", "clarin-license.define-license-form.submit-button" : "Uložit", - // "clarin-license.define-license.notification.successful-content" : "License was defined successfully" + // "clarin-license.define-license.notification.successful-content": "License was defined successfully", "clarin-license.define-license.notification.successful-content" : "Licence byla úspěšně definována", - // "clarin-license.define-license.notification.error-content" : "Error: cannot define new License" - "clarin-license.define-license.notification.error-content" : "Chyba: nelze definovat novou licenci", + // "clarin-license.define-license.notification.error-content": "Error: cannot define new License", + "clarin-license.define-license.notification.error-content": "Chyba: nelze definovat novou licenci", - // "clarin-license.edit-license.notification.successful-content" : "License was updated successfully" + // "clarin-license.edit-license.notification.successful-content": "License was updated successfully", "clarin-license.edit-license.notification.successful-content" : "Licence byla úspěšně aktualizována", - // "clarin-license.edit-license.notification.error-content" : "Error: cannot edit the License" - "clarin-license.edit-license.notification.error-content" : "Chyba: Licenci nelze upravit", + // "clarin-license.edit-license.notification.error-content": "Error: cannot edit the License", + "clarin-license.edit-license.notification.error-content": "Chyba: Licenci nelze upravit", - // "clarin-license.delete-license.notification.successful-content" : "License was deleted successfully" + // "clarin-license.delete-license.notification.successful-content": "License was deleted successfully", "clarin-license.delete-license.notification.successful-content" : "Licence byla úspěšně odstraněna", - // "clarin-license.delete-license.notification.error-content" : "Error: cannot delete License" - "clarin-license.delete-license.notification.error-content" : "Chyba: nelze odstranit licenci", + // "clarin-license.delete-license.notification.error-content": "Error: cannot delete License", + "clarin-license.delete-license.notification.error-content": "Chyba: nelze odstranit licenci", + - // "clarin-license-label.define-license-label.input-label" : "Short Label (max 5. chars)" + + // "clarin-license-label.define-license-label.input-label": "Short Label (max 5. chars)", "clarin-license-label.define-license-label.input-label" : "Krátký popisek (max. 5 znaků)", - // "clarin-license-label.define-license-label.input-title" : "Label Title" + // "clarin-license-label.define-license-label.input-title": "Label Title", "clarin-license-label.define-license-label.input-title" : "Název štítku", - // "clarin-license-label.define-license-label.input-is-extended" : "Is extended" + // "clarin-license-label.define-license-label.input-is-extended": "Is extended", "clarin-license-label.define-license-label.input-is-extended" : "Je rozšířena", - // "clarin-license-label.define-license-label.input-icon" : "Icon" + // "clarin-license-label.define-license-label.input-icon": "Icon", "clarin-license-label.define-license-label.input-icon" : "Ikona", - // "clarin-license-label.define-license-label.notification.successful-content" : "License Label was defined successfully" + // "clarin-license-label.define-license-label.notification.successful-content": "License Label was defined successfully", "clarin-license-label.define-license-label.notification.successful-content" : "Licenční štítek byl úspěšně definován", - // "clarin-license-label.define-license-label.notification.error-content" : "Error: cannot define new License Label" - "clarin-license-label.define-license-label.notification.error-content" : "Chyba: Nelze definovat nový popisek licence", + // "clarin-license-label.define-license-label.notification.error-content": "Error: cannot define new License Label", + "clarin-license-label.define-license-label.notification.error-content": "Chyba: Nelze definovat nový popisek licence", - // "search.switch-configuration.title" : "Show" - "search.switch-configuration.title" : "Zobrazit", - // "search.description": "" + + // "search.description": "", "search.description": "", - // "search.title" : "Search" + // "search.switch-configuration.title": "Show", + "search.switch-configuration.title" : "Zobrazit", + + // "search.title": "Search", "search.title" : "Hledat", - // "search.breadcrumbs" : "Search" + // "search.breadcrumbs": "Search", "search.breadcrumbs" : "Hledat", - // "search.search-form.placeholder" : "Search the repository ..." + // "search.search-form.placeholder": "Search the repository ...", "search.search-form.placeholder" : "Hledat v úložišti ...", - // "search.filters.applied.f.author" : "Author" + + // "search.filters.applied.f.author": "Author", "search.filters.applied.f.author" : "Autor", - // "search.filters.applied.f.dateIssued.max" : "End date" + // "search.filters.applied.f.dateIssued.max": "End date", "search.filters.applied.f.dateIssued.max" : "Datum ukončení", - // "search.filters.applied.f.dateIssued.min" : "Start date" + // "search.filters.applied.f.dateIssued.min": "Start date", "search.filters.applied.f.dateIssued.min" : "Datum zahájení", - // "search.filters.applied.f.dateSubmitted" : "Date submitted" + // "search.filters.applied.f.dateSubmitted": "Date submitted", "search.filters.applied.f.dateSubmitted" : "Datum předložení", - // "search.filters.applied.f.discoverable" : "Non-discoverable" + // "search.filters.applied.f.discoverable": "Non-discoverable", "search.filters.applied.f.discoverable" : "Soukromé", - // "search.filters.applied.f.entityType" : "Item Type" + // "search.filters.applied.f.entityType": "Item Type", "search.filters.applied.f.entityType" : "Typ položky", - // "search.filters.applied.f.has_content_in_original_bundle" : "Has files" + // "search.filters.applied.f.has_content_in_original_bundle": "Has files", "search.filters.applied.f.has_content_in_original_bundle" : "Má soubory", - // "search.filters.applied.f.itemtype" : "Type" + // "search.filters.applied.f.itemtype": "Type", "search.filters.applied.f.itemtype" : "Typ", - // "search.filters.applied.f.namedresourcetype" : "Status" + // "search.filters.applied.f.namedresourcetype": "Status", "search.filters.applied.f.namedresourcetype" : "Stav", - // "search.filters.applied.f.subject" : "Subject" + // "search.filters.applied.f.subject": "Subject", "search.filters.applied.f.subject" : "Předmět", - // "search.filters.applied.f.submitter" : "Submitter" + // "search.filters.applied.f.submitter": "Submitter", "search.filters.applied.f.submitter" : "Předkladatel", - // "search.filters.applied.f.jobTitle" : "Job Title" + // "search.filters.applied.f.jobTitle": "Job Title", "search.filters.applied.f.jobTitle" : "Pracovní pozice", - // "search.filters.applied.f.birthDate.max" : "End birth date" + // "search.filters.applied.f.birthDate.max": "End birth date", "search.filters.applied.f.birthDate.max" : "", - // "search.filters.applied.f.birthDate.min" : "Start birth date" + // "search.filters.applied.f.birthDate.min": "Start birth date", "search.filters.applied.f.birthDate.min" : "", - // "search.filters.applied.f.withdrawn" : "Withdrawn" + // "search.filters.applied.f.supervisedBy": "Supervised by", + "search.filters.applied.f.supervisedBy" : "Pod dohledem", + + // "search.filters.applied.f.withdrawn": "Withdrawn", "search.filters.applied.f.withdrawn" : "Vyřazeno", - // "search.filters.applied.f.rights" : "Rights" + // "search.filters.applied.f.rights": "Rights", "search.filters.applied.f.rights" : "Práva", - // "search.filters.applied.f.language" : "Language (ISO)" + // "search.filters.applied.f.language": "Language (ISO)", "search.filters.applied.f.language" : "Jazyk (ISO)", - // "search.filters.applied.f.items_owning_community" : "Community" + // "search.filters.applied.f.items_owning_community": "Community", "search.filters.applied.f.items_owning_community" : "Komunita", - // "search.filters.applied.f.publisher" : "Publisher" + // "search.filters.applied.f.publisher": "Publisher", "search.filters.applied.f.publisher" : "Vydavatel", - // "search.filters.filter.author.head" : "Author" + + + // "search.filters.filter.author.head": "Author", "search.filters.filter.author.head" : "Autor", - // "search.filters.filter.author.placeholder" : "Author name" + // "search.filters.filter.author.placeholder": "Author name", "search.filters.filter.author.placeholder" : "Jméno autora", - // "search.filters.filter.author.label" : "Search author name" + // "search.filters.filter.author.label": "Search author name", "search.filters.filter.author.label" : "Hledat jméno autora", - // "search.filters.filter.birthDate.head" : "Birth Date" + // "search.filters.filter.birthDate.head": "Birth Date", "search.filters.filter.birthDate.head" : "Datum narození", - // "search.filters.filter.birthDate.placeholder" : "Birth Date" + // "search.filters.filter.birthDate.placeholder": "Birth Date", "search.filters.filter.birthDate.placeholder" : "Datum narození", - // "search.filters.filter.birthDate.label" : "Search birth date" + // "search.filters.filter.birthDate.label": "Search birth date", "search.filters.filter.birthDate.label" : "Hledat datum narození", - // "search.filters.filter.collapse" : "Collapse filter" + // "search.filters.filter.collapse": "Collapse filter", "search.filters.filter.collapse" : "Sbalit filtr", - // "search.filters.filter.creativeDatePublished.head" : "Date Published" + // "search.filters.filter.creativeDatePublished.head": "Date Published", "search.filters.filter.creativeDatePublished.head" : "Datum vydání", - // "search.filters.filter.creativeDatePublished.placeholder" : "Date Published" + // "search.filters.filter.creativeDatePublished.placeholder": "Date Published", "search.filters.filter.creativeDatePublished.placeholder" : "Datum vydání", - // "search.filters.filter.creativeDatePublished.label" : "Search date published" + // "search.filters.filter.creativeDatePublished.label": "Search date published", "search.filters.filter.creativeDatePublished.label" : "Hledat datum vydání", - // "search.filters.filter.creativeWorkEditor.head" : "Editor" + // "search.filters.filter.creativeWorkEditor.head": "Editor", "search.filters.filter.creativeWorkEditor.head" : "Editor", - // "search.filters.filter.creativeWorkEditor.placeholder" : "Editor" + // "search.filters.filter.creativeWorkEditor.placeholder": "Editor", "search.filters.filter.creativeWorkEditor.placeholder" : "Editor", - // "search.filters.filter.creativeWorkEditor.label" : "Search editor" + // "search.filters.filter.creativeWorkEditor.label": "Search editor", "search.filters.filter.creativeWorkEditor.label" : "Hledat editora", - // "search.filters.filter.creativeWorkKeywords.head" : "Subject" + // "search.filters.filter.creativeWorkKeywords.head": "Subject", "search.filters.filter.creativeWorkKeywords.head" : "Předmět", - // "search.filters.filter.creativeWorkKeywords.placeholder" : "Subject" + // "search.filters.filter.creativeWorkKeywords.placeholder": "Subject", "search.filters.filter.creativeWorkKeywords.placeholder" : "Předmět", - // "search.filters.filter.creativeWorkKeywords.label" : "Search subject" + // "search.filters.filter.creativeWorkKeywords.label": "Search subject", "search.filters.filter.creativeWorkKeywords.label" : "Hledat předmět", - // "search.filters.filter.creativeWorkPublisher.head" : "Publisher" + // "search.filters.filter.creativeWorkPublisher.head": "Publisher", "search.filters.filter.creativeWorkPublisher.head" : "Vydavatel", - // "search.filters.filter.creativeWorkPublisher.placeholder" : "Publisher" + // "search.filters.filter.creativeWorkPublisher.placeholder": "Publisher", "search.filters.filter.creativeWorkPublisher.placeholder" : "Vydavatel", - // "search.filters.filter.creativeWorkPublisher.label" : "Search publisher" + // "search.filters.filter.creativeWorkPublisher.label": "Search publisher", "search.filters.filter.creativeWorkPublisher.label" : "Hledat vydavatele", - // "search.filters.filter.dateIssued.head" : "Date" + // "search.filters.filter.dateIssued.head": "Date", "search.filters.filter.dateIssued.head" : "Datum", - // "search.filters.filter.dateIssued.max.placeholder" : "Maximum Date" + // "search.filters.filter.dateIssued.max.placeholder": "Maximum Date", "search.filters.filter.dateIssued.max.placeholder" : "Nejzazší možný datum", - // "search.filters.filter.dateIssued.max.label" : "End" + // "search.filters.filter.dateIssued.max.label": "End", "search.filters.filter.dateIssued.max.label" : "Konec", - // "search.filters.filter.dateIssued.min.placeholder" : "Minimum Date" + // "search.filters.filter.dateIssued.min.placeholder": "Minimum Date", "search.filters.filter.dateIssued.min.placeholder" : "Nejkratší možný termín", - // "search.filters.filter.dateIssued.min.label" : "Start" + // "search.filters.filter.dateIssued.min.label": "Start", "search.filters.filter.dateIssued.min.label" : "Start", - // "search.filters.filter.dateSubmitted.head" : "Date submitted" + // "search.filters.filter.dateSubmitted.head": "Date submitted", "search.filters.filter.dateSubmitted.head" : "Datum předložení", - // "search.filters.filter.dateSubmitted.placeholder" : "Date submitted" + // "search.filters.filter.dateSubmitted.placeholder": "Date submitted", "search.filters.filter.dateSubmitted.placeholder" : "Datum předložení", - // "search.filters.filter.dateSubmitted.label" : "Search date submitted" + // "search.filters.filter.dateSubmitted.label": "Search date submitted", "search.filters.filter.dateSubmitted.label" : "Hledat datum odeslání", - // "search.filters.filter.discoverable.head" : "Non-discoverable" + // "search.filters.filter.discoverable.head": "Non-discoverable", "search.filters.filter.discoverable.head" : "Soukromé", - // "search.filters.filter.withdrawn.head" : "Withdrawn" + // "search.filters.filter.withdrawn.head": "Withdrawn", "search.filters.filter.withdrawn.head" : "Vyřazeno", - // "search.filters.filter.entityType.head" : "Item Type" + // "search.filters.filter.entityType.head": "Item Type", "search.filters.filter.entityType.head" : "Typ položky", - // "search.filters.filter.entityType.placeholder" : "Item Type" + // "search.filters.filter.entityType.placeholder": "Item Type", "search.filters.filter.entityType.placeholder" : "Typ položky", - // "search.filters.filter.entityType.label" : "Search item type" + // "search.filters.filter.entityType.label": "Search item type", "search.filters.filter.entityType.label" : "Hledat typ položky", - // "search.filters.filter.expand" : "Expand filter" + // "search.filters.filter.expand": "Expand filter", "search.filters.filter.expand" : "Rozbalit filtr", - // "search.filters.filter.has_content_in_original_bundle.head" : "Has files" + // "search.filters.filter.has_content_in_original_bundle.head": "Has files", "search.filters.filter.has_content_in_original_bundle.head" : "Má soubory", - // "search.filters.filter.itemtype.head" : "Type" + // "search.filters.filter.itemtype.head": "Type", "search.filters.filter.itemtype.head" : "Typ", - // "search.filters.filter.itemtype.placeholder" : "Type" + // "search.filters.filter.itemtype.placeholder": "Type", "search.filters.filter.itemtype.placeholder" : "Typ", - // "search.filters.filter.itemtype.label" : "Search type" + // "search.filters.filter.itemtype.label": "Search type", "search.filters.filter.itemtype.label" : "Typ vyhledávání", - // "search.filters.filter.jobTitle.head" : "Job Title" + // "search.filters.filter.jobTitle.head": "Job Title", "search.filters.filter.jobTitle.head" : "Pracovní pozice", - // "search.filters.filter.jobTitle.placeholder" : "Job Title" + // "search.filters.filter.jobTitle.placeholder": "Job Title", "search.filters.filter.jobTitle.placeholder" : "Pracovní pozice", - // "search.filters.filter.jobTitle.label" : "Search job title" + // "search.filters.filter.jobTitle.label": "Search job title", "search.filters.filter.jobTitle.label" : "Hledat pracovní pozici", - // "search.filters.filter.knowsLanguage.head" : "Known language" + // "search.filters.filter.knowsLanguage.head": "Known language", "search.filters.filter.knowsLanguage.head" : "Známý jazyk", - // "search.filters.filter.knowsLanguage.placeholder" : "Known language" + // "search.filters.filter.knowsLanguage.placeholder": "Known language", "search.filters.filter.knowsLanguage.placeholder" : "Známý jazyk", - // "search.filters.filter.knowsLanguage.label" : "Search known language" + // "search.filters.filter.knowsLanguage.label": "Search known language", "search.filters.filter.knowsLanguage.label" : "Hledat známy jazyk", - // "search.filters.filter.namedresourcetype.head" : "Status" + // "search.filters.filter.namedresourcetype.head": "Status", "search.filters.filter.namedresourcetype.head" : "Stav", - // "search.filters.filter.namedresourcetype.placeholder" : "Status" + // "search.filters.filter.namedresourcetype.placeholder": "Status", "search.filters.filter.namedresourcetype.placeholder" : "Stav", - // "search.filters.filter.namedresourcetype.label" : "Search status" + // "search.filters.filter.namedresourcetype.label": "Search status", "search.filters.filter.namedresourcetype.label" : "Stav vyhledávání", - // "search.filters.filter.objectpeople.head" : "People" + // "search.filters.filter.objectpeople.head": "People", "search.filters.filter.objectpeople.head" : "Lidé", - // "search.filters.filter.objectpeople.placeholder" : "People" + // "search.filters.filter.objectpeople.placeholder": "People", "search.filters.filter.objectpeople.placeholder" : "Lidé", - // "search.filters.filter.objectpeople.label" : "Search people" + // "search.filters.filter.objectpeople.label": "Search people", "search.filters.filter.objectpeople.label" : "Hledat osoby", - // "search.filters.filter.organizationAddressCountry.head" : "Country" + // "search.filters.filter.organizationAddressCountry.head": "Country", "search.filters.filter.organizationAddressCountry.head" : "Krajina", - // "search.filters.filter.organizationAddressCountry.placeholder" : "Country" + // "search.filters.filter.organizationAddressCountry.placeholder": "Country", "search.filters.filter.organizationAddressCountry.placeholder" : "Krajina", - // "search.filters.filter.organizationAddressCountry.label" : "Search country" + // "search.filters.filter.organizationAddressCountry.label": "Search country", "search.filters.filter.organizationAddressCountry.label" : "Hledat krajinu", - // "search.filters.filter.organizationAddressLocality.head" : "City" + // "search.filters.filter.organizationAddressLocality.head": "City", "search.filters.filter.organizationAddressLocality.head" : "Město", - // "search.filters.filter.organizationAddressLocality.placeholder" : "City" + // "search.filters.filter.organizationAddressLocality.placeholder": "City", "search.filters.filter.organizationAddressLocality.placeholder" : "Město", - // "search.filters.filter.organizationAddressLocality.label" : "Search city" + // "search.filters.filter.organizationAddressLocality.label": "Search city", "search.filters.filter.organizationAddressLocality.label" : "Hledat město", - // "search.filters.filter.organizationFoundingDate.head" : "Date Founded" + // "search.filters.filter.organizationFoundingDate.head": "Date Founded", "search.filters.filter.organizationFoundingDate.head" : "Datum založení", - // "search.filters.filter.organizationFoundingDate.placeholder" : "Date Founded" + // "search.filters.filter.organizationFoundingDate.placeholder": "Date Founded", "search.filters.filter.organizationFoundingDate.placeholder" : "Datum založení", - // "search.filters.filter.organizationFoundingDate.label" : "Search date founded" + // "search.filters.filter.organizationFoundingDate.label": "Search date founded", "search.filters.filter.organizationFoundingDate.label" : "Hledat datum založení", - // "search.filters.filter.scope.head" : "Scope" + // "search.filters.filter.scope.head": "Scope", "search.filters.filter.scope.head" : "Rozsah", - // "search.filters.filter.scope.placeholder" : "Scope filter" + // "search.filters.filter.scope.placeholder": "Scope filter", "search.filters.filter.scope.placeholder" : "Filtr rozsahu", - // "search.filters.filter.scope.label" : "Search scope filter" + // "search.filters.filter.scope.label": "Search scope filter", "search.filters.filter.scope.label" : "Filtr rozsahu hledání", - // "search.filters.filter.show-less" : "Collapse" + // "search.filters.filter.show-less": "Collapse", "search.filters.filter.show-less" : "Sbalit", - // "search.filters.filter.show-more" : "Show more" + // "search.filters.filter.show-more": "Show more", "search.filters.filter.show-more" : "Zobrazit více", - // "search.filters.filter.subject.head" : "Subject" + // "search.filters.filter.subject.head": "Subject", "search.filters.filter.subject.head" : "Předmět", - // "search.filters.filter.subject.placeholder" : "Subject" + // "search.filters.filter.subject.placeholder": "Subject", "search.filters.filter.subject.placeholder" : "Předmět", - // "search.filters.filter.subject.label" : "Search subject" + // "search.filters.filter.subject.label": "Search subject", "search.filters.filter.subject.label" : "Hledat předmět", - // "search.filters.filter.submitter.head" : "Submitter" + // "search.filters.filter.submitter.head": "Submitter", "search.filters.filter.submitter.head" : "Odesílatel", - // "search.filters.filter.submitter.placeholder" : "Submitter" + // "search.filters.filter.submitter.placeholder": "Submitter", "search.filters.filter.submitter.placeholder" : "Odesílatel", - // "search.filters.filter.submitter.label" : "Search submitter" + // "search.filters.filter.submitter.label": "Search submitter", "search.filters.filter.submitter.label" : "Hledat předkladatele", - // "search.filters.filter.rights.head" : "Rights" + // "search.filters.filter.show-tree": "Browse {{ name }} tree", + "search.filters.filter.show-tree" : "Procházet strom {{ name }}", + + // "search.filters.filter.supervisedBy.head": "Supervised By", + "search.filters.filter.supervisedBy.head" : "Pod dohledem", + + // "search.filters.filter.supervisedBy.placeholder": "Supervised By", + "search.filters.filter.supervisedBy.placeholder" : "Pod dohledem", + + // "search.filters.filter.supervisedBy.label": "Search Supervised By", + "search.filters.filter.supervisedBy.label" : "Hledat dohlížené", + + // "search.filters.filter.rights.head": "Rights", "search.filters.filter.rights.head" : "Práva", - // "search.filters.filter.language.head" : "Language (ISO)" + // "search.filters.filter.language.head": "Language (ISO)", "search.filters.filter.language.head" : "Jazyk (ISO)", - // "search.filters.filter.items_owning_community.head" : "Community" + // "search.filters.filter.items_owning_community.head": "Community", "search.filters.filter.items_owning_community.head" : "Komunita", - // "search.filters.entityType.JournalIssue" : "Journal Issue" + + + + // "search.filters.entityType.JournalIssue": "Journal Issue", "search.filters.entityType.JournalIssue" : "Vydání časopisu", - // "search.filters.entityType.JournalVolume" : "Journal Volume" + // "search.filters.entityType.JournalVolume": "Journal Volume", "search.filters.entityType.JournalVolume" : "Svazek časopisu", - // "search.filters.entityType.OrgUnit" : "Organizational Unit" + // "search.filters.entityType.OrgUnit": "Organizational Unit", "search.filters.entityType.OrgUnit" : "Organizační jednotka", - // "search.filters.has_content_in_original_bundle.true" : "Yes" + // "search.filters.has_content_in_original_bundle.true": "Yes", "search.filters.has_content_in_original_bundle.true" : "Ano", - // "search.filters.has_content_in_original_bundle.false" : "No" + // "search.filters.has_content_in_original_bundle.false": "No", "search.filters.has_content_in_original_bundle.false" : "Ne", - // "search.filters.discoverable.true" : "No" + // "search.filters.discoverable.true": "No", "search.filters.discoverable.true" : "Ne", - // "search.filters.discoverable.false" : "Yes" - "search.filters.discoverable.false" : "Ano", + // "search.filters.discoverable.false": "Yes", + "search.filters.discoverable.false" : "Ano", + + // "search.filters.withdrawn.true": "Yes", + "search.filters.withdrawn.true" : "Ano", + + // "search.filters.withdrawn.false": "No", + "search.filters.withdrawn.false" : "Ne", + + + // "search.filters.filter.language.label":"Search language", + "search.filters.filter.language.label":"Hledat jazyk", + + // "search.filters.filter.language.placeholder":"Language", + "search.filters.filter.language.placeholder":"Jazyk", + + + // "search.filters.head": "Filters", + "search.filters.head" : "Filtry", + + // "search.filters.reset": "Reset filters", + "search.filters.reset" : "Obnovit filtry", + + // "search.filters.search.submit": "Submit", + "search.filters.search.submit" : "Odeslat", + + + + // "search.form.search": "Search", + "search.form.search" : "Hledat", + + // "search.form.search_dspace": "All repository", + "search.form.search_dspace" : "Hledat v DSpace", + + // "search.form.scope.all": "All of DSpace", + "search.form.scope.all" : "Celý DSpace", + + + + // "search.results.head": "Search Results", + "search.results.head" : "Výsledky hledání", + + // "search.results.no-results": "Your search returned no results. Having trouble finding what you're looking for? Try putting", + "search.results.no-results" : "Nebyli nalezeny žádné výsledky, kolem hledaného textu skuste ", + + // "search.results.no-results-link": "quotes around it", + "search.results.no-results-link" : "vložit citace", + + // "search.results.empty": "Your search returned no results.", + "search.results.empty" : "Vaše hledání nevrátilo žádné výsledky.", + + // "search.results.view-result": "View", + "search.results.view-result" : "Zobrazit", + + // "search.results.response.500": "An error occurred during query execution, please try again later", + "search.results.response.500" : "Při provádění dotazu došlo k chybě, zkuste to prosím později", + + // "default.search.results.head": "Search Results", + "default.search.results.head" : "Hledat výsledky", + + // "default-relationships.search.results.head": "Search Results", + "default-relationships.search.results.head" : "Výsledky vyhledávání", + + + // "search.sidebar.close": "Back to results", + "search.sidebar.close" : "Zpět na výsledky", + + // "search.sidebar.filters.title": "Filters", + "search.sidebar.filters.title" : "Filtry", + + // "search.sidebar.open": "Search Tools", + "search.sidebar.open" : "Vyhledávací nástroje", + + // "search.sidebar.results": "results", + "search.sidebar.results" : "výsledky", + + // "search.sidebar.settings.rpp": "Results per page", + "search.sidebar.settings.rpp" : "Výsledků na stránku", + + // "search.sidebar.settings.sort-by": "Sort By", + "search.sidebar.settings.sort-by" : "Řadit dle", + + // "search.sidebar.settings.title": "Settings", + "search.sidebar.settings.title" : "Nastavení", + + + + // "search.view-switch.show-detail": "Show detail", + "search.view-switch.show-detail" : "Zobrazit detail", + + // "search.view-switch.show-grid": "Show as grid", + "search.view-switch.show-grid" : "Zobrazit mřížku", + + // "search.view-switch.show-list": "Show as list", + "search.view-switch.show-list" : "Zobrazit seznam", + + + + // "sorting.ASC": "Ascending", + "sorting.ASC" : "Vzestupně", + + // "sorting.DESC": "Descending", + "sorting.DESC" : "Sestupné", + + // "sorting.dc.title.ASC": "Title Ascending", + "sorting.dc.title.ASC" : "Název vzestupně", + + // "sorting.dc.title.DESC": "Title Descending", + "sorting.dc.title.DESC" : "Název sestupně", + + // "sorting.score.ASC": "Least Relevant", + "sorting.score.ASC" : "Nejméně relevantní", + + // "sorting.score.DESC": "Most Relevant", + "sorting.score.DESC" : "Nejrelevantnější", + + // "sorting.dc.date.issued.ASC": "Date Issued Ascending", + "sorting.dc.date.issued.ASC" : "Datum vydání vzestupně", + + // "sorting.dc.date.issued.DESC": "Date Issued Descending", + "sorting.dc.date.issued.DESC" : "Datum vydání sestupně", + + // "sorting.dc.date.accessioned.ASC": "Accessioned Date Ascending", + "sorting.dc.date.accessioned.ASC" : "Datum přírůstku vzestupně", + + // "sorting.dc.date.accessioned.DESC": "Accessioned Date Descending", + "sorting.dc.date.accessioned.DESC" : "Datum přírůstku sestupně", + + // "sorting.lastModified.ASC": "Last modified Ascending", + "sorting.lastModified.ASC" : "Poslední změna vzestupně", + + // "sorting.lastModified.DESC": "Last modified Descending", + "sorting.lastModified.DESC" : "Poslední změna sestupně", + + + // "statistics.title": "Statistics", + "statistics.title" : "Statistiky", + + // "statistics.header": "Statistics for {{ scope }}", + "statistics.header" : "Statistiky pro {{ scope }}", + + // "statistics.breadcrumbs": "Statistics", + "statistics.breadcrumbs" : "Statistiky", + + // "statistics.page.no-data": "No data available", + "statistics.page.no-data" : "Nejsou dostupná žádná data", + + // "statistics.table.no-data": "No data available", + "statistics.table.no-data" : "Nejsou dostupná žádná data", + + // "statistics.table.title.TotalVisits": "Total visits", + "statistics.table.title.TotalVisits" : "Celkový počet návštěv", + + // "statistics.table.title.TotalVisitsPerMonth": "Total visits per month", + "statistics.table.title.TotalVisitsPerMonth" : "Celkový počet návštěv za měsíc", + + // "statistics.table.title.TotalDownloads": "File Visits", + "statistics.table.title.TotalDownloads" : "Návštěvy souborů", + + // "statistics.table.title.TopCountries": "Top country views", + "statistics.table.title.TopCountries" : "Nejlepší zhlédnutí na krajinu", + + // "statistics.table.title.TopCities": "Top city views", + "statistics.table.title.TopCities" : "Nejlepší zhlédnutí na město", + + // "statistics.table.header.views": "Views", + "statistics.table.header.views" : "Zobrazení", + + + + // "submission.edit.breadcrumbs": "Edit Submission", + "submission.edit.breadcrumbs" : "Upravit záznam", + + // "submission.edit.title": "Edit Submission", + "submission.edit.title" : "Upravit záznam", + + // "submission.general.cancel": "Cancel", + "submission.general.cancel" : "Zrušit", + + // "submission.general.cannot_submit": "You have not the privilege to make a new submission.", + "submission.general.cannot_submit" : "Nemáte právomoc vytvořit nový záznam.", + + // "submission.general.deposit": "Deposit", + "submission.general.deposit" : "Nahrát", + + // "submission.general.discard.confirm.cancel": "Cancel", + "submission.general.discard.confirm.cancel" : "Zrušit", + + // "submission.general.discard.confirm.info": "This operation can't be undone. Are you sure?", + "submission.general.discard.confirm.info" : "Tuto operaci nelze vrátit zpět. Jste si jistý?", + + // "submission.general.discard.confirm.submit": "Yes, I'm sure", + "submission.general.discard.confirm.submit" : "Ano, jsem si jistý.", + + // "submission.general.discard.confirm.title": "Discard submission", + "submission.general.discard.confirm.title" : "Vyřadit záznam", + + // "submission.general.discard.submit": "Discard", + "submission.general.discard.submit" : "Vyřadit", + + // "submission.general.info.saved": "Saved", + "submission.general.info.saved" : "Uloženo", + + // "submission.general.info.pending-changes": "Unsaved changes", + "submission.general.info.pending-changes" : "Neuložené změny", + + // "submission.general.save": "Save", + "submission.general.save" : "Uložit", + + // "submission.general.save-later": "Save for later", + "submission.general.save-later" : "Uložit na později", + + + // "submission.import-external.page.title": "Import metadata from an external source", + "submission.import-external.page.title" : "Importovat metadata z externího zdroje", + + // "submission.import-external.title": "Import metadata from an external source", + "submission.import-external.title" : "Importovat metadata z externího zdroje", + + // "submission.import-external.title.Journal": "Import a journal from an external source", + "submission.import-external.title.Journal" : "Importovat časopis z externího zdroje", + + // "submission.import-external.title.JournalIssue": "Import a journal issue from an external source", + "submission.import-external.title.JournalIssue" : "Importovat vydání časopisu z externího zdroje", + + // "submission.import-external.title.JournalVolume": "Import a journal volume from an external source", + "submission.import-external.title.JournalVolume" : "Importovat svazek časopisu z externího zdroje", + + // "submission.import-external.title.OrgUnit": "Import a publisher from an external source", + "submission.import-external.title.OrgUnit" : "Importovat vydavatele z externího zdroje", + + // "submission.import-external.title.Person": "Import a person from an external source", + "submission.import-external.title.Person" : "Importovat osobu z externího zdroje", + + // "submission.import-external.title.Project": "Import a project from an external source", + "submission.import-external.title.Project" : "Importovat projekt z externího zdroje", + + // "submission.import-external.title.Publication": "Import a publication from an external source", + "submission.import-external.title.Publication" : "Importovat publikace z externího zdroje", + + // "submission.import-external.title.none": "Import metadata from an external source", + "submission.import-external.title.none" : "Importovat metadata z externího zdroje", + + // "submission.import-external.page.hint": "Enter a query above to find items from the web to import in to DSpace.", + "submission.import-external.page.hint" : "Zadejte výše uvedený dotaz na vyhledání položek z webu, které chcete importovat do DSpace.", + + // "submission.import-external.back-to-my-dspace": "Back to MyDSpace", + "submission.import-external.back-to-my-dspace" : "Zpět na MyDSpace", + + // "submission.import-external.search.placeholder": "Search the external source", + "submission.import-external.search.placeholder" : "Hledat externí zdroj", + + // "submission.import-external.search.button": "Search", + "submission.import-external.search.button" : "Hledat", + + // "submission.import-external.search.button.hint": "Write some words to search", + "submission.import-external.search.button.hint" : "Napište pár slov k vyhledávání", + + // "submission.import-external.search.source.hint": "Pick an external source", + "submission.import-external.search.source.hint" : "Vyberte externí zdroj", + + // "submission.import-external.source.arxiv": "arXiv", + "submission.import-external.source.arxiv" : "arXiv", + + // "submission.import-external.source.ads": "NASA/ADS", + "submission.import-external.source.ads" : "NASA/ADS", + + // "submission.import-external.source.cinii": "CiNii", + "submission.import-external.source.cinii" : "CiNii", + + // "submission.import-external.source.crossref": "CrossRef", + "submission.import-external.source.crossref" : "CrossRef", + + // "submission.import-external.source.datacite": "DataCite", + "submission.import-external.source.datacite" : "DataCite", + + // "submission.import-external.source.scielo": "SciELO", + "submission.import-external.source.scielo" : "SciELO", + + // "submission.import-external.source.scopus": "Scopus", + "submission.import-external.source.scopus" : "Scopus", + + // "submission.import-external.source.vufind": "VuFind", + "submission.import-external.source.vufind" : "VuFind", + + // "submission.import-external.source.wos": "Web Of Science", + "submission.import-external.source.wos" : "Web of Science", + + // "submission.import-external.source.orcidWorks": "ORCID", + "submission.import-external.source.orcidWorks" : "ORCID", + + // "submission.import-external.source.epo": "European Patent Office (EPO)", + "submission.import-external.source.epo" : "Evropský patentový úřad (EPO)", + + // "submission.import-external.source.loading": "Loading ...", + "submission.import-external.source.loading" : "Načítám ...", + + // "submission.import-external.source.sherpaJournal": "SHERPA Journals", + "submission.import-external.source.sherpaJournal" : "Časopisy SHERPA", + + // "submission.import-external.source.sherpaJournalIssn": "SHERPA Journals by ISSN", + "submission.import-external.source.sherpaJournalIssn" : "Časopisy SHERPA podle ISSN", + + // "submission.import-external.source.sherpaPublisher": "SHERPA Publishers", + "submission.import-external.source.sherpaPublisher" : "Vydavatelství SHERPA", + + // "submission.import-external.source.openAIREFunding": "Funding OpenAIRE API", + "submission.import-external.source.openAIREFunding" : "Financování OpenAIRE API", + + // "submission.import-external.source.orcid": "ORCID", + "submission.import-external.source.orcid" : "ORCID", + + // "submission.import-external.source.pubmed": "Pubmed", + "submission.import-external.source.pubmed" : "Pubmed", + + // "submission.import-external.source.pubmedeu": "Pubmed Europe", + "submission.import-external.source.pubmedeu" : "Pubmed Europe", + + // "submission.import-external.source.lcname": "Library of Congress Names", + "submission.import-external.source.lcname" : "Názvy knihovny Kongresu", + + // "submission.import-external.preview.title": "Item Preview", + "submission.import-external.preview.title" : "Náhled položky", + + // "submission.import-external.preview.title.Publication": "Publication Preview", + "submission.import-external.preview.title.Publication" : "Náhled publikace", + + // "submission.import-external.preview.title.none": "Item Preview", + "submission.import-external.preview.title.none" : "Náhled položky", + + // "submission.import-external.preview.title.Journal": "Journal Preview", + "submission.import-external.preview.title.Journal" : "Náhled časopisu", + + // "submission.import-external.preview.title.OrgUnit": "Organizational Unit Preview", + "submission.import-external.preview.title.OrgUnit" : "Náhled organizační jednotky", + + // "submission.import-external.preview.title.Person": "Person Preview", + "submission.import-external.preview.title.Person" : "Náhled osoby", + + // "submission.import-external.preview.title.Project": "Project Preview", + "submission.import-external.preview.title.Project" : "Náhled projektu", + + // "submission.import-external.preview.subtitle": "The metadata below was imported from an external source. It will be pre-filled when you start the submission.", + "submission.import-external.preview.subtitle" : "Níže uvedená metadata byla importována z externího zdroje. Při zahájení odesílání budou předplněna.", + + // "submission.import-external.preview.button.import": "Start submission", + "submission.import-external.preview.button.import" : "Začít nový příspěvek", + + // "submission.import-external.preview.error.import.title": "Submission error", + "submission.import-external.preview.error.import.title" : "Chyba při odeslání vytváření nového příspěvku", + + // "submission.import-external.preview.error.import.body": "An error occurs during the external source entry import process.", + "submission.import-external.preview.error.import.body" : "Během procesu importu externích zdrojových záznamů došlo k chybě.", + + // "submission.sections.describe.relationship-lookup.close": "Close", + "submission.sections.describe.relationship-lookup.close" : "Zavřít", + + // "submission.sections.describe.relationship-lookup.external-source.added": "Successfully added local entry to the selection", + "submission.sections.describe.relationship-lookup.external-source.added" : "Do výběru byla úspěšně přidána místní položka", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.isAuthorOfPublication": "Import remote author", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.isAuthorOfPublication" : "Importovat vzdáleného autora", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal": "Import remote journal", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal" : "Importovat vzdálený časopis", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal Issue": "Import remote journal issue", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal Issue" : "Importovat vzdálené vydání časopisu", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal Volume": "Import remote journal volume", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal Volume" : "Importovat vzdálený svazek časopisu", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.isProjectOfPublication": "Project", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.isProjectOfPublication" : "Projekt", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.none": "Import remote item", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.none" : "Import dálkové položky", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Event": "Import remote event", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.Event" : "Import dálkové události", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Product": "Import remote product", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.Product" : "Import dálkového produktu", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Equipment": "Import remote equipment", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.Equipment" : "Import dálkového zařízení", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.OrgUnit": "Import remote organizational unit", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.OrgUnit" : "Import dálkové organizační jednotky", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Funding": "Import remote fund", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.Funding" : "Import dálkového fondu", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Person": "Import remote person", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.Person" : "Import dálkové osoby", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Patent": "Import remote patent", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.Patent" : "Import dálkového patentu", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Project": "Import remote project", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.Project" : "Import dálkového projektu", + + // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Publication": "Import remote publication", + "submission.sections.describe.relationship-lookup.external-source.import-button-title.Publication" : "Import dálkové publikace", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.isProjectOfPublication.added.new-entity": "New Entity Added!", + "submission.sections.describe.relationship-lookup.external-source.import-modal.isProjectOfPublication.added.new-entity" : "Přidán nový subjekt!", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.isProjectOfPublication.title": "Project", + "submission.sections.describe.relationship-lookup.external-source.import-modal.isProjectOfPublication.title" : "Projekt", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.openAIREFunding": "Funding OpenAIRE API", + "submission.sections.describe.relationship-lookup.external-source.import-modal.head.openAIREFunding" : "Financování OpenAIRE API", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.title": "Import Remote Author", + "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.title" : "Importovat vzdáleného autora", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.added.local-entity": "Successfully added local author to the selection", + "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.added.local-entity" : "Do výběru byl úspěšně přidán místní autor", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.added.new-entity": "Successfully imported and added external author to the selection", + "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.added.new-entity" : "Úspěšný import a přidání externího autora do výběru", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.authority": "Authority", + "submission.sections.describe.relationship-lookup.external-source.import-modal.authority" : "Úřad", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.authority.new": "Import as a new local authority entry", + "submission.sections.describe.relationship-lookup.external-source.import-modal.authority.new" : "Importovat jako nový záznam místního úřadu", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.cancel": "Cancel", + "submission.sections.describe.relationship-lookup.external-source.import-modal.cancel" : "Zrušit", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.collection": "Select a collection to import new entries to", + "submission.sections.describe.relationship-lookup.external-source.import-modal.collection" : "Vyberte kolekci, do které chcete importovat nové položky", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.entities": "Entities", + "submission.sections.describe.relationship-lookup.external-source.import-modal.entities" : "Subjekty", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.entities.new": "Import as a new local entity", + "submission.sections.describe.relationship-lookup.external-source.import-modal.entities.new" : "Importovat jako nový místní subjekt", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.lcname": "Importing from LC Name", + "submission.sections.describe.relationship-lookup.external-source.import-modal.head.lcname" : "Import z LC názvu", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.orcid": "Importing from ORCID", + "submission.sections.describe.relationship-lookup.external-source.import-modal.head.orcid" : "Importovat z ORCID", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.sherpaJournal": "Importing from Sherpa Journal", + "submission.sections.describe.relationship-lookup.external-source.import-modal.head.sherpaJournal" : "Importovat z časopisu Sherpa", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.sherpaPublisher": "Importing from Sherpa Publisher", + "submission.sections.describe.relationship-lookup.external-source.import-modal.head.sherpaPublisher" : "Importovat z vydavatelství Sherpa", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.pubmed": "Importing from PubMed", + "submission.sections.describe.relationship-lookup.external-source.import-modal.head.pubmed" : "Importovat z PubMed", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.arxiv": "Importing from arXiv", + "submission.sections.describe.relationship-lookup.external-source.import-modal.head.arxiv" : "Importovat z arXiv", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.import": "Import", + "submission.sections.describe.relationship-lookup.external-source.import-modal.import" : "Importovat", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.title": "Import Remote Journal", + "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.title" : "Importovat vzdálený časopis", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.added.local-entity": "Successfully added local journal to the selection", + "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.added.local-entity" : "Do výběru byl úspěšně přidán lokální časopis", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.added.new-entity": "Successfully imported and added external journal to the selection", + "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.added.new-entity" : "Úspěšný import a přidání externího časopisu do výběru", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.title": "Import Remote Journal Issue", + "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.title" : "Importovat vzdálené vydání časopisu", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.added.local-entity": "Successfully added local journal issue to the selection", + "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.added.local-entity" : "Do výběru bylo úspěšně přidáno lokální vydání časopisu", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.added.new-entity": "Successfully imported and added external journal issue to the selection", + "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.added.new-entity" : "Úspěšný import a přidání externího vydání časopisu do výběru", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.title": "Import Remote Journal Volume", + "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.title" : "Import vzdáleného svazku časopisu", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.added.local-entity": "Successfully added local journal volume to the selection", + "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.added.local-entity" : "Úspěšně přidán svazek místního časopisu do výběru", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.added.new-entity": "Successfully imported and added external journal volume to the selection", + "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.added.new-entity" : "Úspěšný import a přidání externího svazku časopisu do výběru", + + // "submission.sections.describe.relationship-lookup.external-source.import-modal.select": "Select a local match:", + "submission.sections.describe.relationship-lookup.external-source.import-modal.select": "Vybrát místní shodu:", + + // "submission.sections.describe.relationship-lookup.search-tab.deselect-all": "Deselect all", + "submission.sections.describe.relationship-lookup.search-tab.deselect-all" : "Zrušit výběr všech", + + // "submission.sections.describe.relationship-lookup.search-tab.deselect-page": "Deselect page", + "submission.sections.describe.relationship-lookup.search-tab.deselect-page" : "Zrušit výběr stránky", + + // "submission.sections.describe.relationship-lookup.search-tab.loading": "Loading...", + "submission.sections.describe.relationship-lookup.search-tab.loading" : "Načítám...", + + // "submission.sections.describe.relationship-lookup.search-tab.placeholder": "Search query", + "submission.sections.describe.relationship-lookup.search-tab.placeholder" : "Vyhledávací dotaz", + + // "submission.sections.describe.relationship-lookup.search-tab.search": "Go", + "submission.sections.describe.relationship-lookup.search-tab.search" : "Přejít na", + + // "submission.sections.describe.relationship-lookup.search-tab.search-form.placeholder": "Search...", + "submission.sections.describe.relationship-lookup.search-tab.search-form.placeholder" : "Hledat...", + + // "submission.sections.describe.relationship-lookup.search-tab.select-all": "Select all", + "submission.sections.describe.relationship-lookup.search-tab.select-all" : "Vybrat vše", + + // "submission.sections.describe.relationship-lookup.search-tab.select-page": "Select page", + "submission.sections.describe.relationship-lookup.search-tab.select-page" : "Vybrat stránku", + + // "submission.sections.describe.relationship-lookup.selected": "Selected {{ size }} items", + "submission.sections.describe.relationship-lookup.selected" : "Vybrané {{ size }} položky", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isAuthorOfPublication": "Local Authors ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.isAuthorOfPublication" : "Místní autoři ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalOfPublication": "Local Journals ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalOfPublication" : "Místní časopisy ({{ count }})", + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.Project": "Local Projects ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.Project" : "Místní projekty ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.Publication": "Local Publications ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.Publication" : "Místní publikace ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.Person": "Local Authors ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.Person" : "Místní autoři ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.OrgUnit": "Local Organizational Units ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.OrgUnit" : "Místní organizační jednotky ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.DataPackage": "Local Data Packages ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.DataPackage" : "Místní datové balíčky ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.DataFile": "Local Data Files ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.DataFile" : "Místní datové soubory ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.Journal": "Local Journals ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.Journal" : "Místní časopisy ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalIssueOfPublication": "Local Journal Issues ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalIssueOfPublication" : "Vydání místních časopisů ({{ count }})", + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.JournalIssue": "Local Journal Issues ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.JournalIssue" : "Vydání místních časopisů ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalVolumeOfPublication": "Local Journal Volumes ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalVolumeOfPublication" : "Svazky místních časopisů ({{ count }})", + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.JournalVolume": "Local Journal Volumes ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.JournalVolume" : "Svazky místních časopisů ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.sherpaJournal": "Sherpa Journals ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.sherpaJournal" : "Časopisy Sherpa ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.sherpaPublisher": "Sherpa Publishers ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.sherpaPublisher" : "Vydavatelství Sherpa ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.orcid": "ORCID ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.orcid" : "ORCID ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.lcname": "LC Names ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.lcname" : "Jména LC ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.pubmed": "PubMed ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.pubmed" : "PubMed ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.arxiv": "arXiv ({{ count }})", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.arxiv" : "arXiv ({{ count }})", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingAgencyOfPublication": "Search for Funding Agencies", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingAgencyOfPublication" : "Hledat financující agentury", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingOfPublication": "Search for Funding", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingOfPublication" : "Hledat finanční prostředky", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isChildOrgUnitOf": "Search for Organizational Units", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.isChildOrgUnitOf" : "Hledání organizačních jednotek", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.openAIREFunding": "Funding OpenAIRE API", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.openAIREFunding" : "Financování OpenAIRE API", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isProjectOfPublication": "Projects", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.isProjectOfPublication" : "Projekty", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingAgencyOfProject": "Funder of the Project", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingAgencyOfProject" : "Sponzor projektu", + + // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isPublicationOfAuthor": "Publication of the Author", + "submission.sections.describe.relationship-lookup.search-tab.tab-title.isPublicationOfAuthor" : "Publikace autora", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.openAIREFunding": "Funding OpenAIRE API", + "submission.sections.describe.relationship-lookup.selection-tab.title.openAIREFunding" : "Financování OpenAIRE API", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.isProjectOfPublication": "Project", + "submission.sections.describe.relationship-lookup.selection-tab.title.isProjectOfPublication" : "Projekt", + + // "submission.sections.describe.relationship-lookup.title.isProjectOfPublication": "Projects", + "submission.sections.describe.relationship-lookup.title.isProjectOfPublication" : "Projekty", + + // "submission.sections.describe.relationship-lookup.title.isFundingAgencyOfProject": "Funder of the Project", + "submission.sections.describe.relationship-lookup.title.isFundingAgencyOfProject" : "Sponzor projektu", + + + + + // "submission.sections.describe.relationship-lookup.selection-tab.search-form.placeholder": "Search...", + "submission.sections.describe.relationship-lookup.selection-tab.search-form.placeholder" : "Hledat...", + + // "submission.sections.describe.relationship-lookup.selection-tab.tab-title": "Current Selection ({{ count }})", + "submission.sections.describe.relationship-lookup.selection-tab.tab-title" : "Aktuální výběr ({{ count }})", + + // "submission.sections.describe.relationship-lookup.title.isJournalIssueOfPublication": "Journal Issues", + "submission.sections.describe.relationship-lookup.title.isJournalIssueOfPublication" : "Vydání časopisu", + // "submission.sections.describe.relationship-lookup.title.JournalIssue": "Journal Issues", + "submission.sections.describe.relationship-lookup.title.JournalIssue" : "Vydání časopisu", + + // "submission.sections.describe.relationship-lookup.title.isJournalVolumeOfPublication": "Journal Volumes", + "submission.sections.describe.relationship-lookup.title.isJournalVolumeOfPublication" : "Svazky časopisů", + // "submission.sections.describe.relationship-lookup.title.JournalVolume": "Journal Volumes", + "submission.sections.describe.relationship-lookup.title.JournalVolume" : "Svazky časopisů", + + // "submission.sections.describe.relationship-lookup.title.isJournalOfPublication": "Journals", + "submission.sections.describe.relationship-lookup.title.isJournalOfPublication" : "Časopisy", + + // "submission.sections.describe.relationship-lookup.title.isAuthorOfPublication": "Authors", + "submission.sections.describe.relationship-lookup.title.isAuthorOfPublication" : "Autoři", + + // "submission.sections.describe.relationship-lookup.title.isFundingAgencyOfPublication": "Funding Agency", + "submission.sections.describe.relationship-lookup.title.isFundingAgencyOfPublication" : "Financující agentura", + // "submission.sections.describe.relationship-lookup.title.Project": "Projects", + "submission.sections.describe.relationship-lookup.title.Project" : "Projekty", + + // "submission.sections.describe.relationship-lookup.title.Publication": "Publications", + "submission.sections.describe.relationship-lookup.title.Publication" : "Publikace", + + // "submission.sections.describe.relationship-lookup.title.Person": "Authors", + "submission.sections.describe.relationship-lookup.title.Person" : "Autoři", + + // "submission.sections.describe.relationship-lookup.title.OrgUnit": "Organizational Units", + "submission.sections.describe.relationship-lookup.title.OrgUnit" : "Organizační jednotky", + + // "submission.sections.describe.relationship-lookup.title.DataPackage": "Data Packages", + "submission.sections.describe.relationship-lookup.title.DataPackage" : "Datové balíčky", + + // "submission.sections.describe.relationship-lookup.title.DataFile": "Data Files", + "submission.sections.describe.relationship-lookup.title.DataFile" : "Datové soubory", + + // "submission.sections.describe.relationship-lookup.title.Funding Agency": "Funding Agency", + "submission.sections.describe.relationship-lookup.title.Funding Agency" : "Financující agentura", + + // "submission.sections.describe.relationship-lookup.title.isFundingOfPublication": "Funding", + "submission.sections.describe.relationship-lookup.title.isFundingOfPublication" : "Financování", + + // "submission.sections.describe.relationship-lookup.title.isChildOrgUnitOf": "Parent Organizational Unit", + "submission.sections.describe.relationship-lookup.title.isChildOrgUnitOf" : "Nadřízená organizační jednotka", + + // "submission.sections.describe.relationship-lookup.title.isPublicationOfAuthor": "Publication", + "submission.sections.describe.relationship-lookup.title.isPublicationOfAuthor" : "Publikace", + + // "submission.sections.describe.relationship-lookup.search-tab.toggle-dropdown": "Toggle dropdown", + "submission.sections.describe.relationship-lookup.search-tab.toggle-dropdown" : "Přepnout rozbalovací seznam", + + // "submission.sections.describe.relationship-lookup.selection-tab.settings": "Settings", + "submission.sections.describe.relationship-lookup.selection-tab.settings" : "Nastavení", + + // "submission.sections.describe.relationship-lookup.selection-tab.no-selection": "Your selection is currently empty.", + "submission.sections.describe.relationship-lookup.selection-tab.no-selection" : "Váš výběr je momentálně prázdný.", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.isAuthorOfPublication": "Selected Authors", + "submission.sections.describe.relationship-lookup.selection-tab.title.isAuthorOfPublication" : "Vybraní autoři", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalOfPublication": "Selected Journals", + "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalOfPublication" : "Vybrané časopisy", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalVolumeOfPublication": "Selected Journal Volume", + "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalVolumeOfPublication" : "Vybraný svazek časopisu", + // "submission.sections.describe.relationship-lookup.selection-tab.title.Project": "Selected Projects", + "submission.sections.describe.relationship-lookup.selection-tab.title.Project" : "Vybrané projekty", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.Publication": "Selected Publications", + "submission.sections.describe.relationship-lookup.selection-tab.title.Publication" : "Vybrané publikace", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.Person": "Selected Authors", + "submission.sections.describe.relationship-lookup.selection-tab.title.Person" : "Vybraní autoři", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.OrgUnit": "Selected Organizational Units", + "submission.sections.describe.relationship-lookup.selection-tab.title.OrgUnit" : "Vybrané organizační jednotky", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.DataPackage": "Selected Data Packages", + "submission.sections.describe.relationship-lookup.selection-tab.title.DataPackage" : "Vybrané datové balíčky", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.DataFile": "Selected Data Files", + "submission.sections.describe.relationship-lookup.selection-tab.title.DataFile" : "Vybrané datové soubory", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.Journal": "Selected Journals", + "submission.sections.describe.relationship-lookup.selection-tab.title.Journal" : "Vybrané časopisy", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalIssueOfPublication": "Selected Issue", + "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalIssueOfPublication" : "Vybrané vydání", + // "submission.sections.describe.relationship-lookup.selection-tab.title.JournalVolume": "Selected Journal Volume", + "submission.sections.describe.relationship-lookup.selection-tab.title.JournalVolume" : "Vybraný svazek časopisu", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.isFundingAgencyOfPublication": "Selected Funding Agency", + "submission.sections.describe.relationship-lookup.selection-tab.title.isFundingAgencyOfPublication" : "Vybraná agentura pro financování", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.isFundingOfPublication": "Selected Funding", + "submission.sections.describe.relationship-lookup.selection-tab.title.isFundingOfPublication" : "Vybrané financování", + // "submission.sections.describe.relationship-lookup.selection-tab.title.JournalIssue": "Selected Issue", + "submission.sections.describe.relationship-lookup.selection-tab.title.JournalIssue" : "Vybrané vydání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.isChildOrgUnitOf": "Selected Organizational Unit", + "submission.sections.describe.relationship-lookup.selection-tab.title.isChildOrgUnitOf" : "Vybraná organizační jednotka", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.sherpaJournal": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.sherpaJournal" : "Výsledky hledání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.sherpaPublisher": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.sherpaPublisher" : "Výsledky hledání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.orcid": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.orcid" : "Výsledky hledání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.orcidv2": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.orcidv2" : "Výsledky hledání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.lcname": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.lcname" : "Výsledky hledání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.pubmed": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.pubmed" : "Výsledky hledání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.arxiv": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.arxiv" : "Výsledky hledání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.crossref": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.crossref" : "Výsledky vyhledávání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.epo": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.epo" : "Výsledky vyhledávání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.scopus": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.scopus" : "Výsledky vyhledávání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.scielo": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.scielo" : "Výsledky vyhledávání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title.wos": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title.wos" : "Výsledky vyhledávání", + + // "submission.sections.describe.relationship-lookup.selection-tab.title": "Search Results", + "submission.sections.describe.relationship-lookup.selection-tab.title" : "Výsledky vyhledávání", + + // "submission.sections.describe.relationship-lookup.name-variant.notification.content": "Would you like to save \"{{ value }}\" as a name variant for this person so you and others can reuse it for future submissions? If you don\'t you can still use it for this submission.", + "submission.sections.describe.relationship-lookup.name-variant.notification.content" : "Chcete uložit \"{{ value }}\" jako variantu jména pro tuto osobu, abyste ji vy i ostatní mohli znovu použít pro budoucí záznam? Pokud ne, můžete ji stále použít pro tento záznam.", + + // "submission.sections.describe.relationship-lookup.name-variant.notification.confirm": "Save a new name variant", + "submission.sections.describe.relationship-lookup.name-variant.notification.confirm" : "Uložit novou variantu názvu", + + // "submission.sections.describe.relationship-lookup.name-variant.notification.decline": "Use only for this submission", + "submission.sections.describe.relationship-lookup.name-variant.notification.decline" : "Použít pouze pre tento záznam", + + // "submission.sections.ccLicense.type": "License Type", + "submission.sections.ccLicense.type" : "Typ licence", + + // "submission.sections.ccLicense.select": "Select a license type…", + "submission.sections.ccLicense.select" : "Vyberte typ licence...", + + // "submission.sections.ccLicense.change": "Change your license type…", + "submission.sections.ccLicense.change" : "Změna typu licence...", + + // "submission.sections.ccLicense.none": "No licenses available", + "submission.sections.ccLicense.none" : "Žádné licence nejsou k dispozici", + + // "submission.sections.ccLicense.option.select": "Select an option…", + "submission.sections.ccLicense.option.select" : "Vyberte možnost...", + + // "submission.sections.ccLicense.link": "You’ve selected the following license:", + "submission.sections.ccLicense.link": "Vybrali jste následující licenci:", + + // "submission.sections.ccLicense.confirmation": "I grant the license above", + "submission.sections.ccLicense.confirmation" : "Uděluji výše uvedenou licenci", + + // "submission.sections.general.add-more": "Add more", + "submission.sections.general.add-more" : "Přidat další", + + // "submission.sections.general.cannot_deposit": "Deposit cannot be completed due to errors in the form.
Please fill out all required fields to complete the deposit.", + "submission.sections.general.cannot_deposit" : "Vklad nelze dokončit kvůli chybám ve formuláři.
Pro dokončení vkladu vyplňte všechna požadovaná pole.", + + // "submission.sections.general.collection": "Collection", + "submission.sections.general.collection" : "Kolekce", + + // "submission.sections.general.deposit_error_notice": "There was an issue when submitting the item, please try again later.", + "submission.sections.general.deposit_error_notice" : "Při odesílání položky došlo k problému, zkuste to prosím později.", + + // "submission.sections.general.deposit_success_notice": "Submission deposited successfully.", + "submission.sections.general.deposit_success_notice" : "Záznam byl úspěšně uložen.", + + // "submission.sections.general.discard_error_notice": "There was an issue when discarding the item, please try again later.", + "submission.sections.general.discard_error_notice" : "Při vyřazování položky došlo k problému, zkuste to prosím později.", + + // "submission.sections.general.discard_success_notice": "Submission discarded successfully.", + "submission.sections.general.discard_success_notice" : "Záznam byl úspěšně vyřazen.", + + // "submission.sections.general.metadata-extracted": "New metadata have been extracted and added to the {{sectionId}} section.", + "submission.sections.general.metadata-extracted" : "Do sekce {{sectionId}} byla extrahována a přidána nová metadata.", + + // "submission.sections.general.metadata-extracted-new-section": "New {{sectionId}} section has been added to submission.", + "submission.sections.general.metadata-extracted-new-section" : "Do odevzdání byla přidána nová sekce {{sectionId}}.", + + // "submission.sections.general.no-collection": "No collection found", + "submission.sections.general.no-collection" : "Kolekce nenalezena", + + // "submission.sections.general.no-sections": "No options available", + "submission.sections.general.no-sections" : "Nejsou dostupné žádné možnosti", + + // "submission.sections.general.save_error_notice": "There was an issue when saving the item, please try again later.", + "submission.sections.general.save_error_notice" : "Při ukládání položky došlo k problému, zkuste to prosím později.", + + // "submission.sections.general.save_success_notice": "Submission saved successfully.", + "submission.sections.general.save_success_notice" : "Záznam byl úspěšně uložen.", + + // "submission.sections.general.search-collection": "Search for a collection", + "submission.sections.general.search-collection" : "Vyhledání kolekce", + + // "submission.sections.general.sections_not_valid": "There are incomplete sections.", + "submission.sections.general.sections_not_valid" : "Existují neúplné sekce.", + + // "submission.sections.identifiers.info": "The following identifiers will be created for your item:", + "submission.sections.identifiers.info": "Pro vaši položku budou vytvořeny následující identifikátory:", + + // "submission.sections.identifiers.no_handle": "No handles have been minted for this item.", + "submission.sections.identifiers.no_handle" : "K této položce nebyly vyraženy žádné handles.", + + // "submission.sections.identifiers.no_doi": "No DOIs have been minted for this item.", + "submission.sections.identifiers.no_doi" : "Pro tuto položku nebyly vyraženy žádné DOI.", + + // "submission.sections.identifiers.handle_label": "Handle: ", + "submission.sections.identifiers.handle_label": "Handle: ", + + // "submission.sections.identifiers.doi_label": "DOI: ", + "submission.sections.identifiers.doi_label": "DOI: ", + + // "submission.sections.identifiers.otherIdentifiers_label": "Other identifiers: ", + "submission.sections.identifiers.otherIdentifiers_label": "Další identifikátory:", + + // "submission.sections.submit.progressbar.accessCondition": "Item access conditions", + "submission.sections.submit.progressbar.accessCondition" : "Podmínky přístupu k položkám", + + // "submission.sections.submit.progressbar.CClicense": "Creative commons license", + "submission.sections.submit.progressbar.CClicense" : "Creative commons license", + + // "submission.sections.submit.progressbar.describe.recycle": "Recycle", + "submission.sections.submit.progressbar.describe.recycle" : "Recyklujte", + + // "submission.sections.submit.progressbar.describe.stepcustom": "Describe", + "submission.sections.submit.progressbar.describe.stepcustom" : "Popis", + + // "submission.sections.submit.progressbar.describe.stepone": "Describe", + "submission.sections.submit.progressbar.describe.stepone" : "Popis", + + // "submission.sections.submit.progressbar.describe.steptwo": "Describe", + "submission.sections.submit.progressbar.describe.steptwo" : "Popis", + + // "submission.sections.submit.progressbar.detect-duplicate": "Potential duplicates", + "submission.sections.submit.progressbar.detect-duplicate" : "Potenciální duplicity", + + // "submission.sections.submit.progressbar.identifiers": "Identifiers", + "submission.sections.submit.progressbar.identifiers" : "Identifikátory", + + // "submission.sections.submit.progressbar.license": "Deposit license", + "submission.sections.submit.progressbar.license" : "Licence", + + // "submission.sections.submit.progressbar.clarin-license": "Pick license", + "submission.sections.submit.progressbar.clarin-license" : "Vybrat licenci", + + // "submission.sections.submit.progressbar.sherpapolicy": "Sherpa policies", + "submission.sections.submit.progressbar.sherpapolicy" : "Zásady sherpa", + + // "submission.sections.submit.progressbar.upload": "Upload files", + "submission.sections.submit.progressbar.upload" : "Nahrát soubory", + + // "submission.sections.submit.progressbar.clarin-notice": "Notice", + "submission.sections.submit.progressbar.clarin-notice" : "Oznámení", + + // "submission.sections.submit.progressbar.sherpaPolicies": "Publisher open access policy information", + "submission.sections.submit.progressbar.sherpaPolicies" : "Informace o zásadách otevřeného přístupu vydavatele", + + + // "submission.sections.sherpa-policy.title-empty": "No publisher policy information available. If your work has an associated ISSN, please enter it above to see any related publisher open access policies.", + "submission.sections.sherpa-policy.title-empty" : "Informace o zásadách vydavatele nejsou k dispozici. Pokud je k vaší práci přiřazeno ISSN, zadejte ho výše, abyste viděli všechny související zásady otevřeného přístupu vydavatele.", + + // "submission.sections.status.errors.title": "Errors", + "submission.sections.status.errors.title" : "Chyby", + + // "submission.sections.status.valid.title": "Valid", + "submission.sections.status.valid.title" : "Platný", + + // "submission.sections.status.warnings.title": "Warnings", + "submission.sections.status.warnings.title" : "Varování", + + // "submission.sections.status.errors.aria": "has errors", + "submission.sections.status.errors.aria" : "obsahuje chyby", + + // "submission.sections.status.valid.aria": "is valid", + "submission.sections.status.valid.aria" : "je platný", + + // "submission.sections.status.warnings.aria": "has warnings", + "submission.sections.status.warnings.aria" : "má varování", + + // "submission.sections.status.info.title": "Additional Information", + "submission.sections.status.info.title" : "Další informace", + + // "submission.sections.status.info.aria": "Additional Information", + "submission.sections.status.info.aria" : "Další informace", + + // "submission.sections.toggle.open": "Open section", + "submission.sections.toggle.open" : "Otevřená sekce", + + // "submission.sections.toggle.close": "Close section", + "submission.sections.toggle.close" : "Uzavřít sekci", + + // "submission.sections.toggle.aria.open": "Expand {{sectionHeader}} section", + "submission.sections.toggle.aria.open" : "Rozbalit sekci {{sectionHeader}}", + + // "submission.sections.toggle.aria.close": "Collapse {{sectionHeader}} section", + "submission.sections.toggle.aria.close" : "Sbalit sekci {{sectionHeader}}", + + // "submission.sections.upload.delete.confirm.cancel": "Cancel", + "submission.sections.upload.delete.confirm.cancel" : "Zrušit", + + // "submission.sections.upload.delete.confirm.info": "This operation can't be undone. Are you sure?", + "submission.sections.upload.delete.confirm.info" : "Tuto operaci nelze vrátit zpět. Jste si jistý?", + + // "submission.sections.upload.delete.confirm.submit": "Yes, I'm sure", + "submission.sections.upload.delete.confirm.submit" : "Ano, jsem si jistý.", + + // "submission.sections.upload.delete.confirm.title": "Delete bitstream", + "submission.sections.upload.delete.confirm.title" : "Odstranit bitstream", + + // "submission.sections.upload.delete.submit": "Delete", + "submission.sections.upload.delete.submit" : "Odstranit", + + // "submission.sections.upload.download.title": "Download bitstream", + "submission.sections.upload.download.title" : "Stáhnout bitstream", + + // "submission.sections.upload.drop-message": "Drop files to attach them to the item", + "submission.sections.upload.drop-message" : "Potáhnutím souborů je připojíte k položce", + + // "submission.sections.upload.edit.title": "Edit bitstream", + "submission.sections.upload.edit.title" : "Úprava bitstreamu", + + // "submission.sections.upload.form.access-condition-label": "Access condition type", + "submission.sections.upload.form.access-condition-label" : "Typ podmínky přístupu", + + // "submission.sections.upload.form.access-condition-hint": "Select an access condition to apply on the bitstream once the item is deposited", + "submission.sections.upload.form.access-condition-hint" : "Vyberte podmínku přístupu, která se má použít na bitstream po uložení položky", + + // "submission.sections.upload.form.date-required": "Date is required.", + "submission.sections.upload.form.date-required" : "Datum je požadován.", + + // "submission.sections.upload.form.date-required-from": "Grant access from date is required.", + "submission.sections.upload.form.date-required-from" : "Udělit přístup do data je požadován.", + + // "submission.sections.upload.form.date-required-until": "Grant access until date is required.", + "submission.sections.upload.form.date-required-until" : "Udělit přístup do data je požadován.", + + // "submission.sections.upload.form.from-label": "Grant access from", + "submission.sections.upload.form.from-label" : "Udělení přístupu z", + + // "submission.sections.upload.form.from-hint": "Select the date from which the related access condition is applied", + "submission.sections.upload.form.from-hint" : "Vyberte datum, od kterého se použije související podmínka přístupu.", + + // "submission.sections.upload.form.from-placeholder": "From", + "submission.sections.upload.form.from-placeholder" : "Od", + + // "submission.sections.upload.form.group-label": "Group", + "submission.sections.upload.form.group-label" : "Skupina", + + // "submission.sections.upload.form.group-required": "Group is required.", + "submission.sections.upload.form.group-required" : "Skupina je vyžadována.", + + // "submission.sections.upload.form.until-label": "Grant access until", + "submission.sections.upload.form.until-label" : "Udělit přístup do", - // "search.filters.withdrawn.true" : "Yes" - "search.filters.withdrawn.true" : "Ano", + // "submission.sections.upload.form.until-hint": "Select the date until which the related access condition is applied", + "submission.sections.upload.form.until-hint" : "Zvolte datum, do kterého se použije související podmínka přístupu", - // "search.filters.withdrawn.false" : "No" - "search.filters.withdrawn.false" : "Ne", + // "submission.sections.upload.form.until-placeholder": "Until", + "submission.sections.upload.form.until-placeholder" : "Až do", + // "submission.sections.upload.header.policy.default.nolist": "Uploaded files in the {{collectionName}} collection will be accessible according to the following group(s):", + "submission.sections.upload.header.policy.default.nolist": "Nahrané soubory v kolekci {{collectionName}} budou přístupné podle následujících skupin:", - // "search.filters.filter.language.label":"Search language", - "search.filters.filter.language.label":"Hledat jazyk", + // "submission.sections.upload.header.policy.default.withlist": "Please note that uploaded files in the {{collectionName}} collection will be accessible, in addition to what is explicitly decided for the single file, with the following group(s):", + "submission.sections.upload.header.policy.default.withlist": "Vezměte prosím na vědomí, že nahrané soubory ve kolekci {{collectionName}} budou přístupné, kromě toho, co je výslovně určen pro samostatný soubor, s následujícími skupinami:", - // "search.filters.filter.language.placeholder":"Language", - "search.filters.filter.language.placeholder":"Jazyk", + // "submission.sections.upload.info": "Here you will find all the files currently in the item. You can update the file metadata and access conditions or upload additional files by dragging & dropping them anywhere on the page.", + "submission.sections.upload.info" : "Zde naleznete všechny soubory, které jsou aktuálně v položce. Můžete aktualizovat metadata souborů a přístupové podmínky nebo přidat další soubory pouhým potáhnutím kamkoli na stránce.", + // "submission.sections.upload.no-entry": "No", + "submission.sections.upload.no-entry" : "Ne", - // "search.filters.head" : "Filters" - "search.filters.head" : "Filtry", + // "submission.sections.upload.no-file-uploaded": "No file uploaded yet.", + "submission.sections.upload.no-file-uploaded" : "Zatím nebyl nahrán žádný soubor.", - // "search.filters.reset" : "Reset filters" - "search.filters.reset" : "Obnovit filtry", + // "submission.sections.upload.save-metadata": "Save metadata", + "submission.sections.upload.save-metadata" : "Uložit metadata", - // "search.filters.search.submit" : "Submit" - "search.filters.search.submit" : "Odeslat", + // "submission.sections.upload.undo": "Cancel", + "submission.sections.upload.undo" : "Zrušit", - // "search.form.search" : "Search" - "search.form.search" : "Hledat", + // "submission.sections.upload.upload-failed": "Upload failed", + "submission.sections.upload.upload-failed" : "Odeslání selhalo", - // "search.form.search_dspace" : "All repository" - "search.form.search_dspace" : "Hledat v DSpace", + // "submission.sections.upload.upload-successful": "Upload successful", + "submission.sections.upload.upload-successful" : "Úspěšné nahrání", - // "search.form.scope.all" : "All of DSpace" - "search.form.scope.all" : "Celý DSpace", + // "submission.sections.accesses.form.discoverable-description": "When checked, this item will be discoverable in search/browse. When unchecked, the item will only be available via a direct link and will never appear in search/browse.", + "submission.sections.accesses.form.discoverable-description" : "Pokud je tato položka zaškrtnuta, bude ji možné hledat ve vyhledávání/prohlížení. Pokud není zaškrtnuta, bude položka dostupná pouze prostřednictvím přímého odkazu a nikdy se nezobrazí ve vyhledávání/prohlížení.", - // "search.results.head" : "Search Results" - "search.results.head" : "Výsledky hledání", + // "submission.sections.accesses.form.discoverable-label": "Discoverable", + "submission.sections.accesses.form.discoverable-label" : "Objevitelný", - // "search.results.no-results" : "Your search returned no results. Having trouble finding what you're looking for? Try putting" - "search.results.no-results" : "Nebyli nalezeny žádné výsledky, kolem hledaného textu skuste ", + // "submission.sections.accesses.form.access-condition-label": "Access condition type", + "submission.sections.accesses.form.access-condition-label" : "Typ podmínky přístupu", - // "search.results.no-results-link" : "quotes around it" - "search.results.no-results-link" : "vložit citace", + // "submission.sections.accesses.form.access-condition-hint": "Select an access condition to apply on the item once it is deposited", + "submission.sections.accesses.form.access-condition-hint" : "Zvolte podmínku přístupu, která se na položku použije po jejím uložení", - // "search.results.empty" : "Your search returned no results." - "search.results.empty" : "Vaše hledání nevrátilo žádné výsledky.", + // "submission.sections.accesses.form.date-required": "Date is required.", + "submission.sections.accesses.form.date-required" : "Vyžaduje se datum.", - // "default.search.results.head" : "Search Results" - "default.search.results.head" : "Hledat výsledky", + // "submission.sections.accesses.form.date-required-from": "Grant access from date is required.", + "submission.sections.accesses.form.date-required-from" : "Udělit přístup do data je požadováno.", - // "search.sidebar.close" : "Back to results" - "search.sidebar.close" : "Zpět na výsledky", + // "submission.sections.accesses.form.date-required-until": "Grant access until date is required.", + "submission.sections.accesses.form.date-required-until" : "Udělit přístup do data je požadováno.", - // "search.sidebar.filters.title" : "Filters" - "search.sidebar.filters.title" : "Filtry", + // "submission.sections.accesses.form.from-label": "Grant access from", + "submission.sections.accesses.form.from-label" : "Udělit přístup od", - // "search.sidebar.open" : "Search Tools" - "search.sidebar.open" : "Vyhledávací nástroje", + // "submission.sections.accesses.form.from-hint": "Select the date from which the related access condition is applied", + "submission.sections.accesses.form.from-hint" : "Vyberte datum, od kterého se použije související podmínka přístupu", - // "search.sidebar.results" : "results" - "search.sidebar.results" : "výsledky", + // "submission.sections.accesses.form.from-placeholder": "From", + "submission.sections.accesses.form.from-placeholder" : "Od", - // "search.sidebar.settings.rpp" : "Results per page" - "search.sidebar.settings.rpp" : "Výsledků na stránku", + // "submission.sections.accesses.form.group-label": "Group", + "submission.sections.accesses.form.group-label" : "Skupina", - // "search.sidebar.settings.sort-by" : "Sort By" - "search.sidebar.settings.sort-by" : "Řadit dle", + // "submission.sections.accesses.form.group-required": "Group is required.", + "submission.sections.accesses.form.group-required" : "Skupina je vyžadována.", - // "search.sidebar.settings.title" : "Settings" - "search.sidebar.settings.title" : "Nastavení", + // "submission.sections.accesses.form.until-label": "Grant access until", + "submission.sections.accesses.form.until-label" : "Udělit přístup do", - // "search.view-switch.show-detail" : "Show detail" - "search.view-switch.show-detail" : "Zobrazit detail", + // "submission.sections.accesses.form.until-hint": "Select the date until which the related access condition is applied", + "submission.sections.accesses.form.until-hint" : "Zvolte datum, do kterého se použije související podmínka přístupu", - // "search.view-switch.show-grid" : "Show as grid" - "search.view-switch.show-grid" : "Zobrazit mřížku", + // "submission.sections.accesses.form.until-placeholder": "Until", + "submission.sections.accesses.form.until-placeholder" : "Až do", - // "search.view-switch.show-list" : "Show as list" - "search.view-switch.show-list" : "Zobrazit seznam", + // "submission.sections.license.granted-label": "I confirm the license above", + "submission.sections.license.granted-label" : "Potvrzuji výše uvedenou licenci", - // "sorting.ASC" : "Ascending" - "sorting.ASC" : "Vzestupně", + // "submission.sections.license.required": "You must accept the license", + "submission.sections.license.required" : "Musíte přijmout licenci", - // "sorting.DESC" : "Descending" - "sorting.DESC" : "Sestupné", + // "submission.sections.license.notgranted": "You must accept the license", + "submission.sections.license.notgranted" : "Musíte přijmout licenci", - // "sorting.dc.title.ASC" : "Title Ascending" - "sorting.dc.title.ASC" : "Název vzestupně", - // "sorting.dc.title.DESC" : "Title Descending" - "sorting.dc.title.DESC" : "Název sestupně", + // "submission.sections.sherpa.publication.information": "Publication information", + "submission.sections.sherpa.publication.information" : "Informace o publikaci", - // "sorting.score.ASC" : "Least Relevant" - "sorting.score.ASC" : "Nejméně relevantní", + // "submission.sections.sherpa.publication.information.title": "Title", + "submission.sections.sherpa.publication.information.title" : "Název", - // "sorting.score.DESC" : "Most Relevant" - "sorting.score.DESC" : "Nejrelevantnější", + // "submission.sections.sherpa.publication.information.issns": "ISSNs", + "submission.sections.sherpa.publication.information.issns" : "ISSN", - // "sorting.dc.date.issued.ASC" : "Date Issued Ascending" - "sorting.dc.date.issued.ASC" : "Datum vydání vzestupně", + // "submission.sections.sherpa.publication.information.url": "URL", + "submission.sections.sherpa.publication.information.url" : "ADRESA URL", - // "sorting.dc.date.issued.DESC" : "Date Issued Descending" - "sorting.dc.date.issued.DESC" : "Datum vydání sestupně", + // "submission.sections.sherpa.publication.information.publishers": "Publisher", + "submission.sections.sherpa.publication.information.publishers" : "Vydavatel", - // "sorting.dc.date.accessioned.ASC" : "Accessioned Date Ascending" - "sorting.dc.date.accessioned.ASC" : "Datum přírůstku vzestupně", + // "submission.sections.sherpa.publication.information.romeoPub": "Romeo Pub", + "submission.sections.sherpa.publication.information.romeoPub" : "Romeo Pub", - // "sorting.dc.date.accessioned.DESC" : "Accessioned Date Descending" - "sorting.dc.date.accessioned.DESC" : "Datum přírůstku sestupně", + // "submission.sections.sherpa.publication.information.zetoPub": "Zeto Pub", + "submission.sections.sherpa.publication.information.zetoPub" : "Zeto Pub", - // "sorting.lastModified.ASC" : "Last modified Ascending" - "sorting.lastModified.ASC" : "Poslední změna vzestupně", + // "submission.sections.sherpa.publisher.policy": "Publisher Policy", + "submission.sections.sherpa.publisher.policy" : "Zásady vydavatele", - // "sorting.lastModified.DESC" : "Last modified Descending" - "sorting.lastModified.DESC" : "Poslední změna sestupně", + // "submission.sections.sherpa.publisher.policy.description": "The below information was found via Sherpa Romeo. Based on the policies of your publisher, it provides advice regarding whether an embargo may be necessary and/or which files you are allowed to upload. If you have questions, please contact your site administrator via the feedback form in the footer.", + "submission.sections.sherpa.publisher.policy.description" : "Níže uvedené informace byly nalezeny prostřednictvím aplikace Sherpa Romeo. Na základě zásad vašeho vydavatele poskytuje rady ohledně toho, zda může být embargo nezbytné a/nebo jaké soubory smíte nahrávat. Máte-li dotazy, kontaktujte prosím správce svého webu prostřednictvím formuláře pro zpětnou vazbu v zápatí.", - // "statistics.title" : "Statistics" - "statistics.title" : "Statistiky", + // "submission.sections.sherpa.publisher.policy.openaccess": "Open Access pathways permitted by this journal's policy are listed below by article version. Click on a pathway for a more detailed view", + "submission.sections.sherpa.publisher.policy.openaccess" : "Cesty otevřeného přístupu povolené zásadami tohoto časopisu jsou uvedeny níže podle verzí článků. Kliknutím na cestu získáte podrobnější zobrazení", - // "statistics.header" : "Statistics for {{ scope }}" - "statistics.header" : "Statistiky pro {{ scope }}", + // "submission.sections.sherpa.publisher.policy.more.information": "For more information, please see the following links:", + "submission.sections.sherpa.publisher.policy.more.information": "Další informace naleznete na následujících odkazech:", - // "statistics.breadcrumbs" : "Statistics" - "statistics.breadcrumbs" : "Statistiky", + // "submission.sections.sherpa.publisher.policy.version": "Version", + "submission.sections.sherpa.publisher.policy.version" : "Verze", - // "statistics.page.no-data" : "No data available" - "statistics.page.no-data" : "Nejsou dostupná žádná data", + // "submission.sections.sherpa.publisher.policy.embargo": "Embargo", + "submission.sections.sherpa.publisher.policy.embargo" : "Embargo", - // "statistics.table.no-data" : "No data available" - "statistics.table.no-data" : "Nejsou dostupná žádná data", + // "submission.sections.sherpa.publisher.policy.noembargo": "No Embargo", + "submission.sections.sherpa.publisher.policy.noembargo" : "Žádné embargo", - // "statistics.table.title.TotalVisits" : "Total visits" - "statistics.table.title.TotalVisits" : "Celkový počet návštěv", + // "submission.sections.sherpa.publisher.policy.nolocation": "None", + "submission.sections.sherpa.publisher.policy.nolocation" : "Žádné", - // "statistics.table.title.TotalVisitsPerMonth" : "Total visits per month" - "statistics.table.title.TotalVisitsPerMonth" : "Celkový počet návštěv za měsíc", + // "submission.sections.sherpa.publisher.policy.license": "License", + "submission.sections.sherpa.publisher.policy.license" : "Licence", - // "statistics.table.title.TotalDownloads" : "File Visits" - "statistics.table.title.TotalDownloads" : "Návštěvy souborů", + // "submission.sections.sherpa.publisher.policy.prerequisites": "Prerequisites", + "submission.sections.sherpa.publisher.policy.prerequisites" : "Předpoklady", - // "statistics.table.title.TopCountries" : "Top country views" - "statistics.table.title.TopCountries" : "Nejlepší zhlédnutí na krajinu", + // "submission.sections.sherpa.publisher.policy.location": "Location", + "submission.sections.sherpa.publisher.policy.location" : "Umístění", - // "statistics.table.title.TopCities" : "Top city views" - "statistics.table.title.TopCities" : "Nejlepší zhlédnutí na město", + // "submission.sections.sherpa.publisher.policy.conditions": "Conditions", + "submission.sections.sherpa.publisher.policy.conditions" : "Podmínky", - // "statistics.table.header.views" : "Views" - "statistics.table.header.views" : "Zobrazení", + // "submission.sections.sherpa.publisher.policy.refresh": "Refresh", + "submission.sections.sherpa.publisher.policy.refresh" : "Obnovit", - // "submission.edit.breadcrumbs" : "Edit Submission" - "submission.edit.breadcrumbs" : "Upravit záznam", + // "submission.sections.sherpa.record.information": "Record Information", + "submission.sections.sherpa.record.information" : "Informace o záznamu", - // "submission.edit.title" : "Edit Submission" - "submission.edit.title" : "Upravit záznam", + // "submission.sections.sherpa.record.information.id": "ID", + "submission.sections.sherpa.record.information.id" : "ID", - // "submission.general.cancel" : "Cancel" - "submission.general.cancel" : "Zrušit", + // "submission.sections.sherpa.record.information.date.created": "Date Created", + "submission.sections.sherpa.record.information.date.created" : "Datum vytvoření", - // "submission.general.cannot_submit" : "You have not the privilege to make a new submission." - "submission.general.cannot_submit" : "Nemáte právomoc vytvořit nový záznam.", + // "submission.sections.sherpa.record.information.date.modified": "Last Modified", + "submission.sections.sherpa.record.information.date.modified" : "Poslední změna", - // "submission.general.deposit" : "Deposit" - "submission.general.deposit" : "Nahrát", + // "submission.sections.sherpa.record.information.uri": "URI", + "submission.sections.sherpa.record.information.uri" : "URI", - // "submission.general.discard.confirm.cancel" : "Cancel" - "submission.general.discard.confirm.cancel" : "Zrušit", + // "submission.sections.sherpa.error.message": "There was an error retrieving sherpa informations", + "submission.sections.sherpa.error.message" : "Došlo k chybě při načítání informací o šerpách", - // "submission.general.discard.confirm.info" : "This operation can't be undone. Are you sure?" - "submission.general.discard.confirm.info" : "Tuto operaci nelze vrátit zpět. Jste si jistý?", - // "submission.general.discard.confirm.submit" : "Yes, I'm sure" - "submission.general.discard.confirm.submit" : "Ano, jsem si jistý.", - // "submission.general.discard.confirm.title" : "Discard submission" - "submission.general.discard.confirm.title" : "Vyřadit záznam", + // "contract.breadcrumbs": "Distribution License Agreement", + "contract.breadcrumbs" : "Licenční smlouva o distribuci", - // "submission.general.discard.submit" : "Discard" - "submission.general.discard.submit" : "Vyřadit", + // "contract.message.distribution-license-agreement": "Distribution License Agreement", + "contract.message.distribution-license-agreement" : "Licenční smlouva o distribuci", - // "submission.general.info.saved" : "Saved" - "submission.general.info.saved" : "Uloženo", + // "submission.sections.clarin-license.head.read-accept": "Read and accept the ", + "submission.sections.clarin-license.head.read-accept" : "Přečtěte si a přijměte", - // "submission.general.info.pending-changes" : "Unsaved changes" - "submission.general.info.pending-changes" : "Neuložené změny", + // "submission.sections.clarin-license.head.license-agreement": "Distribution License Agreement", + "submission.sections.clarin-license.head.license-agreement" : "Licenční smlouva o distribuci", - // "submission.general.save" : "Save" - "submission.general.save" : "Uložit", + // "submission.sections.clarin-license.head.license-decision-message": "By checking this box, you agree to the Distribution License Agreement for this repository to reproduce, translate and distribute your submissions worldwide.", + "submission.sections.clarin-license.head.license-decision-message" : "Zaškrtnutím tohoto políčka vyjadřujete souhlas s licenční smlouvou o distribuci, která umožňuje tomuto úložišti reprodukovat, překládat a distribuovat vaše příspěvky celosvětově.", - // "submission.general.save-later" : "Save for later" - "submission.general.save-later" : "Uložit na později", + // "submission.sections.clarin-license.head.license-question-help-desk": ["If you have questions regarding this licence please contact the", "Help Desk"], + "submission.sections.clarin-license.head.license-question-help-desk" : ['Pokud máte dotazy týkající se této licence, prosím kontaktujte', 'poradnu'], - // "submission.import-external.page.title" : "Import metadata from an external source" - "submission.import-external.page.title" : "Importovat metadata z externího zdroje", + // "submission.sections.clarin-license.head.license-select-resource": "Select the resource license", + "submission.sections.clarin-license.head.license-select-resource" : "Vyberte licenci zdroje", - // "submission.import-external.title" : "Import metadata from an external source" - "submission.import-external.title" : "Importovat metadata z externího zdroje", + // "submission.sections.clarin-license.head.license-select-providing": ["The License Selector will provide you visual assistance to select the most appropriate license for your data or software. For the list of all supported licenses and their details visit ", "License List Page", "."], + "submission.sections.clarin-license.head.license-select-providing" : ['License Selector vám pomůže vybrat nejvhodnější licenci pro vaše data nebo software. Momentálně pouze v angličtině ', 'Seznam Licencii', '.'], - // "submission.import-external.title.Journal" : "Import a journal from an external source" - "submission.import-external.title.Journal" : "Importovat časopis z externího zdroje", + // "submission.sections.clarin-license.head.license-open-selector": "OPEN License Selector", + "submission.sections.clarin-license.head.license-open-selector" : "Výběr licence", - // "submission.import-external.title.JournalIssue" : "Import a journal issue from an external source" - "submission.import-external.title.JournalIssue" : "Importovat vydání časopisu z externího zdroje", + // "submission.sections.clarin-license.head.license-select-or": "- OR -", + "submission.sections.clarin-license.head.license-select-or" : "- NEBO -", - // "submission.import-external.title.JournalVolume" : "Import a journal volume from an external source" - "submission.import-external.title.JournalVolume" : "Importovat svazek časopisu z externího zdroje", + // "submission.sections.clarin-license.head.license-dropdown-info": "If you already know under which license you want to distribute your work, please select from the dropdown below.", + "submission.sections.clarin-license.head.license-dropdown-info" : "Pokud již víte, pod jakou licencí chcete své dílo šířit, vyberte si z rozbalovacího seznamu níže.", - // "submission.import-external.title.OrgUnit" : "Import a publisher from an external source" - "submission.import-external.title.OrgUnit" : "Importovat vydavatele z externího zdroje", + // "submission.sections.clarin-license.head.license-not-supported-message": "The selected license is not supported at the moment. Please follow the procedure described under section \"None of these licenses suits your needs\".", + "submission.sections.clarin-license.head.license-not-supported-message" : "Vybraná licence není v současnosti podporována. Postupujte podle postupu popsaného v části \"Žádná z těchto licencí nevyhovuje vašim potřebám\".", - // "submission.import-external.title.Person" : "Import a person from an external source" - "submission.import-external.title.Person" : "Importovat osobu z externího zdroje", + // "submission.sections.clarin-license.head.license-select-default-value": "Select a License ...", + "submission.sections.clarin-license.head.license-select-default-value" : "Vyberte licenci ...", - // "submission.import-external.title.Project" : "Import a project from an external source" - "submission.import-external.title.Project" : "Importovat projekt z externího zdroje", + // "submission.sections.clarin-license.head.license-more-details": "See more details for the licenses", + "submission.sections.clarin-license.head.license-more-details" : "Více podrobností o licencích", - // "submission.import-external.title.Publication" : "Import a publication from an external source" - "submission.import-external.title.Publication" : "Importovat publikace z externího zdroje", + // "submission.sections.clarin-license.head.license-do-not-suits-needs": "None of these licenses suits your needs", + "submission.sections.clarin-license.head.license-do-not-suits-needs" : "Žádná z těchto licencí nevyhovuje vašim potřebám", - // "submission.import-external.title.none" : "Import metadata from an external source" - "submission.import-external.title.none" : "Importovat metadata z externího zdroje", + // "submission.sections.clarin-license.head.license-not-offer-proceeds": "If you need to use a license we currently do not offer, proceed as follows:", + "submission.sections.clarin-license.head.license-not-offer-proceeds": "Pokud potřebujete použít licenci, kterou v současné době nenabízíme, postupujte následovně:", - // "submission.import-external.page.hint" : "Enter a query above to find items from the web to import in to DSpace." - "submission.import-external.page.hint" : "Zadejte výše uvedený dotaz na vyhledání položek z webu, které chcete importovat do DSpace.", + // "submission.sections.clarin-license.head.license-not-offer-proceed-link": "Obtain a link (or a copy) to the license.", + "submission.sections.clarin-license.head.license-not-offer-proceed-link" : "Získejte odkaz (nebo kopii) na licenci.", - // "submission.import-external.back-to-my-dspace" : "Back to MyDSpace" - "submission.import-external.back-to-my-dspace" : "Zpět na MyDSpace", + // "submission.sections.clarin-license.head.license-not-offer-proceed-email": ["Send an email to", "Help Desk", "with the license details."], + "submission.sections.clarin-license.head.license-not-offer-proceed-email" : ['Pošlete', 'nám', 'e-mail s detaily licence.'], - // "submission.import-external.search.placeholder" : "Search the external source" - "submission.import-external.search.placeholder" : "Hledat externí zdroj", + // "submission.sections.clarin-license.head.license-not-offer-proceed-wait": "Save the unfinished submission and wait. We will add the license to the selection list and contact you.", + "submission.sections.clarin-license.head.license-not-offer-proceed-wait" : "Uložte nedokončený záznam a počkejte. Licenci přidáme do výběrového seznamu a budeme vás kontaktovat.", - // "submission.import-external.search.button" : "Search" - "submission.import-external.search.button" : "Hledat", + // "submission.sections.clarin-license.head.license-not-offer-proceed-continue": "You will be able to continue the submission afterwards.", + "submission.sections.clarin-license.head.license-not-offer-proceed-continue" : "Poté budete moci pokračovat v odesílání.", - // "submission.import-external.search.button.hint" : "Write some words to search" - "submission.import-external.search.button.hint" : "Napište pár slov k vyhledávání", + // "submission.sections.clarin-license.toggle.off-text": "Click to accept", + "submission.sections.clarin-license.toggle.off-text" : "Klikněte pro přijetí", - // "submission.import-external.search.source.hint" : "Pick an external source" - "submission.import-external.search.source.hint" : "Vyberte externí zdroj", + // "submission.sections.clarin-license.toggle.on-text": "Accepted", + "submission.sections.clarin-license.toggle.on-text" : "Přijato", - // "submission.import-external.source.arxiv" : "arXiv" - "submission.import-external.source.arxiv" : "arXiv", - // "submission.import-external.source.loading" : "Loading ..." - "submission.import-external.source.loading" : "Načítám ...", - // "submission.import-external.source.sherpaJournal" : "SHERPA Journals" - "submission.import-external.source.sherpaJournal" : "Časopisy SHERPA", + // "submission.sections.clarin-notice.message": ["The submission process for this collection (\"","\") is still being fine-tuned. If you find yourself unable to continue the submission because you can't provide the required information, because the required format for a field is too strict, because there's no appropriate field for your information, or for any other reason", "let us know"], + "submission.sections.clarin-notice.message": ['Proces přidávání záznamů do této kolekce (\"', '\") stále ladíme. Pokud se vám nedaří přidat záznam, protože nemáte požadované informace, nebo protože některé z polí má příliš přísné požadavky na formát, nebo protože chybí pole, do kterého by se dala vaše informace zachytit, nebo z jakéhokoliv jiného důvodu,', 'kontaktujte nás'], - // "submission.import-external.source.sherpaJournalIssn" : "SHERPA Journals by ISSN" - "submission.import-external.source.sherpaJournalIssn" : "Časopisy SHERPA podle ISSN", - // "submission.import-external.source.sherpaPublisher" : "SHERPA Publishers" - "submission.import-external.source.sherpaPublisher" : "Vydavatelství SHERPA", - // "submission.import-external.source.openAIREFunding" : "Funding OpenAIRE API" - "submission.import-external.source.openAIREFunding" : "Financování OpenAIRE API", + // "submission.submit.breadcrumbs": "New submission", + "submission.submit.breadcrumbs" : "Nový příspěvek", - // "submission.import-external.source.orcid" : "ORCID" - "submission.import-external.source.orcid" : "ORCID", + // "submission.submit.title": "New submission", + "submission.submit.title" : "Nový příspěvek", - // "submission.import-external.source.pubmed" : "Pubmed" - "submission.import-external.source.pubmed" : "Pubmed", - // "submission.import-external.source.lcname" : "Library of Congress Names" - "submission.import-external.source.lcname" : "Názvy knihovny Kongresu", - // "submission.import-external.preview.title" : "Item Preview" - "submission.import-external.preview.title" : "Náhled položky", + // "submission.workflow.generic.delete": "Delete", + "submission.workflow.generic.delete" : "Odstranit", - // "submission.import-external.preview.subtitle" : "The metadata below was imported from an external source. It will be pre-filled when you start the submission." - "submission.import-external.preview.subtitle" : "Níže uvedená metadata byla importována z externího zdroje. Při zahájení odesílání budou předplněna.", + // "submission.workflow.generic.delete-help": "If you would to discard this item, select \"Delete\". You will then be asked to confirm it.", + "submission.workflow.generic.delete-help" : "Pokud chcete tuto položku vyřadit, vyberte možnost \"Delete\". Poté budete vyzváni k jejímu potvrzení.", - // "submission.import-external.preview.button.import" : "Start submission" - "submission.import-external.preview.button.import" : "Začít nový příspěvek", + // "submission.workflow.generic.edit": "Edit", + "submission.workflow.generic.edit" : "Upravit", - // "submission.import-external.preview.error.import.title" : "Submission error" - "submission.import-external.preview.error.import.title" : "Chyba při odeslání vytváření nového příspěvku", + // "submission.workflow.generic.edit-help": "Select this option to change the item's metadata.", + "submission.workflow.generic.edit-help" : "Chcete-li změnit metadata položky, vyberte tuto možnost.", - // "submission.import-external.preview.error.import.body" : "An error occurs during the external source entry import process." - "submission.import-external.preview.error.import.body" : "Během procesu importu externích zdrojových záznamů došlo k chybě.", + // "submission.workflow.generic.view": "View", + "submission.workflow.generic.view" : "Zobrazit", - // "submission.sections.describe.relationship-lookup.close" : "Close" - "submission.sections.describe.relationship-lookup.close" : "Zavřít", + // "submission.workflow.generic.view-help": "Select this option to view the item's metadata.", + "submission.workflow.generic.view-help" : "Chcete-li zobrazit metadata položky, vyberte tuto možnost.", - // "submission.sections.describe.relationship-lookup.external-source.added" : "Successfully added local entry to the selection" - "submission.sections.describe.relationship-lookup.external-source.added" : "Do výběru byla úspěšně přidána místní položka", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.isAuthorOfPublication" : "Import remote author" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.isAuthorOfPublication" : "Importovat vzdáleného autora", + // "submission.workflow.generic.submit_select_reviewer": "Select Reviewer", + "submission.workflow.generic.submit_select_reviewer" : "Vybrat recenzenta", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal" : "Import remote journal" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal" : "Importovat vzdálený časopis", + // "submission.workflow.generic.submit_select_reviewer-help": "", + "submission.workflow.generic.submit_select_reviewer-help" : "", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal Issue" : "Import remote journal issue" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal Issue" : "Importovat vzdálené vydání časopisu", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal Volume" : "Import remote journal volume" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.Journal Volume" : "Importovat vzdálený svazek časopisu", + // "submission.workflow.generic.submit_score": "Rate", + "submission.workflow.generic.submit_score" : "Hodnotit", - // "submission.sections.describe.relationship-lookup.external-source.import-button-title.isProjectOfPublication" : "Project" - "submission.sections.describe.relationship-lookup.external-source.import-button-title.isProjectOfPublication" : "Projekt", + // "submission.workflow.generic.submit_score-help": "", + "submission.workflow.generic.submit_score-help": "", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.isProjectOfPublication.added.new-entity" : "New Entity Added!" - "submission.sections.describe.relationship-lookup.external-source.import-modal.isProjectOfPublication.added.new-entity" : "Přidán nový subjekt!", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.isProjectOfPublication.title" : "Project" - "submission.sections.describe.relationship-lookup.external-source.import-modal.isProjectOfPublication.title" : "Projekt", + // "submission.workflow.tasks.claimed.approve": "Approve", + "submission.workflow.tasks.claimed.approve" : "Schválit", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.openAIREFunding" : "Funding OpenAIRE API" - "submission.sections.describe.relationship-lookup.external-source.import-modal.head.openAIREFunding" : "Financování OpenAIRE API", + // "submission.workflow.tasks.claimed.approve_help": "If you have reviewed the item and it is suitable for inclusion in the collection, select \"Approve\".", + "submission.workflow.tasks.claimed.approve_help" : "Pokud jste položku prohlédli a je vhodná pro zařazení do kolekce, vyberte možnost \"Approve\".", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.title" : "Import Remote Author" - "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.title" : "Importovat vzdáleného autora", + // "submission.workflow.tasks.claimed.edit": "Edit", + "submission.workflow.tasks.claimed.edit" : "Upravit", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.added.local-entity" : "Successfully added local author to the selection" - "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.added.local-entity" : "Do výběru byl úspěšně přidán místní autor", + // "submission.workflow.tasks.claimed.edit_help": "Select this option to change the item's metadata.", + "submission.workflow.tasks.claimed.edit_help" : "Chcete-li změnit metadata položky, vyberte tuto možnost.", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.added.new-entity" : "Successfully imported and added external author to the selection" - "submission.sections.describe.relationship-lookup.external-source.import-modal.isAuthorOfPublication.added.new-entity" : "Úspěšný import a přidání externího autora do výběru", + // "submission.workflow.tasks.claimed.decline": "Decline", + "submission.workflow.tasks.claimed.decline" : "", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.authority" : "Authority" - "submission.sections.describe.relationship-lookup.external-source.import-modal.authority" : "Úřad", + // "submission.workflow.tasks.claimed.decline_help": "", + "submission.workflow.tasks.claimed.decline_help": "", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.authority.new" : "Import as a new local authority entry" - "submission.sections.describe.relationship-lookup.external-source.import-modal.authority.new" : "Importovat jako nový záznam místního úřadu", + // "submission.workflow.tasks.claimed.reject.reason.info": "Please enter your reason for rejecting the submission into the box below, indicating whether the submitter may fix a problem and resubmit.", + "submission.workflow.tasks.claimed.reject.reason.info" : "Do níže uvedeného pole uveďte důvod zamítnutí záznamu a uveďte, zda může předkladatel problém odstranit a podat jej znovu.", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.cancel" : "Cancel" - "submission.sections.describe.relationship-lookup.external-source.import-modal.cancel" : "Zrušit", + // "submission.workflow.tasks.claimed.reject.reason.placeholder": "Describe the reason of reject", + "submission.workflow.tasks.claimed.reject.reason.placeholder" : "Popis důvodu zamítnutí", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.collection" : "Select a collection to import new entries to" - "submission.sections.describe.relationship-lookup.external-source.import-modal.collection" : "Vyberte kolekci, do které chcete importovat nové položky", + // "submission.workflow.tasks.claimed.reject.reason.submit": "Reject item", + "submission.workflow.tasks.claimed.reject.reason.submit" : "Zamítnout položku", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.entities" : "Entities" - "submission.sections.describe.relationship-lookup.external-source.import-modal.entities" : "Subjekty", + // "submission.workflow.tasks.claimed.reject.reason.title": "Reason", + "submission.workflow.tasks.claimed.reject.reason.title" : "Důvod", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.entities.new" : "Import as a new local entity" - "submission.sections.describe.relationship-lookup.external-source.import-modal.entities.new" : "Importovat jako nový místní subjekt", + // "submission.workflow.tasks.claimed.reject.submit": "Reject", + "submission.workflow.tasks.claimed.reject.submit" : "Zamítnout", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.lcname" : "Importing from LC Name" - "submission.sections.describe.relationship-lookup.external-source.import-modal.head.lcname" : "Import z LC názvu", + // "submission.workflow.tasks.claimed.reject_help": "If you have reviewed the item and found it is not suitable for inclusion in the collection, select \"Reject\". You will then be asked to enter a message indicating why the item is unsuitable, and whether the submitter should change something and resubmit.", + "submission.workflow.tasks.claimed.reject_help" : "Pokud jste položku zkontrolovali a zjistili, že je not vhodná pro zařazení do kolekce, vyberte možnost \"Reject\". Poté budete vyzváni k zadání zprávy, ve které uvedete, proč je položka nevhodná a zda by měl předkladatel něco změnit a znovu předložit.", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.orcid" : "Importing from ORCID" - "submission.sections.describe.relationship-lookup.external-source.import-modal.head.orcid" : "Importovat z ORCID", + // "submission.workflow.tasks.claimed.return": "Return to pool", + "submission.workflow.tasks.claimed.return" : "Návrat do bazénu", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.sherpaJournal" : "Importing from Sherpa Journal" - "submission.sections.describe.relationship-lookup.external-source.import-modal.head.sherpaJournal" : "Importovat z časopisu Sherpa", + // "submission.workflow.tasks.claimed.return_help": "Return the task to the pool so that another user may perform the task.", + "submission.workflow.tasks.claimed.return_help" : "Vrátit úlohu do fondu, aby ji mohl provést jiný uživatel.", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.sherpaPublisher" : "Importing from Sherpa Publisher" - "submission.sections.describe.relationship-lookup.external-source.import-modal.head.sherpaPublisher" : "Importovat z vydavatelství Sherpa", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.pubmed" : "Importing from PubMed" - "submission.sections.describe.relationship-lookup.external-source.import-modal.head.pubmed" : "Importovat z PubMed", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.head.arxiv" : "Importing from arXiv" - "submission.sections.describe.relationship-lookup.external-source.import-modal.head.arxiv" : "Importovat z arXiv", + // "submission.workflow.tasks.generic.error": "Error occurred during operation...", + "submission.workflow.tasks.generic.error" : "Během operace došlo k chybě...", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.import" : "Import" - "submission.sections.describe.relationship-lookup.external-source.import-modal.import" : "Importovat", + // "submission.workflow.tasks.generic.processing": "Processing...", + "submission.workflow.tasks.generic.processing" : "Zpracování...", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.title" : "Import Remote Journal" - "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.title" : "Importovat vzdálený časopis", + // "submission.workflow.tasks.generic.submitter": "Submitter", + "submission.workflow.tasks.generic.submitter" : "Předkladatel", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.added.local-entity" : "Successfully added local journal to the selection" - "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.added.local-entity" : "Do výběru byl úspěšně přidán lokální časopis", + // "submission.workflow.tasks.generic.success": "Operation successful", + "submission.workflow.tasks.generic.success" : "Operace úspěšná", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.added.new-entity" : "Successfully imported and added external journal to the selection" - "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal.added.new-entity" : "Úspěšný import a přidání externího časopisu do výběru", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.title" : "Import Remote Journal Issue" - "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.title" : "Importovat vzdálené vydání časopisu", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.added.local-entity" : "Successfully added local journal issue to the selection" - "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.added.local-entity" : "Do výběru bylo úspěšně přidáno lokální vydání časopisu", + // "submission.workflow.tasks.pool.claim": "Claim", + "submission.workflow.tasks.pool.claim" : "Tvrzení", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.added.new-entity" : "Successfully imported and added external journal issue to the selection" - "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Issue.added.new-entity" : "Úspěšný import a přidání externího vydání časopisu do výběru", + // "submission.workflow.tasks.pool.claim_help": "Assign this task to yourself.", + "submission.workflow.tasks.pool.claim_help" : "Zadejte si tento úkol sami.", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.title" : "Import Remote Journal Volume" - "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.title" : "Import vzdáleného svazku časopisu", + // "submission.workflow.tasks.pool.hide-detail": "Hide detail", + "submission.workflow.tasks.pool.hide-detail" : "Skrýt detail", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.added.local-entity" : "Successfully added local journal volume to the selection" - "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.added.local-entity" : "Úspěšně přidán svazek místního časopisu do výběru", + // "submission.workflow.tasks.pool.show-detail": "Show detail", + "submission.workflow.tasks.pool.show-detail" : "Zobrazit detail", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.added.new-entity" : "Successfully imported and added external journal volume to the selection" - "submission.sections.describe.relationship-lookup.external-source.import-modal.Journal Volume.added.new-entity" : "Úspěšný import a přidání externího svazku časopisu do výběru", - // "submission.sections.describe.relationship-lookup.external-source.import-modal.select" : "Select a local match:" - "submission.sections.describe.relationship-lookup.external-source.import-modal.select" : "Vybrát místní shodu:", + // "submission.workspace.generic.view": "View", + "submission.workspace.generic.view" : "Zobrazit", - // "submission.sections.describe.relationship-lookup.search-tab.deselect-all" : "Deselect all" - "submission.sections.describe.relationship-lookup.search-tab.deselect-all" : "Zrušit výběr všech", + // "submission.workspace.generic.view-help": "Select this option to view the item's metadata.", + "submission.workspace.generic.view-help" : "Chcete-li zobrazit metadata položky, vyberte tuto možnost", - // "submission.sections.describe.relationship-lookup.search-tab.deselect-page" : "Deselect page" - "submission.sections.describe.relationship-lookup.search-tab.deselect-page" : "Zrušit výběr stránky", - // "submission.sections.describe.relationship-lookup.search-tab.loading" : "Loading..." - "submission.sections.describe.relationship-lookup.search-tab.loading" : "Načítám...", + // "subscriptions.title": "Subscriptions", + "subscriptions.title" : "Odběry", - // "submission.sections.describe.relationship-lookup.search-tab.placeholder" : "Search query" - "submission.sections.describe.relationship-lookup.search-tab.placeholder" : "Vyhledávací dotaz", + // "subscriptions.item": "Subscriptions for items", + "subscriptions.item" : "Odběry pro položky", - // "submission.sections.describe.relationship-lookup.search-tab.search" : "Go" - "submission.sections.describe.relationship-lookup.search-tab.search" : "Přejít na", + // "subscriptions.collection": "Subscriptions for collections", + "subscriptions.collection" : "Odběry pro kolekce", - // "submission.sections.describe.relationship-lookup.search-tab.search-form.placeholder" : "Search..." - "submission.sections.describe.relationship-lookup.search-tab.search-form.placeholder" : "Hledat...", + // "subscriptions.community": "Subscriptions for communities", + "subscriptions.community" : "Odběry pro komunity", - // "submission.sections.describe.relationship-lookup.search-tab.select-all" : "Select all" - "submission.sections.describe.relationship-lookup.search-tab.select-all" : "Vybrat vše", + // "subscriptions.subscription_type": "Subscription type", + "subscriptions.subscription_type" : "Typ odběru", - // "submission.sections.describe.relationship-lookup.search-tab.select-page" : "Select page" - "submission.sections.describe.relationship-lookup.search-tab.select-page" : "Vybrat stránku", + // "subscriptions.frequency": "Subscription frequency", + "subscriptions.frequency" : "Frekvence odběru", - // "submission.sections.describe.relationship-lookup.selected" : "Selected {{ size }} items" - "submission.sections.describe.relationship-lookup.selected" : "Vybrané {{ size }} položky", + // "subscriptions.frequency.D": "Daily", + "subscriptions.frequency.D" : "Denně", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isAuthorOfPublication" : "Local Authors ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.isAuthorOfPublication" : "Místní autoři ({{ count }})", + // "subscriptions.frequency.M": "Monthly", + "subscriptions.frequency.M" : "Měsíčně", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalOfPublication" : "Local Journals ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalOfPublication" : "Místní časopisy ({{ count }})", + // "subscriptions.frequency.W": "Weekly", + "subscriptions.frequency.W" : "Týdně", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.Project" : "Local Projects ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.Project" : "Místní projekty ({{ count }})", + // "subscriptions.tooltip": "Subscribe", + "subscriptions.tooltip" : "Přihlásit se k odběru", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.Publication" : "Local Publications ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.Publication" : "Místní publikace ({{ count }})", + // "subscriptions.modal.title": "Subscriptions", + "subscriptions.modal.title" : "Odběry", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.Person" : "Local Authors ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.Person" : "Místní autoři ({{ count }})", + // "subscriptions.modal.type-frequency": "Type and frequency", + "subscriptions.modal.type-frequency" : "Typ a frekvence", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.OrgUnit" : "Local Organizational Units ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.OrgUnit" : "Místní organizační jednotky ({{ count }})", + // "subscriptions.modal.close": "Close", + "subscriptions.modal.close" : "Zavřít", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.DataPackage" : "Local Data Packages ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.DataPackage" : "Místní datové balíčky ({{ count }})", + // "subscriptions.modal.delete-info": "To remove this subscription, please visit the \"Subscriptions\" page under your user profile", + "subscriptions.modal.delete-info" : "Chcete-li odběr zrušit, navštivte stránku \"Odběry\" ve svém uživatelském profilu.", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.DataFile" : "Local Data Files ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.DataFile" : "Místní datové soubory ({{ count }})", + // "subscriptions.modal.new-subscription-form.type.content": "Content", + "subscriptions.modal.new-subscription-form.type.content" : "Obsah", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.Journal" : "Local Journals ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.Journal" : "Místní časopisy ({{ count }})", + // "subscriptions.modal.new-subscription-form.frequency.D": "Daily", + "subscriptions.modal.new-subscription-form.frequency.D" : "Denně", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalIssueOfPublication" : "Local Journal Issues ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalIssueOfPublication" : "Vydání místních časopisů ({{ count }})", + // "subscriptions.modal.new-subscription-form.frequency.W": "Weekly", + "subscriptions.modal.new-subscription-form.frequency.W" : "Týdně", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.JournalIssue" : "Local Journal Issues ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.JournalIssue" : "Vydání místních časopisů ({{ count }})", + // "subscriptions.modal.new-subscription-form.frequency.M": "Monthly", + "subscriptions.modal.new-subscription-form.frequency.M" : "Měsíčně", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalVolumeOfPublication" : "Local Journal Volumes ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.isJournalVolumeOfPublication" : "Svazky místních časopisů ({{ count }})", + // "subscriptions.modal.new-subscription-form.submit": "Submit", + "subscriptions.modal.new-subscription-form.submit" : "Odeslat", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.JournalVolume" : "Local Journal Volumes ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.JournalVolume" : "Svazky místních časopisů ({{ count }})", + // "subscriptions.modal.new-subscription-form.processing": "Processing...", + "subscriptions.modal.new-subscription-form.processing" : "Zpracování...", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.sherpaJournal" : "Sherpa Journals ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.sherpaJournal" : "Časopisy Sherpa ({{ count }})", + // "subscriptions.modal.create.success": "Subscribed to {{ type }} successfully.", + "subscriptions.modal.create.success" : "Úspěšně přihlášen k odběru {{ type }} .", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.sherpaPublisher" : "Sherpa Publishers ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.sherpaPublisher" : "Vydavatelství Sherpa ({{ count }})", + // "subscriptions.modal.delete.success": "Subscription deleted successfully", + "subscriptions.modal.delete.success" : "Odběr byl úspěšně odstraněn", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.orcid" : "ORCID ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.orcid" : "ORCID ({{ count }})", + // "subscriptions.modal.update.success": "Subscription to {{ type }} updated successfully", + "subscriptions.modal.update.success" : "Přihlášení k odběru {{ type }} úspěšně aktualizováno", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.lcname" : "LC Names ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.lcname" : "Jména LC ({{ count }})", + // "subscriptions.modal.create.error": "An error occurs during the subscription creation", + "subscriptions.modal.create.error" : "Při vytváření odběru došlo k chybě", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.pubmed" : "PubMed ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.pubmed" : "PubMed ({{ count }})", + // "subscriptions.modal.delete.error": "An error occurs during the subscription delete", + "subscriptions.modal.delete.error" : "Při odstraňování odběru došlo k chybě", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.arxiv" : "arXiv ({{ count }})" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.arxiv" : "arXiv ({{ count }})", + // "subscriptions.modal.update.error": "An error occurs during the subscription update", + "subscriptions.modal.update.error" : "Během aktualizace odběru došlo k chybě", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingAgencyOfPublication" : "Search for Funding Agencies" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingAgencyOfPublication" : "Hledat financující agentury", + // "subscriptions.table.dso": "Subject", + "subscriptions.table.dso" : "Předmět", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingOfPublication" : "Search for Funding" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingOfPublication" : "Hledat finanční prostředky", + // "subscriptions.table.subscription_type": "Subscription Type", + "subscriptions.table.subscription_type" : "Typ odběru", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isChildOrgUnitOf" : "Search for Organizational Units" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.isChildOrgUnitOf" : "Hledání organizačních jednotek", + // "subscriptions.table.subscription_frequency": "Subscription Frequency", + "subscriptions.table.subscription_frequency" : "Frekvence odběru", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.openAIREFunding" : "Funding OpenAIRE API" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.openAIREFunding" : "Financování OpenAIRE API", + // "subscriptions.table.action": "Action", + "subscriptions.table.action" : "Akce", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isProjectOfPublication" : "Projects" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.isProjectOfPublication" : "Projekty", + // "subscriptions.table.edit": "Edit", + "subscriptions.table.edit" : "Upravit", - // "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingAgencyOfProject" : "Funder of the Project" - "submission.sections.describe.relationship-lookup.search-tab.tab-title.isFundingAgencyOfProject" : "Sponzor projektu", + // "subscriptions.table.delete": "Delete", + "subscriptions.table.delete" : "Odstranit", - // "submission.sections.describe.relationship-lookup.selection-tab.title.openAIREFunding" : "Funding OpenAIRE API" - "submission.sections.describe.relationship-lookup.selection-tab.title.openAIREFunding" : "Financování OpenAIRE API", + // "subscriptions.table.not-available": "Not available", + "subscriptions.table.not-available" : "Není k dispozici", - // "submission.sections.describe.relationship-lookup.selection-tab.title.isProjectOfPublication" : "Project" - "submission.sections.describe.relationship-lookup.selection-tab.title.isProjectOfPublication" : "Projekt", + // "subscriptions.table.not-available-message": "The subscribed item has been deleted, or you don't currently have the permission to view it", + "subscriptions.table.not-available-message" : "Odebíraná položka byla smazána, nebo nemáte aktuálně oprávnění k jejímu zobrazení", - // "submission.sections.describe.relationship-lookup.title.isProjectOfPublication" : "Projects" - "submission.sections.describe.relationship-lookup.title.isProjectOfPublication" : "Projekty", + // "subscriptions.table.empty.message": "You do not have any subscriptions at this time. To subscribe to email updates for a Community or Collection, use the subscription button on the object's page.", + "subscriptions.table.empty.message" : "V tuto chvíli nemáte žádné odběry. Chcete-li se přihlásit k odběru e-mailových aktualizací pro komunitu nebo kolekci, použijte tlačítko pro odběr na stránce objektu.", - // "submission.sections.describe.relationship-lookup.title.isFundingAgencyOfProject" : "Funder of the Project" - "submission.sections.describe.relationship-lookup.title.isFundingAgencyOfProject" : "Sponzor projektu", - // "submission.sections.describe.relationship-lookup.selection-tab.search-form.placeholder" : "Search..." - "submission.sections.describe.relationship-lookup.selection-tab.search-form.placeholder" : "Hledat...", + // "thumbnail.default.alt": "Thumbnail Image", + "thumbnail.default.alt" : "Náhled obrázku", - // "submission.sections.describe.relationship-lookup.selection-tab.tab-title" : "Current Selection ({{ count }})" - "submission.sections.describe.relationship-lookup.selection-tab.tab-title" : "Aktuální výběr ({{ count }})", + // "thumbnail.default.placeholder": "No Thumbnail Available", + "thumbnail.default.placeholder" : "Náhled není k dispozici", - // "submission.sections.describe.relationship-lookup.title.isJournalIssueOfPublication" : "Journal Issues" - "submission.sections.describe.relationship-lookup.title.isJournalIssueOfPublication" : "Vydání časopisu", + // "thumbnail.project.alt": "Project Logo", + "thumbnail.project.alt" : "Logo projektu", - // "submission.sections.describe.relationship-lookup.title.JournalIssue" : "Journal Issues" - "submission.sections.describe.relationship-lookup.title.JournalIssue" : "Vydání časopisu", + // "thumbnail.project.placeholder": "Project Placeholder Image", + "thumbnail.project.placeholder" : "Zástupný obrázek projektu", - // "submission.sections.describe.relationship-lookup.title.isJournalVolumeOfPublication" : "Journal Volumes" - "submission.sections.describe.relationship-lookup.title.isJournalVolumeOfPublication" : "Svazky časopisů", + // "thumbnail.orgunit.alt": "OrgUnit Logo", + "thumbnail.orgunit.alt" : "Logo OrgUnit", - // "submission.sections.describe.relationship-lookup.title.JournalVolume" : "Journal Volumes" - "submission.sections.describe.relationship-lookup.title.JournalVolume" : "Svazky časopisů", + // "thumbnail.orgunit.placeholder": "OrgUnit Placeholder Image", + "thumbnail.orgunit.placeholder" : "Obrázek zástupného prvku OrgUnit", - // "submission.sections.describe.relationship-lookup.title.isJournalOfPublication" : "Journals" - "submission.sections.describe.relationship-lookup.title.isJournalOfPublication" : "Časopisy", + // "thumbnail.person.alt": "Profile Picture", + "thumbnail.person.alt" : "Profilový obrázek", - // "submission.sections.describe.relationship-lookup.title.isAuthorOfPublication" : "Authors" - "submission.sections.describe.relationship-lookup.title.isAuthorOfPublication" : "Autoři", + // "thumbnail.person.placeholder": "No Profile Picture Available", + "thumbnail.person.placeholder" : "Žádný profilový obrázek k dispozici", - // "submission.sections.describe.relationship-lookup.title.isFundingAgencyOfPublication" : "Funding Agency" - "submission.sections.describe.relationship-lookup.title.isFundingAgencyOfPublication" : "Financující agentura", - // "submission.sections.describe.relationship-lookup.title.Project" : "Projects" - "submission.sections.describe.relationship-lookup.title.Project" : "Projekty", - // "submission.sections.describe.relationship-lookup.title.Publication" : "Publications" - "submission.sections.describe.relationship-lookup.title.Publication" : "Publikace", + // "title": "DSpace", + "title" : "DSpace", - // "submission.sections.describe.relationship-lookup.title.Person" : "Authors" - "submission.sections.describe.relationship-lookup.title.Person" : "Autoři", - // "submission.sections.describe.relationship-lookup.title.OrgUnit" : "Organizational Units" - "submission.sections.describe.relationship-lookup.title.OrgUnit" : "Organizační jednotky", - // "submission.sections.describe.relationship-lookup.title.DataPackage" : "Data Packages" - "submission.sections.describe.relationship-lookup.title.DataPackage" : "Datové balíčky", + // "vocabulary-treeview.header": "Hierarchical tree view", + "vocabulary-treeview.header" : "Hierarchické stromové zobrazení", - // "submission.sections.describe.relationship-lookup.title.DataFile" : "Data Files" - "submission.sections.describe.relationship-lookup.title.DataFile" : "Datové soubory", + // "vocabulary-treeview.load-more": "Load more", + "vocabulary-treeview.load-more" : "Načíst další", - // "submission.sections.describe.relationship-lookup.title.Funding Agency" : "Funding Agency" - "submission.sections.describe.relationship-lookup.title.Funding Agency" : "Financující agentura", + // "vocabulary-treeview.search.form.reset": "Reset", + "vocabulary-treeview.search.form.reset" : "Resetovat", - // "submission.sections.describe.relationship-lookup.title.isFundingOfPublication" : "Funding" - "submission.sections.describe.relationship-lookup.title.isFundingOfPublication" : "Financování", + // "vocabulary-treeview.search.form.search": "Search", + "vocabulary-treeview.search.form.search" : "Hledat", - // "submission.sections.describe.relationship-lookup.title.isChildOrgUnitOf" : "Parent Organizational Unit" - "submission.sections.describe.relationship-lookup.title.isChildOrgUnitOf" : "Nadřízená organizační jednotka", + // "vocabulary-treeview.search.no-result": "There were no items to show", + "vocabulary-treeview.search.no-result" : "Nebyly vystaveny žádné položky", - // "submission.sections.describe.relationship-lookup.search-tab.toggle-dropdown" : "Toggle dropdown" - "submission.sections.describe.relationship-lookup.search-tab.toggle-dropdown" : "Přepnout rozbalovací seznam", + // "vocabulary-treeview.tree.description.nsi": "The Norwegian Science Index", + "vocabulary-treeview.tree.description.nsi" : "Norský vědecký index", - // "submission.sections.describe.relationship-lookup.selection-tab.settings" : "Settings" - "submission.sections.describe.relationship-lookup.selection-tab.settings" : "Nastavení", + // "vocabulary-treeview.tree.description.srsc": "Research Subject Categories", + "vocabulary-treeview.tree.description.srsc" : "Kategorie předmětů výzkumu", - // "submission.sections.describe.relationship-lookup.selection-tab.no-selection" : "Your selection is currently empty." - "submission.sections.describe.relationship-lookup.selection-tab.no-selection" : "Váš výběr je momentálně prázdný.", + // "vocabulary-treeview.info": "Select a subject to add as search filter", + "vocabulary-treeview.info" : "Vyberte předmět, který chcete přidat jako vyhledávací filtr", - // "submission.sections.describe.relationship-lookup.selection-tab.title.isAuthorOfPublication" : "Selected Authors" - "submission.sections.describe.relationship-lookup.selection-tab.title.isAuthorOfPublication" : "Vybraní autoři", + // "uploader.browse": "browse", + "uploader.browse" : "procházet", - // "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalOfPublication" : "Selected Journals" - "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalOfPublication" : "Vybrané časopisy", + // "uploader.drag-message": "Drag & Drop your files here", + "uploader.drag-message" : "Potáhněte a přesuňte své soubory sem", - // "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalVolumeOfPublication" : "Selected Journal Volume" - "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalVolumeOfPublication" : "Vybraný svazek časopisu", + // "uploader.delete.btn-title": "Delete", + "uploader.delete.btn-title" : "Odstranit", - // "submission.sections.describe.relationship-lookup.selection-tab.title.Project" : "Selected Projects" - "submission.sections.describe.relationship-lookup.selection-tab.title.Project" : "Vybrané projekty", + // "uploader.or": ", or ", + "uploader.or" : ", nebo", - // "submission.sections.describe.relationship-lookup.selection-tab.title.Publication" : "Selected Publications" - "submission.sections.describe.relationship-lookup.selection-tab.title.Publication" : "Vybrané publikace", + // "uploader.processing": "Processing uploaded file(s)... (it's now safe to close this page)", + "uploader.processing" : "Zpracování", - // "submission.sections.describe.relationship-lookup.selection-tab.title.Person" : "Selected Authors" - "submission.sections.describe.relationship-lookup.selection-tab.title.Person" : "Vybraní autoři", + // "uploader.queue-length": "Queue length", + "uploader.queue-length" : "Délka fronty", - // "submission.sections.describe.relationship-lookup.selection-tab.title.OrgUnit" : "Selected Organizational Units" - "submission.sections.describe.relationship-lookup.selection-tab.title.OrgUnit" : "Vybrané organizační jednotky", + // "virtual-metadata.delete-item.info": "Select the types for which you want to save the virtual metadata as real metadata", + "virtual-metadata.delete-item.info" : "Vyberte typy, pro které chcete uložit virtuální metadata jako skutečná metadata", - // "submission.sections.describe.relationship-lookup.selection-tab.title.DataPackage" : "Selected Data Packages" - "submission.sections.describe.relationship-lookup.selection-tab.title.DataPackage" : "Vybrané datové balíčky", + // "virtual-metadata.delete-item.modal-head": "The virtual metadata of this relation", + "virtual-metadata.delete-item.modal-head" : "Virtuální metadata tohoto vztahu", - // "submission.sections.describe.relationship-lookup.selection-tab.title.DataFile" : "Selected Data Files" - "submission.sections.describe.relationship-lookup.selection-tab.title.DataFile" : "Vybrané datové soubory", + // "virtual-metadata.delete-relationship.modal-head": "Select the items for which you want to save the virtual metadata as real metadata", + "virtual-metadata.delete-relationship.modal-head" : "Vyberte položky, pro které chcete uložit virtuální metadata jako skutečná metadata.", - // "submission.sections.describe.relationship-lookup.selection-tab.title.Journal" : "Selected Journals" - "submission.sections.describe.relationship-lookup.selection-tab.title.Journal" : "Vybrané časopisy", - // "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalIssueOfPublication" : "Selected Issue" - "submission.sections.describe.relationship-lookup.selection-tab.title.isJournalIssueOfPublication" : "Vybrané vydání", - // "submission.sections.describe.relationship-lookup.selection-tab.title.JournalVolume" : "Selected Journal Volume" - "submission.sections.describe.relationship-lookup.selection-tab.title.JournalVolume" : "Vybraný svazek časopisu", + // "supervisedWorkspace.search.results.head": "Supervised Items", + "supervisedWorkspace.search.results.head" : "Kontrolované položky", - // "submission.sections.describe.relationship-lookup.selection-tab.title.isFundingAgencyOfPublication" : "Selected Funding Agency" - "submission.sections.describe.relationship-lookup.selection-tab.title.isFundingAgencyOfPublication" : "Vybraná agentura pro financování", + // "workspace.search.results.head": "Your submissions", + "workspace.search.results.head" : "Vaše záznamy", - // "submission.sections.describe.relationship-lookup.selection-tab.title.isFundingOfPublication" : "Selected Funding" - "submission.sections.describe.relationship-lookup.selection-tab.title.isFundingOfPublication" : "Vybrané financování", + // "workflowAdmin.search.results.head": "Administer Workflow", + "workflowAdmin.search.results.head" : "Správa Workflowu", - // "submission.sections.describe.relationship-lookup.selection-tab.title.JournalIssue" : "Selected Issue" - "submission.sections.describe.relationship-lookup.selection-tab.title.JournalIssue" : "Vybrané vydání", + // "workflow.search.results.head": "Workflow tasks", + "workflow.search.results.head" : "Úlohy pracovních postupů", - // "submission.sections.describe.relationship-lookup.selection-tab.title.isChildOrgUnitOf" : "Selected Organizational Unit" - "submission.sections.describe.relationship-lookup.selection-tab.title.isChildOrgUnitOf" : "Vybraná organizační jednotka", + // "supervision.search.results.head": "Workflow and Workspace tasks", + "supervision.search.results.head" : "Úlohy pracovních postupů a pracovního prostoru", - // "submission.sections.describe.relationship-lookup.selection-tab.title.sherpaJournal" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.sherpaJournal" : "Výsledky hledání", - // "submission.sections.describe.relationship-lookup.selection-tab.title.sherpaPublisher" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.sherpaPublisher" : "Výsledky hledání", - // "submission.sections.describe.relationship-lookup.selection-tab.title.orcid" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.orcid" : "Výsledky hledání", + // "workflow-item.edit.breadcrumbs": "Edit workflowitem", + "workflow-item.edit.breadcrumbs" : "Upravit položku pracovního postupu", - // "submission.sections.describe.relationship-lookup.selection-tab.title.orcidv2" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.orcidv2" : "Výsledky hledání", + // "workflow-item.edit.title": "Edit workflowitem", + "workflow-item.edit.title" : "Upravit položku pracovního postupu", - // "submission.sections.describe.relationship-lookup.selection-tab.title.lcname" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.lcname" : "Výsledky hledání", + // "workflow-item.delete.notification.success.title": "Deleted", + "workflow-item.delete.notification.success.title" : "Odstraněno", - // "submission.sections.describe.relationship-lookup.selection-tab.title.pubmed" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.pubmed" : "Výsledky hledání", + // "workflow-item.delete.notification.success.content": "This workflow item was successfully deleted", + "workflow-item.delete.notification.success.content" : "Tato položka pracovního postupu byla úspěšně odstraněna", - // "submission.sections.describe.relationship-lookup.selection-tab.title.arxiv" : "Search Results" - "submission.sections.describe.relationship-lookup.selection-tab.title.arxiv" : "Výsledky hledání", + // "workflow-item.delete.notification.error.title": "Something went wrong", + "workflow-item.delete.notification.error.title" : "Něco se pokazilo", - // "submission.sections.describe.relationship-lookup.name-variant.notification.content" : "Would you like to save "{{ value }}" as a name variant for this person so you and others can reuse it for future submissions? If you don't you can still use it for this submission." - "submission.sections.describe.relationship-lookup.name-variant.notification.content" : "Chcete uložit \"{{ value }}\" jako variantu jména pro tuto osobu, abyste ji vy i ostatní mohli znovu použít pro budoucí záznam? Pokud ne, můžete ji stále použít pro tento záznam.", + // "workflow-item.delete.notification.error.content": "The workflow item could not be deleted", + "workflow-item.delete.notification.error.content" : "Položku pracovního postupu nelze odstranit", - // "submission.sections.describe.relationship-lookup.name-variant.notification.confirm" : "Save a new name variant" - "submission.sections.describe.relationship-lookup.name-variant.notification.confirm" : "Uložit novou variantu názvu", + // "workflow-item.delete.title": "Delete workflow item", + "workflow-item.delete.title" : "Smazat workflow položku", - // "submission.sections.describe.relationship-lookup.name-variant.notification.decline" : "Use only for this submission" - "submission.sections.describe.relationship-lookup.name-variant.notification.decline" : "Použít pouze pre tento záznam", + // "workflow-item.delete.header": "Delete workflow item", + "workflow-item.delete.header" : "Smazat workflow položku", - // "submission.sections.ccLicense.type" : "License Type" - "submission.sections.ccLicense.type" : "Typ licence", + // "workflow-item.delete.button.cancel": "Cancel", + "workflow-item.delete.button.cancel" : "Storno", - // "submission.sections.ccLicense.select" : "Select a license type…" - "submission.sections.ccLicense.select" : "Vyberte typ licence...", + // "workflow-item.delete.button.confirm": "Delete", + "workflow-item.delete.button.confirm" : "Smazat", - // "submission.sections.ccLicense.change" : "Change your license type…" - "submission.sections.ccLicense.change" : "Změna typu licence...", - // "submission.sections.ccLicense.none" : "No licenses available" - "submission.sections.ccLicense.none" : "Žádné licence nejsou k dispozici", + // "workflow-item.send-back.notification.success.title": "Sent back to submitter", + "workflow-item.send-back.notification.success.title" : "Odeslat zpět předkladateli", - // "submission.sections.ccLicense.option.select" : "Select an option…" - "submission.sections.ccLicense.option.select" : "Vyberte možnost...", + // "workflow-item.send-back.notification.success.content": "This workflow item was successfully sent back to the submitter", + "workflow-item.send-back.notification.success.content" : "Tato položka pracovního postupu byla úspěšně odeslána zpět předkladateli", - // "submission.sections.ccLicense.link" : "You’ve selected the following license:" - "submission.sections.ccLicense.link" : "Vybrali jste následující licenci:", + // "workflow-item.send-back.notification.error.title": "Something went wrong", + "workflow-item.send-back.notification.error.title" : "Něco je špatně...", - // "submission.sections.ccLicense.confirmation" : "I grant the license above" - "submission.sections.ccLicense.confirmation" : "Uděluji výše uvedenou licenci", + // "workflow-item.send-back.notification.error.content": "The workflow item could not be sent back to the submitter", + "workflow-item.send-back.notification.error.content" : "Položku pracovního postupu nebylo možné odeslat zpět předkladateli", - // "submission.sections.general.add-more" : "Add more" - "submission.sections.general.add-more" : "Přidat další", + // "workflow-item.send-back.title": "Send workflow item back to submitter", + "workflow-item.send-back.title" : "Zaslat workflow položku zpět zadavateli", - // "submission.sections.general.collection" : "Collection" - "submission.sections.general.collection" : "Kolekce", + // "workflow-item.send-back.header": "Send workflow item back to submitter", + "workflow-item.send-back.header" : "Zaslat workflow položku zpět zadavateli", - // "submission.sections.general.deposit_error_notice" : "There was an issue when submitting the item, please try again later." - "submission.sections.general.deposit_error_notice" : "Při odesílání položky došlo k problému, zkuste to prosím později.", + // "workflow-item.send-back.button.cancel": "Cancel", + "workflow-item.send-back.button.cancel" : "Storno", - // "submission.sections.general.deposit_success_notice" : "Submission deposited successfully." - "submission.sections.general.deposit_success_notice" : "Záznam byl úspěšně uložen.", + // "workflow-item.send-back.button.confirm": "Send back", + "workflow-item.send-back.button.confirm" : "Poslat zpět", - // "submission.sections.general.discard_error_notice" : "There was an issue when discarding the item, please try again later." - "submission.sections.general.discard_error_notice" : "Při vyřazování položky došlo k problému, zkuste to prosím později.", + // "workflow-item.view.breadcrumbs": "Workflow View", + "workflow-item.view.breadcrumbs" : "Zobrazení pracovního postupu", - // "submission.sections.general.discard_success_notice" : "Submission discarded successfully." - "submission.sections.general.discard_success_notice" : "Záznam byl úspěšně vyřazen.", + // "workspace-item.view.breadcrumbs": "Workspace View", + "workspace-item.view.breadcrumbs" : "Zobrazení pracovního prostoru", - // "submission.sections.general.metadata-extracted" : "New metadata have been extracted and added to the {{sectionId}} section." - "submission.sections.general.metadata-extracted" : "Do sekce {{sectionId}} byla extrahována a přidána nová metadata.", + // "workspace-item.view.title": "Workspace View", + "workspace-item.view.title" : "Zobrazení pracovního prostoru", - // "submission.sections.general.metadata-extracted-new-section" : "New {{sectionId}} section has been added to submission." - "submission.sections.general.metadata-extracted-new-section" : "Do odevzdání byla přidána nová sekce {{sectionId}}.", - // "submission.sections.general.no-collection" : "No collection found" - "submission.sections.general.no-collection" : "Kolekce nenalezena", + // "workflow-item.advanced.title": "Advanced workflow", + "workflow-item.advanced.title" : "Pokročilý pracovní postup", - // "submission.sections.general.no-sections" : "No options available" - "submission.sections.general.no-sections" : "Nejsou dostupné žádné možnosti", - // "submission.sections.general.save_error_notice" : "There was an issue when saving the item, please try again later." - "submission.sections.general.save_error_notice" : "Při ukládání položky došlo k problému, zkuste to prosím později.", + // "workflow-item.selectrevieweraction.notification.success.title": "Selected reviewer", + "workflow-item.selectrevieweraction.notification.success.title" : "Vybraný recenzent", - // "submission.sections.general.save_success_notice" : "Submission saved successfully." - "submission.sections.general.save_success_notice" : "Záznam byl úspěšně uložen.", + // "workflow-item.selectrevieweraction.notification.success.content": "The reviewer for this workflow item has been successfully selected", + "workflow-item.selectrevieweraction.notification.success.content" : "Recenzent pro tuto položku pracovního postupu byl úspěšně vybrán.", - // "submission.sections.general.search-collection" : "Search for a collection" - "submission.sections.general.search-collection" : "Vyhledání kolekce", + // "workflow-item.selectrevieweraction.notification.error.title": "Something went wrong", + "workflow-item.selectrevieweraction.notification.error.title" : "Něco se pokazilo", - // "submission.sections.general.sections_not_valid" : "There are incomplete sections." - "submission.sections.general.sections_not_valid" : "Existují neúplné sekce.", + // "workflow-item.selectrevieweraction.notification.error.content": "Couldn't select the reviewer for this workflow item", + "workflow-item.selectrevieweraction.notification.error.content" : "Nepodařilo se vybrat recenzenta pro tuto položku pracovního postupu", - // "submission.sections.submit.progressbar.accessCondition" : "Item access conditions" - "submission.sections.submit.progressbar.accessCondition" : "Podmínky přístupu k položkám", + // "workflow-item.selectrevieweraction.title": "Select Reviewer", + "workflow-item.selectrevieweraction.title" : "Vybrat recenzenta", - // "submission.sections.submit.progressbar.CClicense" : "Creative commons license" - "submission.sections.submit.progressbar.CClicense" : "Creative commons license", + // "workflow-item.selectrevieweraction.header": "Select Reviewer", + "workflow-item.selectrevieweraction.header" : "Vybrat recenzenta", - // "submission.sections.submit.progressbar.describe.recycle" : "Recycle" - "submission.sections.submit.progressbar.describe.recycle" : "Recyklujte", + // "workflow-item.selectrevieweraction.button.cancel": "Cancel", + "workflow-item.selectrevieweraction.button.cancel" : "Zrušit", - // "submission.sections.submit.progressbar.describe.stepcustom" : "Describe" - "submission.sections.submit.progressbar.describe.stepcustom" : "Popis", + // "workflow-item.selectrevieweraction.button.confirm": "Confirm", + "workflow-item.selectrevieweraction.button.confirm" : "Potvrdit", - // "submission.sections.submit.progressbar.describe.stepone" : "Describe" - "submission.sections.submit.progressbar.describe.stepone" : "Popis", - // "submission.sections.submit.progressbar.describe.steptwo" : "Describe" - "submission.sections.submit.progressbar.describe.steptwo" : "Popis", + // "workflow-item.scorereviewaction.notification.success.title": "Rating review", + "workflow-item.scorereviewaction.notification.success.title" : "Hodnocení", - // "submission.sections.submit.progressbar.detect-duplicate" : "Potential duplicates" - "submission.sections.submit.progressbar.detect-duplicate" : "Potenciální duplicity", + // "workflow-item.scorereviewaction.notification.success.content": "The rating for this item workflow item has been successfully submitted", + "workflow-item.scorereviewaction.notification.success.content" : "Hodnocení této položky pracovního postupu byla úspěšně odeslána", - // "submission.sections.submit.progressbar.license" : "Deposit license" - "submission.sections.submit.progressbar.license" : "Licence", + // "workflow-item.scorereviewaction.notification.error.title": "Something went wrong", + "workflow-item.scorereviewaction.notification.error.title" : "Něco se pokazilo", - // "submission.sections.submit.progressbar.clarin-license" : "Pick license" - "submission.sections.submit.progressbar.clarin-license" : "Vybrat licenci", + // "workflow-item.scorereviewaction.notification.error.content": "Couldn't rate this item", + "workflow-item.scorereviewaction.notification.error.content" : "Nelze ohodnotit tuto položku", - // "submission.sections.submit.progressbar.upload" : "Upload files" - "submission.sections.submit.progressbar.upload" : "Nahrát soubory", + // "workflow-item.scorereviewaction.title": "Rate this item", + "workflow-item.scorereviewaction.title" : "Ohodnotit tuto položku", - // "submission.sections.submit.progressbar.clarin-notice" : "Notice" - "submission.sections.submit.progressbar.clarin-notice" : "Oznámení", + // "workflow-item.scorereviewaction.header": "Rate this item", + "workflow-item.scorereviewaction.header" : "Ohodnotit tuto položku", - // "submission.sections.status.errors.title" : "Errors" - "submission.sections.status.errors.title" : "Chyby", + // "workflow-item.scorereviewaction.button.cancel": "Cancel", + "workflow-item.scorereviewaction.button.cancel" : "Zrušit", - // "submission.sections.status.valid.title" : "Valid" - "submission.sections.status.valid.title" : "Platný", + // "workflow-item.scorereviewaction.button.confirm": "Confirm", + "workflow-item.scorereviewaction.button.confirm" : "Potvrdit", - // "submission.sections.status.warnings.title" : "Warnings" - "submission.sections.status.warnings.title" : "Varování", + // "idle-modal.header": "Session will expire soon", + "idle-modal.header" : "Relace brzy vyprší", - // "submission.sections.status.errors.aria" : "has errors" - "submission.sections.status.errors.aria" : "obsahuje chyby", + // "idle-modal.info": "For security reasons, user sessions expire after {{ timeToExpire }} minutes of inactivity. Your session will expire soon. Would you like to extend it or log out?", + "idle-modal.info" : "Z bezpečnostních důvodů relace uživatelů vyprší po {{ timeToExpire }} minutách nečinnosti. Vaše relace brzy vyprší. Chcete ji prodloužit nebo se odhlásit?", - // "submission.sections.status.valid.aria" : "is valid" - "submission.sections.status.valid.aria" : "je platný", + // "idle-modal.log-out": "Log out", + "idle-modal.log-out" : "Odhlásit se", - // "submission.sections.status.warnings.aria" : "has warnings" - "submission.sections.status.warnings.aria" : "má varování", + // "idle-modal.extend-session": "Extend session", + "idle-modal.extend-session" : "Prodloužení relace", - // "submission.sections.toggle.open" : "Open section" - "submission.sections.toggle.open" : "Otevřená sekce", + // "language.english": "English", + "language.english" : "Angličtina", - // "submission.sections.toggle.close" : "Close section" - "submission.sections.toggle.close" : "Uzavřít sekci", + // "language.czech": "Czech", + "language.czech" : "Česky", - // "submission.sections.toggle.aria.open" : "Expand {{sectionHeader}} section" - "submission.sections.toggle.aria.open" : "Rozbalit sekci {{sectionHeader}}", + // "repository.policy.page": "Change me: policy page", + "repository.policy.page": "Změnit mě: stránka zásad", - // "submission.sections.toggle.aria.close" : "Collapse {{sectionHeader}} section" - "submission.sections.toggle.aria.close" : "Sbalit sekci {{sectionHeader}}", + // "researcher.profile.action.processing" : "Processing...", + "researcher.profile.action.processing" : "Zpracování...", - // "submission.sections.upload.delete.confirm.cancel" : "Cancel" - "submission.sections.upload.delete.confirm.cancel" : "Zrušit", + // "researcher.profile.associated": "Researcher profile associated", + "researcher.profile.associated" : "Profil výzkumného pracovníka byl přidružen", - // "submission.sections.upload.delete.confirm.info" : "This operation can't be undone. Are you sure?" - "submission.sections.upload.delete.confirm.info" : "Tuto operaci nelze vrátit zpět. Jste si jistý?", + // "researcher.profile.change-visibility.fail": "An unexpected error occurs while changing the profile visibility", + "researcher.profile.change-visibility.fail" : "Při změně viditelnosti profilu došlo k neočekávané chybě", - // "submission.sections.upload.delete.confirm.submit" : "Yes, I'm sure" - "submission.sections.upload.delete.confirm.submit" : "Ano, jsem si jistý.", + // "researcher.profile.create.new": "Create new", + "researcher.profile.create.new" : "Vytvořit nový", - // "submission.sections.upload.delete.confirm.title" : "Delete bitstream" - "submission.sections.upload.delete.confirm.title" : "Odstranit bitstream", + // "researcher.profile.create.success": "Researcher profile created successfully", + "researcher.profile.create.success" : "Profil výzkumníka byl úspěšně vytvořen", - // "submission.sections.upload.delete.submit" : "Delete" - "submission.sections.upload.delete.submit" : "Odstranit", + // "researcher.profile.create.fail": "An error occurs during the researcher profile creation", + "researcher.profile.create.fail" : "Při vytváření profilu výzkumníka došlo k chybě", - // "submission.sections.upload.download.title" : "Download bitstream" - "submission.sections.upload.download.title" : "Stáhnout bitstream", + // "researcher.profile.delete": "Delete", + "researcher.profile.delete" : "Odstranit", - // "submission.sections.upload.drop-message" : "Drop files to attach them to the item" - "submission.sections.upload.drop-message" : "Potáhnutím souborů je připojíte k položce", + // "researcher.profile.expose": "Expose", + "researcher.profile.expose" : "Odkrýt", - // "submission.sections.upload.edit.title" : "Edit bitstream" - "submission.sections.upload.edit.title" : "Úprava bitstreamu", + // "researcher.profile.hide": "Hide", + "researcher.profile.hide" : "Skrýt", - // "submission.sections.upload.form.access-condition-label" : "Access condition type" - "submission.sections.upload.form.access-condition-label" : "Typ podmínky přístupu", + // "researcher.profile.not.associated": "Researcher profile not yet associated", + "researcher.profile.not.associated" : "Profil výzkumníka zatím není přidružen", - // "submission.sections.upload.form.access-condition-hint" : "Select an access condition to apply on the bitstream once the item is deposited" - "submission.sections.upload.form.access-condition-hint" : "Vyberte podmínku přístupu, která se má použít na bitstream po uložení položky", + // "researcher.profile.view": "View", + "researcher.profile.view" : "Zobrazit", - // "submission.sections.upload.form.date-required" : "Date is required." - "submission.sections.upload.form.date-required" : "Datum je požadován.", + // "researcher.profile.private.visibility" : "PRIVATE", + "researcher.profile.private.visibility" : "SOUKROMÉ", - // "submission.sections.upload.form.date-required-from" : "Grant access from date is required." - "submission.sections.upload.form.date-required-from" : "Udělit přístup do data je požadován.", + // "researcher.profile.public.visibility" : "PUBLIC", + "researcher.profile.public.visibility" : "VEŘEJNÉ", - // "submission.sections.upload.form.date-required-until" : "Grant access until date is required." - "submission.sections.upload.form.date-required-until" : "Udělit přístup do data je požadován.", + // "researcher.profile.status": "Status:", + "researcher.profile.status": "Stav:", - // "submission.sections.upload.form.from-label" : "Grant access from" - "submission.sections.upload.form.from-label" : "Udělení přístupu z", + // "researcherprofile.claim.not-authorized": "You are not authorized to claim this item. For more details contact the administrator(s).", + "researcherprofile.claim.not-authorized" : "K reklamaci této položky nemáte oprávnění. Další informace získáte u správce (správců).", - // "submission.sections.upload.form.from-hint" : "Select the date from which the related access condition is applied" - "submission.sections.upload.form.from-hint" : "Vyberte datum, od kterého se použije související podmínka přístupu.", + // "researcherprofile.error.claim.body" : "An error occurred while claiming the profile, please try again later", + "researcherprofile.error.claim.body" : "Při nárokování profilu došlo k chybě, zkuste to prosím později", - // "submission.sections.upload.form.from-placeholder" : "From" - "submission.sections.upload.form.from-placeholder" : "Od", + // "researcherprofile.error.claim.title" : "Error", + "researcherprofile.error.claim.title" : "Chyba", - // "submission.sections.upload.form.group-label" : "Group" - "submission.sections.upload.form.group-label" : "Skupina", + // "researcherprofile.success.claim.body" : "Profile claimed with success", + "researcherprofile.success.claim.body" : "", - // "submission.sections.upload.form.group-required" : "Group is required." - "submission.sections.upload.form.group-required" : "Skupina je vyžadována.", + // "researcherprofile.success.claim.title" : "Success", + "researcherprofile.success.claim.title" : "Úspěch", - // "submission.sections.upload.form.until-label" : "Grant access until" - "submission.sections.upload.form.until-label" : "Udělit přístup do", + // "person.page.orcid.create": "Create an ORCID ID", + "person.page.orcid.create" : "Vytvořit ID ORCID", - // "submission.sections.upload.form.until-hint" : "Select the date until which the related access condition is applied" - "submission.sections.upload.form.until-hint" : "Zvolte datum, do kterého se použije související podmínka přístupu", + // "person.page.orcid.granted-authorizations": "Granted authorizations", + "person.page.orcid.granted-authorizations" : "Udělená povolení", - // "submission.sections.upload.form.until-placeholder" : "Until" - "submission.sections.upload.form.until-placeholder" : "Až do", + // "person.page.orcid.grant-authorizations" : "Grant authorizations", + "person.page.orcid.grant-authorizations" : "Povolení grantů", - // "submission.sections.upload.header.policy.default.nolist" : "Uploaded files in the {{collectionName}} collection will be accessible according to the following group(s):" - "submission.sections.upload.header.policy.default.nolist" : "Nahrané soubory v kolekci {{collectionName}} budou přístupné podle následujících skupin:", + // "person.page.orcid.link": "Connect to ORCID ID", + "person.page.orcid.link" : "Připojit k ID ORCID", - // "submission.sections.upload.header.policy.default.withlist" : "Please note that uploaded files in the {{collectionName}} collection will be accessible, in addition to what is explicitly decided for the single file, with the following group(s):" - "submission.sections.upload.header.policy.default.withlist" : "Vezměte prosím na vědomí, že nahrané soubory ve kolekci {{collectionName}} budou přístupné, kromě toho, co je výslovně určen pro samostatný soubor, s následujícími skupinami:", + // "person.page.orcid.link.processing": "Linking profile to ORCID...", + "person.page.orcid.link.processing" : "Propojení profilu s ORCID...", - // "submission.sections.upload.info" : "Here you will find all the files currently in the item. You can update the file metadata and access conditions or upload additional files by dragging & dropping them anywhere on the page." - "submission.sections.upload.info" : "Zde naleznete všechny soubory, které jsou aktuálně v položce. Můžete aktualizovat metadata souborů a přístupové podmínky nebo přidat další soubory pouhým potáhnutím kamkoli na stránce.", + // "person.page.orcid.link.error.message": "Something went wrong while connecting the profile with ORCID. If the problem persists, contact the administrator.", + "person.page.orcid.link.error.message" : "Při propojování profilu s ORCID se něco pokazilo. Pokud problém přetrvává, kontaktujte správce.", - // "submission.sections.upload.no-entry" : "No" - "submission.sections.upload.no-entry" : "Ne", + // "person.page.orcid.orcid-not-linked-message": "The ORCID iD of this profile ({{ orcid }}) has not yet been connected to an account on the ORCID registry or the connection is expired.", + "person.page.orcid.orcid-not-linked-message" : "ID ORCID tohoto profilu ({{ orcid }}) ještě nebylo připojeno k účtu v registru ORCID nebo platnost připojení vypršela.", - // "submission.sections.upload.no-file-uploaded" : "No file uploaded yet." - "submission.sections.upload.no-file-uploaded" : "Zatím nebyl nahrán žádný soubor.", + // "person.page.orcid.unlink": "Disconnect from ORCID", + "person.page.orcid.unlink" : "Odpojit od ORCID", - // "submission.sections.upload.save-metadata" : "Save metadata" - "submission.sections.upload.save-metadata" : "Uložit metadata", + // "person.page.orcid.unlink.processing": "Processing...", + "person.page.orcid.unlink.processing" : "Zpracování...", - // "submission.sections.upload.undo" : "Cancel" - "submission.sections.upload.undo" : "Zrušit", + // "person.page.orcid.missing-authorizations": "Missing authorizations", + "person.page.orcid.missing-authorizations" : "Chybějící oprávnění", - // "submission.sections.upload.upload-failed" : "Upload failed" - "submission.sections.upload.upload-failed" : "Odeslání selhalo", + // "person.page.orcid.missing-authorizations-message": "The following authorizations are missing:", + "person.page.orcid.missing-authorizations-message": "Chybí následující oprávnění:", - // "submission.sections.upload.upload-successful" : "Upload successful" - "submission.sections.upload.upload-successful" : "Úspěšné nahrání", + // "person.page.orcid.no-missing-authorizations-message": "Great! This box is empty, so you have granted all access rights to use all functions offers by your institution.", + "person.page.orcid.no-missing-authorizations-message" : "Skvělé! Toto pole je prázdné, takže jste udělili všechna přístupová práva k využívání všech funkcí, které vaše instituce nabízí.", - // "submission.sections.accesses.form.discoverable-description" : "When checked, this item will be discoverable in search/browse. When unchecked, the item will only be available via a direct link and will never appear in search/browse." - "submission.sections.accesses.form.discoverable-description" : "Pokud je tato položka zaškrtnuta, bude ji možné hledat ve vyhledávání/prohlížení. Pokud není zaškrtnuta, bude položka dostupná pouze prostřednictvím přímého odkazu a nikdy se nezobrazí ve vyhledávání/prohlížení.", + // "person.page.orcid.no-orcid-message": "No ORCID iD associated yet. By clicking on the button below it is possible to link this profile with an ORCID account.", + "person.page.orcid.no-orcid-message" : "Zatím není přidruženo žádné ID ORCID. Kliknutím na tlačítko níže je možné tento profil propojit s účtem ORCID.", - // "submission.sections.accesses.form.discoverable-label" : "Discoverable" - "submission.sections.accesses.form.discoverable-label" : "Objevitelný", + // "person.page.orcid.profile-preferences": "Profile preferences", + "person.page.orcid.profile-preferences" : "Předvolby profilu", - // "submission.sections.accesses.form.access-condition-label" : "Access condition type" - "submission.sections.accesses.form.access-condition-label" : "Typ podmínky přístupu", + // "person.page.orcid.funding-preferences": "Funding preferences", + "person.page.orcid.funding-preferences" : "Preference financování", - // "submission.sections.accesses.form.access-condition-hint" : "Select an access condition to apply on the item once it is deposited" - "submission.sections.accesses.form.access-condition-hint" : "Zvolte podmínku přístupu, která se na položku použije po jejím uložení", + // "person.page.orcid.publications-preferences": "Publication preferences", + "person.page.orcid.publications-preferences" : "Publikační preference", - // "submission.sections.accesses.form.date-required" : "Date is required." - "submission.sections.accesses.form.date-required" : "Vyžaduje se datum.", + // "person.page.orcid.remove-orcid-message": "If you need to remove your ORCID, please contact the repository administrator", + "person.page.orcid.remove-orcid-message" : "Pokud potřebujete odebrat svůj ORCID, kontaktujte správce úložiště.", - // "submission.sections.accesses.form.date-required-from" : "Grant access from date is required." - "submission.sections.accesses.form.date-required-from" : "Udělit přístup do data je požadováno.", + // "person.page.orcid.save.preference.changes": "Update settings", + "person.page.orcid.save.preference.changes" : "Aktualizovat nastavení", - // "submission.sections.accesses.form.date-required-until" : "Grant access until date is required." - "submission.sections.accesses.form.date-required-until" : "Udělit přístup do data je požadováno.", + // "person.page.orcid.sync-profile.affiliation" : "Affiliation", + "person.page.orcid.sync-profile.affiliation" : "Příslušnost", - // "submission.sections.accesses.form.from-label" : "Grant access from" - "submission.sections.accesses.form.from-label" : "Udělit přístup od", + // "person.page.orcid.sync-profile.biographical" : "Biographical data", + "person.page.orcid.sync-profile.biographical" : "Biografické údaje", - // "submission.sections.accesses.form.from-hint" : "Select the date from which the related access condition is applied" - "submission.sections.accesses.form.from-hint" : "Vyberte datum, od kterého se použije související podmínka přístupu", + // "person.page.orcid.sync-profile.education" : "Education", + "person.page.orcid.sync-profile.education" : "Vzdělání", - // "submission.sections.accesses.form.from-placeholder" : "From" - "submission.sections.accesses.form.from-placeholder" : "Od", + // "person.page.orcid.sync-profile.identifiers" : "Identifiers", + "person.page.orcid.sync-profile.identifiers" : "Identifikátory", - // "submission.sections.accesses.form.group-label" : "Group" - "submission.sections.accesses.form.group-label" : "Skupina", + // "person.page.orcid.sync-fundings.all" : "All fundings", + "person.page.orcid.sync-fundings.all" : "Všechny finanční prostředky", - // "submission.sections.accesses.form.group-required" : "Group is required." - "submission.sections.accesses.form.group-required" : "Skupina je vyžadována.", + // "person.page.orcid.sync-fundings.mine" : "My fundings", + "person.page.orcid.sync-fundings.mine" : "Moje financování", - // "submission.sections.accesses.form.until-label" : "Grant access until" - "submission.sections.accesses.form.until-label" : "Udělit přístup do", + // "person.page.orcid.sync-fundings.my_selected" : "Selected fundings", + "person.page.orcid.sync-fundings.my_selected" : "Vybrané financování", - // "submission.sections.accesses.form.until-hint" : "Select the date until which the related access condition is applied" - "submission.sections.accesses.form.until-hint" : "Zvolte datum, do kterého se použije související podmínka přístupu", + // "person.page.orcid.sync-fundings.disabled" : "Disabled", + "person.page.orcid.sync-fundings.disabled" : "", - // "submission.sections.accesses.form.until-placeholder" : "Until" - "submission.sections.accesses.form.until-placeholder" : "Až do", + // "person.page.orcid.sync-publications.all" : "All publications", + "person.page.orcid.sync-publications.all" : "Všechny publikace", - // "contract.breadcrumbs" : "Distribution License Agreement" - "contract.breadcrumbs" : "Licenční smlouva o distribuci", + // "person.page.orcid.sync-publications.mine" : "My publications", + "person.page.orcid.sync-publications.mine" : "Moje publikace", - // "contract.message.distribution-license-agreement" : "Distribution License Agreement" - "contract.message.distribution-license-agreement" : "Licenční smlouva o distribuci", + // "person.page.orcid.sync-publications.my_selected" : "Selected publications", + "person.page.orcid.sync-publications.my_selected" : "Vybrané publikace", - // "submission.sections.clarin-license.head.read-accept" : "Read and accept the" - "submission.sections.clarin-license.head.read-accept" : "Přečtěte si a přijměte", + // "person.page.orcid.sync-publications.disabled" : "Disabled", + "person.page.orcid.sync-publications.disabled" : "", - // "submission.sections.clarin-license.head.license-agreement" : "Distribution License Agreement" - "submission.sections.clarin-license.head.license-agreement" : "Licenční smlouva o distribuci", + // "person.page.orcid.sync-queue.discard" : "Discard the change and do not synchronize with the ORCID registry", + "person.page.orcid.sync-queue.discard" : "Změnu zahoďte a nesynchronizujte s registrem ORCID", - // "submission.sections.clarin-license.head.license-decision-message" : "By checking this box, you agree to the Distribution License Agreement for this repository to reproduce, translate and distribute your submissions worldwide." - "submission.sections.clarin-license.head.license-decision-message" : "Zaškrtnutím tohoto políčka vyjadřujete souhlas s licenční smlouvou o distribuci, která umožňuje tomuto úložišti reprodukovat, překládat a distribuovat vaše příspěvky celosvětově.", + // "person.page.orcid.sync-queue.discard.error": "The discarding of the ORCID queue record failed", + "person.page.orcid.sync-queue.discard.error" : "Vyřazení záznamu z fronty ORCID se nezdařilo", - // "submission.sections.clarin-license.head.license-question-help-desk" : ['If you have questions regarding this licence please contact the', 'Help Desk'] - "submission.sections.clarin-license.head.license-question-help-desk" : ['Pokud máte dotazy týkající se této licence, prosím kontaktujte', 'poradnu'], + // "person.page.orcid.sync-queue.discard.success": "The ORCID queue record have been discarded successfully", + "person.page.orcid.sync-queue.discard.success" : "Záznam fronty ORCID byl úspěšně vyřazen", - // "submission.sections.clarin-license.head.license-select-resource" : "Select the resource license" - "submission.sections.clarin-license.head.license-select-resource" : "Vyberte licenci zdroje", + // "person.page.orcid.sync-queue.empty-message": "The ORCID queue registry is empty", + "person.page.orcid.sync-queue.empty-message" : "Registr fronty ORCID je prázdný", - // "submission.sections.clarin-license.head.license-select-providing" : ['The License Selector will provide you visual assistance to select the most appropriate license for your data or software. For the list of all supported licenses and their details visit ', 'License List Page', '.'] - "submission.sections.clarin-license.head.license-select-providing" : ['License Selector vám pomůže vybrat nejvhodnější licenci pro vaše data nebo software. Momentálně pouze v angličtině ', 'Seznam Licencii', '.'], + // "person.page.orcid.sync-queue.table.header.type" : "Type", + "person.page.orcid.sync-queue.table.header.type" : "Typ", - // "submission.sections.clarin-license.head.license-open-selector" : "OPEN License Selector" - "submission.sections.clarin-license.head.license-open-selector" : "Výběr licence", + // "person.page.orcid.sync-queue.table.header.description" : "Description", + "person.page.orcid.sync-queue.table.header.description" : "Popis", - // "submission.sections.clarin-license.head.license-select-or" : "- OR -" - "submission.sections.clarin-license.head.license-select-or" : "- NEBO -", + // "person.page.orcid.sync-queue.table.header.action" : "Action", + "person.page.orcid.sync-queue.table.header.action" : "Akce", - // "submission.sections.clarin-license.head.license-dropdown-info" : "If you already know under which license you want to distribute your work, please select from the dropdown below." - "submission.sections.clarin-license.head.license-dropdown-info" : "Pokud již víte, pod jakou licencí chcete své dílo šířit, vyberte si z rozbalovacího seznamu níže.", + // "person.page.orcid.sync-queue.description.affiliation": "Affiliations", + "person.page.orcid.sync-queue.description.affiliation" : "Přidružení", - // "submission.sections.clarin-license.head.license-not-supported-message" : "The selected license is not supported at the moment. Please follow the procedure described under section "None of these licenses suits your needs"." - "submission.sections.clarin-license.head.license-not-supported-message" : "Vybraná licence není v současnosti podporována. Postupujte podle postupu popsaného v části \"Žádná z těchto licencí nevyhovuje vašim potřebám\".", + // "person.page.orcid.sync-queue.description.country": "Country", + "person.page.orcid.sync-queue.description.country" : "Země", - // "submission.sections.clarin-license.head.license-select-default-value" : "Select a License ..." - "submission.sections.clarin-license.head.license-select-default-value" : "Vyberte licenci ...", + // "person.page.orcid.sync-queue.description.education": "Educations", + "person.page.orcid.sync-queue.description.education" : "Vzdělání", - // "submission.sections.clarin-license.head.license-more-details" : "See more details for the licenses" - "submission.sections.clarin-license.head.license-more-details" : "Více podrobností o licencích", + // "person.page.orcid.sync-queue.description.external_ids": "External ids", + "person.page.orcid.sync-queue.description.external_ids" : "Externí ids", - // "submission.sections.clarin-license.head.license-do-not-suits-needs" : "None of these licenses suits your needs" - "submission.sections.clarin-license.head.license-do-not-suits-needs" : "Žádná z těchto licencí nevyhovuje vašim potřebám", + // "person.page.orcid.sync-queue.description.other_names": "Other names", + "person.page.orcid.sync-queue.description.other_names" : "Další názvy", - // "submission.sections.clarin-license.head.license-not-offer-proceeds" : "If you need to use a license we currently do not offer, proceed as follows:" - "submission.sections.clarin-license.head.license-not-offer-proceeds" : "Pokud potřebujete použít licenci, kterou v současné době nenabízíme, postupujte následovně:", + // "person.page.orcid.sync-queue.description.qualification": "Qualifications", + "person.page.orcid.sync-queue.description.qualification" : "Kvalifikace", - // "submission.sections.clarin-license.head.license-not-offer-proceed-link" : "Obtain a link (or a copy) to the license." - "submission.sections.clarin-license.head.license-not-offer-proceed-link" : "Získejte odkaz (nebo kopii) na licenci.", + // "person.page.orcid.sync-queue.description.researcher_urls": "Researcher urls", + "person.page.orcid.sync-queue.description.researcher_urls" : "URL adresa výzkumného pracovníka", - // "submission.sections.clarin-license.head.license-not-offer-proceed-email" : ['Send an email to', 'Help Desk', 'with the license details.'] - "submission.sections.clarin-license.head.license-not-offer-proceed-email" : ['Pošlete', 'nám', 'e-mail s detaily licence.'], + // "person.page.orcid.sync-queue.description.keywords": "Keywords", + "person.page.orcid.sync-queue.description.keywords" : "Klíčová slova", - // "submission.sections.clarin-license.head.license-not-offer-proceed-wait" : "Save the unfinished submission and wait. We will add the license to the selection list and contact you." - "submission.sections.clarin-license.head.license-not-offer-proceed-wait" : "Uložte nedokončený záznam a počkejte. Licenci přidáme do výběrového seznamu a budeme vás kontaktovat.", + // "person.page.orcid.sync-queue.tooltip.insert": "Add a new entry in the ORCID registry", + "person.page.orcid.sync-queue.tooltip.insert" : "Přidat nový záznam do registru ORCID", - // "submission.sections.clarin-license.head.license-not-offer-proceed-continue" : "You will be able to continue the submission afterwards." - "submission.sections.clarin-license.head.license-not-offer-proceed-continue" : "Poté budete moci pokračovat v odesílání.", + // "person.page.orcid.sync-queue.tooltip.update": "Update this entry on the ORCID registry", + "person.page.orcid.sync-queue.tooltip.update" : "Aktualizovat tuto položku v registru ORCID", - // "submission.sections.clarin-license.toggle.off-text" : "Click to accept" - "submission.sections.clarin-license.toggle.off-text" : "Klikněte pro přijetí", + // "person.page.orcid.sync-queue.tooltip.delete": "Remove this entry from the ORCID registry", + "person.page.orcid.sync-queue.tooltip.delete" : "Odstranit tuto položku z registru ORCID", - // "submission.sections.clarin-license.toggle.on-text" : "Accepted" - "submission.sections.clarin-license.toggle.on-text" : "Přijato", + // "person.page.orcid.sync-queue.tooltip.publication": "Publication", + "person.page.orcid.sync-queue.tooltip.publication" : "Publikace", - // "submission.sections.clarin-notice.message" : ['The submission process for this collection ("', '") is still being fine-tuned. If you find yourself unable to continue the submission because you can\'t provide the required information, because the required format for a field is too strict, because there\'s no appropriate field for your information, or for any other reason', 'let us know'] - "submission.sections.clarin-notice.message": ['Proces přidávání záznamů do této kolekce (\"', '\") stále ladíme. Pokud se vám nedaří přidat záznam, protože nemáte požadované informace, nebo protože některé z polí má příliš přísné požadavky na formát, nebo protože chybí pole, do kterého by se dala vaše informace zachytit, nebo z jakéhokoliv jiného důvodu,', 'kontaktujte nás'], + // "person.page.orcid.sync-queue.tooltip.project": "Project", + "person.page.orcid.sync-queue.tooltip.project" : "Projekt", - // "submission.submit.breadcrumbs" : "New submission" - "submission.submit.breadcrumbs" : "Nový příspěvek", + // "person.page.orcid.sync-queue.tooltip.affiliation": "Affiliation", + "person.page.orcid.sync-queue.tooltip.affiliation" : "Přidružení", - // "submission.submit.title" : "New submission" - "submission.submit.title" : "Nový příspěvek", + // "person.page.orcid.sync-queue.tooltip.education": "Education", + "person.page.orcid.sync-queue.tooltip.education" : "Vzdělání", - // "submission.workflow.generic.delete" : "Delete" - "submission.workflow.generic.delete" : "Odstranit", + // "person.page.orcid.sync-queue.tooltip.qualification": "Qualification", + "person.page.orcid.sync-queue.tooltip.qualification" : "Kvalifikace", - // "submission.workflow.generic.delete-help" : "If you would to discard this item, select "Delete". You will then be asked to confirm it." - "submission.workflow.generic.delete-help" : "Pokud chcete tuto položku vyřadit, vyberte možnost \"Delete\". Poté budete vyzváni k jejímu potvrzení.", + // "person.page.orcid.sync-queue.tooltip.other_names": "Other name", + "person.page.orcid.sync-queue.tooltip.other_names" : "Jiný název", - // "submission.workflow.generic.edit" : "Edit" - "submission.workflow.generic.edit" : "Upravit", + // "person.page.orcid.sync-queue.tooltip.country": "Country", + "person.page.orcid.sync-queue.tooltip.country" : "Země", - // "submission.workflow.generic.edit-help" : "Select this option to change the item's metadata." - "submission.workflow.generic.edit-help" : "Chcete-li změnit metadata položky, vyberte tuto možnost.", + // "person.page.orcid.sync-queue.tooltip.keywords": "Keyword", + "person.page.orcid.sync-queue.tooltip.keywords" : "Klíčové slovo", - // "submission.workflow.generic.view" : "View" - "submission.workflow.generic.view" : "Zobrazit", + // "person.page.orcid.sync-queue.tooltip.external_ids": "External identifier", + "person.page.orcid.sync-queue.tooltip.external_ids" : "Externí identifikátor", - // "submission.workflow.generic.view-help" : "Select this option to view the item's metadata." - "submission.workflow.generic.view-help" : "Chcete-li zobrazit metadata položky, vyberte tuto možnost.", + // "person.page.orcid.sync-queue.tooltip.researcher_urls": "Researcher url", + "person.page.orcid.sync-queue.tooltip.researcher_urls" : "URL adresa výzkumného pracovníka", - // "submission.workflow.tasks.claimed.approve" : "Approve" - "submission.workflow.tasks.claimed.approve" : "Schválit", + // "person.page.orcid.sync-queue.send" : "Synchronize with ORCID registry", + "person.page.orcid.sync-queue.send" : "Synchronizovat s registrem ORCID", - // "submission.workflow.tasks.claimed.approve_help" : "If you have reviewed the item and it is suitable for inclusion in the collection, select "Approve"." - "submission.workflow.tasks.claimed.approve_help" : "Pokud jste položku prohlédli a je vhodná pro zařazení do kolekce, vyberte možnost \"Approve\".", + // "person.page.orcid.sync-queue.send.unauthorized-error.title": "The submission to ORCID failed for missing authorizations.", + "person.page.orcid.sync-queue.send.unauthorized-error.title" : "Odeslání na ORCID se nezdařilo kvůli chybějícím autorizacím.", - // "submission.workflow.tasks.claimed.edit" : "Edit" - "submission.workflow.tasks.claimed.edit" : "Upravit", + // "person.page.orcid.sync-queue.send.unauthorized-error.content": "Click here to grant again the required permissions. If the problem persists, contact the administrator", + "person.page.orcid.sync-queue.send.unauthorized-error.content" : "Klikněte na zde pro opětovné udělení požadovaných oprávnění. Pokud problém přetrvá, obraťte se na správce", - // "submission.workflow.tasks.claimed.edit_help" : "Select this option to change the item's metadata." - "submission.workflow.tasks.claimed.edit_help" : "Chcete-li změnit metadata položky, vyberte tuto možnost.", + // "person.page.orcid.sync-queue.send.bad-request-error": "The submission to ORCID failed because the resource sent to ORCID registry is not valid", + "person.page.orcid.sync-queue.send.bad-request-error" : "Podání do ORCID se nezdařilo, protože odeslaný zdroj není platný.", - // "submission.workflow.tasks.claimed.reject.reason.info" : "Please enter your reason for rejecting the submission into the box below, indicating whether the submitter may fix a problem and resubmit." - "submission.workflow.tasks.claimed.reject.reason.info" : "Do níže uvedeného pole uveďte důvod zamítnutí záznamu a uveďte, zda může předkladatel problém odstranit a podat jej znovu.", + // "person.page.orcid.sync-queue.send.error": "The submission to ORCID failed", + "person.page.orcid.sync-queue.send.error" : "Podání na ORCID se nezdařilo", - // "submission.workflow.tasks.claimed.reject.reason.placeholder" : "Describe the reason of reject" - "submission.workflow.tasks.claimed.reject.reason.placeholder" : "Popis důvodu zamítnutí", + // "person.page.orcid.sync-queue.send.conflict-error": "The submission to ORCID failed because the resource is already present on the ORCID registry", + "person.page.orcid.sync-queue.send.conflict-error" : "Odeslání do ORCID se nezdařilo, protože zdroj je již v registru ORCID přítomen.", - // "submission.workflow.tasks.claimed.reject.reason.submit" : "Reject item" - "submission.workflow.tasks.claimed.reject.reason.submit" : "Zamítnout položku", + // "person.page.orcid.sync-queue.send.not-found-warning": "The resource does not exists anymore on the ORCID registry.", + "person.page.orcid.sync-queue.send.not-found-warning" : "Zdroj již v registru ORCID neexistuje.", - // "submission.workflow.tasks.claimed.reject.reason.title" : "Reason" - "submission.workflow.tasks.claimed.reject.reason.title" : "Důvod", + // "person.page.orcid.sync-queue.send.success": "The submission to ORCID was completed successfully", + "person.page.orcid.sync-queue.send.success" : "Odeslání na ORCID bylo úspěšně dokončeno", - // "submission.workflow.tasks.claimed.reject.submit" : "Reject" - "submission.workflow.tasks.claimed.reject.submit" : "Zamítnout", + // "person.page.orcid.sync-queue.send.validation-error": "The data that you want to synchronize with ORCID is not valid", + "person.page.orcid.sync-queue.send.validation-error" : "Data, která chcete synchronizovat s ORCID, nejsou platná.", - // "submission.workflow.tasks.claimed.reject_help" : "If you have reviewed the item and found it is not suitable for inclusion in the collection, select "Reject". You will then be asked to enter a message indicating why the item is unsuitable, and whether the submitter should change something and resubmit." - "submission.workflow.tasks.claimed.reject_help" : "Pokud jste položku zkontrolovali a zjistili, že je not vhodná pro zařazení do kolekce, vyberte možnost \"Reject\". Poté budete vyzváni k zadání zprávy, ve které uvedete, proč je položka nevhodná a zda by měl předkladatel něco změnit a znovu předložit.", + // "person.page.orcid.sync-queue.send.validation-error.amount-currency.required": "The amount's currency is required", + "person.page.orcid.sync-queue.send.validation-error.amount-currency.required" : "Je vyžadována měna částky", - // "submission.workflow.tasks.claimed.return" : "Return to pool" - "submission.workflow.tasks.claimed.return" : "Návrat do bazénu", + // "person.page.orcid.sync-queue.send.validation-error.external-id.required": "The resource to be sent requires at least one identifier", + "person.page.orcid.sync-queue.send.validation-error.external-id.required" : "Odesílaný zdroj vyžaduje alespoň jeden identifikátor", - // "submission.workflow.tasks.claimed.return_help" : "Return the task to the pool so that another user may perform the task." - "submission.workflow.tasks.claimed.return_help" : "Vrátit úlohu do fondu, aby ji mohl provést jiný uživatel.", + // "person.page.orcid.sync-queue.send.validation-error.title.required": "The title is required", + "person.page.orcid.sync-queue.send.validation-error.title.required" : "Název je povinný", - // "submission.workflow.tasks.generic.error" : "Error occurred during operation..." - "submission.workflow.tasks.generic.error" : "Během operace došlo k chybě...", + // "person.page.orcid.sync-queue.send.validation-error.type.required": "The dc.type is required", + "person.page.orcid.sync-queue.send.validation-error.type.required" : "Je požadován údaj dc.typ", - // "submission.workflow.tasks.generic.processing" : "Processing..." - "submission.workflow.tasks.generic.processing" : "Zpracování...", + // "person.page.orcid.sync-queue.send.validation-error.start-date.required": "The start date is required", + "person.page.orcid.sync-queue.send.validation-error.start-date.required" : "Je nutné uvést datum zahájení", - // "submission.workflow.tasks.generic.submitter" : "Submitter" - "submission.workflow.tasks.generic.submitter" : "Předkladatel", + // "person.page.orcid.sync-queue.send.validation-error.funder.required": "The funder is required", + "person.page.orcid.sync-queue.send.validation-error.funder.required" : "Je vyžadován sponzor", - // "submission.workflow.tasks.generic.success" : "Operation successful" - "submission.workflow.tasks.generic.success" : "Operace úspěšná", + // "person.page.orcid.sync-queue.send.validation-error.country.invalid": "Invalid 2 digits ISO 3166 country", + "person.page.orcid.sync-queue.send.validation-error.country.invalid" : "Neplatné 2 číslice ISO 3166 země", - // "submission.workflow.tasks.pool.claim" : "Claim" - "submission.workflow.tasks.pool.claim" : "Tvrzení", + // "person.page.orcid.sync-queue.send.validation-error.organization.required": "The organization is required", + "person.page.orcid.sync-queue.send.validation-error.organization.required" : "Organizace je povinná", - // "submission.workflow.tasks.pool.claim_help" : "Assign this task to yourself." - "submission.workflow.tasks.pool.claim_help" : "Zadejte si tento úkol sami.", + // "person.page.orcid.sync-queue.send.validation-error.organization.name-required": "The organization's name is required", + "person.page.orcid.sync-queue.send.validation-error.organization.name-required" : "Vyžaduje se název organizace", - // "submission.workflow.tasks.pool.hide-detail" : "Hide detail" - "submission.workflow.tasks.pool.hide-detail" : "Skrýt detail", + // "person.page.orcid.sync-queue.send.validation-error.publication.date-invalid" : "The publication date must be one year after 1900", + "person.page.orcid.sync-queue.send.validation-error.publication.date-invalid" : "Datum zveřejnění musí být jeden rok po roce 1901", - // "submission.workflow.tasks.pool.show-detail" : "Show detail" - "submission.workflow.tasks.pool.show-detail" : "Zobrazit detail", + // "person.page.orcid.sync-queue.send.validation-error.organization.address-required": "The organization to be sent requires an address", + "person.page.orcid.sync-queue.send.validation-error.organization.address-required" : "Organizace, která má být odeslána, vyžaduje adresu", - // "thumbnail.default.alt" : "Thumbnail Image" - "thumbnail.default.alt" : "Náhled obrázku", + // "person.page.orcid.sync-queue.send.validation-error.organization.city-required": "The address of the organization to be sent requires a city", + "person.page.orcid.sync-queue.send.validation-error.organization.city-required" : "Adresa organizace, která má být zaslána, vyžaduje město", - // "thumbnail.default.placeholder" : "No Thumbnail Available" - "thumbnail.default.placeholder" : "Náhled není k dispozici", + // "person.page.orcid.sync-queue.send.validation-error.organization.country-required": "The address of the organization to be sent requires a valid 2 digits ISO 3166 country", + "person.page.orcid.sync-queue.send.validation-error.organization.country-required" : "Adresa organizace, která má být odeslána, vyžaduje platnou dvoumístnou adresu země podle ISO 3166.", - // "thumbnail.project.alt" : "Project Logo" - "thumbnail.project.alt" : "Logo projektu", + // "person.page.orcid.sync-queue.send.validation-error.disambiguated-organization.required": "An identifier to disambiguate organizations is required. Supported ids are GRID, Ringgold, Legal Entity identifiers (LEIs) and Crossref Funder Registry identifiers", + "person.page.orcid.sync-queue.send.validation-error.disambiguated-organization.required" : "Je vyžadován identifikátor pro rozlišení organizací. Podporovány jsou identifikátory GRID, Ringgold, identifikátory právnických osob (LEI) a identifikátory Crossref Funder Registry.", - // "thumbnail.project.placeholder" : "Project Placeholder Image" - "thumbnail.project.placeholder" : "Zástupný obrázek projektu", + // "person.page.orcid.sync-queue.send.validation-error.disambiguated-organization.value-required": "The organization's identifiers requires a value", + "person.page.orcid.sync-queue.send.validation-error.disambiguated-organization.value-required" : "Identifikátory organizace vyžadují hodnotu", - // "thumbnail.orgunit.alt" : "OrgUnit Logo" - "thumbnail.orgunit.alt" : "Logo OrgUnit", + // "person.page.orcid.sync-queue.send.validation-error.disambiguation-source.required": "The organization's identifiers requires a source", + "person.page.orcid.sync-queue.send.validation-error.disambiguation-source.required" : "Identifikátory organizace vyžadují zdroj", - // "thumbnail.orgunit.placeholder" : "OrgUnit Placeholder Image" - "thumbnail.orgunit.placeholder" : "Obrázek zástupného prvku OrgUnit", + // "person.page.orcid.sync-queue.send.validation-error.disambiguation-source.invalid": "The source of one of the organization identifiers is invalid. Supported sources are RINGGOLD, GRID, LEI and FUNDREF", + "person.page.orcid.sync-queue.send.validation-error.disambiguation-source.invalid" : "Zdroj jednoho z identifikátorů organizace je neplatný. Podporované zdroje jsou RINGGOLD, GRID, LEI a FUNDREF.", - // "thumbnail.person.alt" : "Profile Picture" - "thumbnail.person.alt" : "Profilový obrázek", + // "person.page.orcid.synchronization-mode": "Synchronization mode", + "person.page.orcid.synchronization-mode" : "Režim synchronizace", - // "thumbnail.person.placeholder" : "No Profile Picture Available" - "thumbnail.person.placeholder" : "Žádný profilový obrázek k dispozici", + // "person.page.orcid.synchronization-mode.batch": "Batch", + "person.page.orcid.synchronization-mode.batch" : "Dávka", - // "title" : "DSpace" - "title" : "DSpace", + // "person.page.orcid.synchronization-mode.label": "Synchronization mode", + "person.page.orcid.synchronization-mode.label" : "Režim synchronizace", - // "vocabulary-treeview.header" : "Hierarchical tree view" - "vocabulary-treeview.header" : "Hierarchické stromové zobrazení", + // "person.page.orcid.synchronization-mode-message": "Please select how you would like synchronization to ORCID to occur. The options include \"Manual\" (you must send your data to ORCID manually), or \"Batch\" (the system will send your data to ORCID via a scheduled script).", + "person.page.orcid.synchronization-mode-message" : "Zvolte prosím, jakým způsobem chcete synchronizaci s ORCID provádět. Na výběr je možnost \"Ručně\" (data musíte do ORCID odeslat ručně) nebo \"Dávkově\" (systém odešle vaše data do ORCID prostřednictvím naplánovaného skriptu).", - // "vocabulary-treeview.load-more" : "Load more" - "vocabulary-treeview.load-more" : "Načíst další", + // "person.page.orcid.synchronization-mode-funding-message": "Select whether to send your linked Project entities to your ORCID record's list of funding information.", + "person.page.orcid.synchronization-mode-funding-message" : "Zvolte, zda se mají propojené entity projektu odeslat do seznamu informací o financování vašeho záznamu ORCID.", - // "vocabulary-treeview.search.form.reset" : "Reset" - "vocabulary-treeview.search.form.reset" : "Resetovat", + // "person.page.orcid.synchronization-mode-publication-message": "Select whether to send your linked Publication entities to your ORCID record's list of works.", + "person.page.orcid.synchronization-mode-publication-message" : "Zvolte, zda se mají propojené entity publikací odeslat do seznamu děl vašeho záznamu ORCID.", - // "vocabulary-treeview.search.form.search" : "Search" - "vocabulary-treeview.search.form.search" : "Hledat", + // "person.page.orcid.synchronization-mode-profile-message": "Select whether to send your biographical data or personal identifiers to your ORCID record.", + "person.page.orcid.synchronization-mode-profile-message" : "Zvolte, zda chcete do záznamu ORCID odeslat své životopisné údaje nebo osobní identifikátory.", - // "vocabulary-treeview.search.no-result" : "There were no items to show" - "vocabulary-treeview.search.no-result" : "Nebyly vystaveny žádné položky", + // "person.page.orcid.synchronization-settings-update.success": "The synchronization settings have been updated successfully", + "person.page.orcid.synchronization-settings-update.success" : "Synchronizační nastavení bylo úspěšně aktualizováno", - // "vocabulary-treeview.tree.description.nsi" : "The Norwegian Science Index" - "vocabulary-treeview.tree.description.nsi" : "Norský vědecký index", + // "person.page.orcid.synchronization-settings-update.error": "The update of the synchronization settings failed", + "person.page.orcid.synchronization-settings-update.error" : "Aktualizace synchronizačních nastavení se nezdařila", - // "vocabulary-treeview.tree.description.srsc" : "Research Subject Categories" - "vocabulary-treeview.tree.description.srsc" : "Kategorie předmětů výzkumu", + // "person.page.orcid.synchronization-mode.manual": "Manual", + "person.page.orcid.synchronization-mode.manual" : "Manuální", - // "uploader.browse" : "browse" - "uploader.browse" : "procházet", + // "person.page.orcid.scope.authenticate": "Get your ORCID iD", + "person.page.orcid.scope.authenticate" : "Získejte své ID ORCID", - // "uploader.drag-message" : "Drag & Drop your files here" - "uploader.drag-message" : "Potáhněte a přesuňte své soubory sem", + // "person.page.orcid.scope.read-limited": "Read your information with visibility set to Trusted Parties", + "person.page.orcid.scope.read-limited" : "Čtěte své informace s viditelností nastavenou na Důvěryhodné strany", - // "uploader.delete.btn-title" : "Delete" - "uploader.delete.btn-title" : "Odstranit", + // "person.page.orcid.scope.activities-update": "Add/update your research activities", + "person.page.orcid.scope.activities-update" : "Přidejte/aktualizujte své výzkumné aktivity", - // "uploader.or" : ", or" - "uploader.or" : ", nebo", + // "person.page.orcid.scope.person-update": "Add/update other information about you", + "person.page.orcid.scope.person-update" : "Přidat/aktualizovat další informace o vás", - // "uploader.processing" : "Processing uploaded file(s)... (it's now safe to close this page)" - "uploader.processing" : "Zpracování", + // "person.page.orcid.unlink.success": "The disconnection between the profile and the ORCID registry was successful", + "person.page.orcid.unlink.success" : "Odpojení profilu od registru ORCID proběhlo úspěšně.", - // "uploader.queue-length" : "Queue length" - "uploader.queue-length" : "Délka fronty", + // "person.page.orcid.unlink.error": "An error occurred while disconnecting between the profile and the ORCID registry. Try again", + "person.page.orcid.unlink.error" : "Při odpojování profilu od registru ORCID došlo k chybě. Zkuste to znovu", - // "virtual-metadata.delete-item.info" : "Select the types for which you want to save the virtual metadata as real metadata" - "virtual-metadata.delete-item.info" : "Vyberte typy, pro které chcete uložit virtuální metadata jako skutečná metadata", + // "person.orcid.sync.setting": "ORCID Synchronization settings", + "person.orcid.sync.setting" : "Nastavení synchronizace ORCID", - // "virtual-metadata.delete-item.modal-head" : "The virtual metadata of this relation" - "virtual-metadata.delete-item.modal-head" : "Virtuální metadata tohoto vztahu", + // "person.orcid.registry.queue": "ORCID Registry Queue", + "person.orcid.registry.queue" : "Fronta registru ORCID", - // "virtual-metadata.delete-relationship.modal-head" : "Select the items for which you want to save the virtual metadata as real metadata" - "virtual-metadata.delete-relationship.modal-head" : "Vyberte položky, pro které chcete uložit virtuální metadata jako skutečná metadata.", + // "person.orcid.registry.auth": "ORCID Authorizations", + "person.orcid.registry.auth" : "Oprávnění ORCID", + // "home.recent-submissions.head": "Recent Submissions", + "home.recent-submissions.head" : "Nejnovější příspěvky", - // "workspace.search.results.head" : "Your submissions" - "workspace.search.results.head" : "Vaše záznamy", + // "listable-notification-object.default-message": "This object couldn't be retrieved", + "listable-notification-object.default-message" : "Tento objekt se nepodařilo načíst", - // "workflowAdmin.search.results.head" : "Administer Workflow" - "workflowAdmin.search.results.head" : "Správa Workflowu", - // "workflow.search.results.head" : "Workflow tasks" - "workflow.search.results.head" : "Úlohy pracovních postupů", + // "system-wide-alert-banner.retrieval.error": "Something went wrong retrieving the system-wide alert banner", + "system-wide-alert-banner.retrieval.error" : "Při načítání celosystémového výstražného banneru došlo k chybě.", - // "workflow-item.edit.breadcrumbs" : "Edit workflowitem" - "workflow-item.edit.breadcrumbs" : "Upravit položku pracovního postupu", + // "system-wide-alert-banner.countdown.prefix": "In", + "system-wide-alert-banner.countdown.prefix" : "Na adrese", - // "workflow-item.edit.title" : "Edit workflowitem" - "workflow-item.edit.title" : "Upravit položku pracovního postupu", + // "system-wide-alert-banner.countdown.days": "{{days}} day(s),", + "system-wide-alert-banner.countdown.days" : "{{days}} den(y),", - // "workflow-item.delete.notification.success.title" : "Deleted" - "workflow-item.delete.notification.success.title" : "Odstraněno", + // "system-wide-alert-banner.countdown.hours": "{{hours}} hour(s) and", + "system-wide-alert-banner.countdown.hours" : "{{hours}} hodina(y) a", - // "workflow-item.delete.notification.success.content" : "This workflow item was successfully deleted" - "workflow-item.delete.notification.success.content" : "Tato položka pracovního postupu byla úspěšně odstraněna", + // "system-wide-alert-banner.countdown.minutes": "{{minutes}} minute(s):", + "system-wide-alert-banner.countdown.minutes": "{{minutes}} minut(y):", - // "workflow-item.delete.notification.error.title" : "Something went wrong" - "workflow-item.delete.notification.error.title" : "Něco se pokazilo", - // "workflow-item.delete.notification.error.content" : "The workflow item could not be deleted" - "workflow-item.delete.notification.error.content" : "Položku pracovního postupu nelze odstranit", - // "workflow-item.delete.title" : "Delete workflow item" - "workflow-item.delete.title" : "Smazat workflow položku", + // "menu.section.system-wide-alert": "System-wide Alert", + "menu.section.system-wide-alert" : "Celosystémové upozornění", - // "workflow-item.delete.header" : "Delete workflow item" - "workflow-item.delete.header" : "Smazat workflow položku", + // "system-wide-alert.form.header": "System-wide Alert", + "system-wide-alert.form.header" : "Celosystémové upozornění", - // "workflow-item.delete.button.cancel" : "Cancel" - "workflow-item.delete.button.cancel" : "Storno", + // "system-wide-alert-form.retrieval.error": "Something went wrong retrieving the system-wide alert", + "system-wide-alert-form.retrieval.error" : "Při načítání celosystémové výstrahy došlo k chybě", - // "workflow-item.delete.button.confirm" : "Delete" - "workflow-item.delete.button.confirm" : "Smazat", + // "system-wide-alert.form.cancel": "Cancel", + "system-wide-alert.form.cancel" : "Zrušit", - // "workflow-item.send-back.notification.success.title" : "Sent back to submitter" - "workflow-item.send-back.notification.success.title" : "Odeslat zpět předkladateli", + // "system-wide-alert.form.save": "Save", + "system-wide-alert.form.save" : "Uložit", - // "workflow-item.send-back.notification.success.content" : "This workflow item was successfully sent back to the submitter" - "workflow-item.send-back.notification.success.content" : "Tato položka pracovního postupu byla úspěšně odeslána zpět předkladateli", + // "system-wide-alert.form.label.active": "ACTIVE", + "system-wide-alert.form.label.active" : "AKTIVNÍ", - // "workflow-item.send-back.notification.error.title" : "Something went wrong" - "workflow-item.send-back.notification.error.title" : "Něco je špatně...", + // "system-wide-alert.form.label.inactive": "INACTIVE", + "system-wide-alert.form.label.inactive" : "NEAKTIVNÍ", - // "workflow-item.send-back.notification.error.content" : "The workflow item could not be sent back to the submitter" - "workflow-item.send-back.notification.error.content" : "Položku pracovního postupu nebylo možné odeslat zpět předkladateli", + // "system-wide-alert.form.error.message": "The system wide alert must have a message", + "system-wide-alert.form.error.message" : "Celosystémové upozornění musí obsahovat zprávu", - // "workflow-item.send-back.title" : "Send workflow item back to submitter" - "workflow-item.send-back.title" : "Zaslat workflow položku zpět zadavateli", + // "system-wide-alert.form.label.message": "Alert message", + "system-wide-alert.form.label.message" : "Výstražná zpráva", - // "workflow-item.send-back.header" : "Send workflow item back to submitter" - "workflow-item.send-back.header" : "Zaslat workflow položku zpět zadavateli", + // "system-wide-alert.form.label.countdownTo.enable": "Enable a countdown timer", + "system-wide-alert.form.label.countdownTo.enable" : "Povolit odpočítávání", - // "workflow-item.send-back.button.cancel" : "Cancel" - "workflow-item.send-back.button.cancel" : "Storno", + // "system-wide-alert.form.label.countdownTo.hint": "Hint: Set a countdown timer. When enabled, a date can be set in the future and the system-wide alert banner will perform a countdown to the set date. When this timer ends, it will disappear from the alert. The server will NOT be automatically stopped.", + "system-wide-alert.form.label.countdownTo.hint": "Tip: Nastavte časovač odpočítávání. Je-li povolen, lze v budoucnu nastavit datum a celosystémový nápis výstrah provede odpočítávání k nastavenému datu. Když časovač skončí, zmizí z výstrahy. Server NEBUDE automaticky zastaven.", - // "workflow-item.send-back.button.confirm" : "Send back" - "workflow-item.send-back.button.confirm" : "Poslat zpět", + // "system-wide-alert.form.label.preview": "System-wide alert preview", + "system-wide-alert.form.label.preview" : "Celosystémový náhled výstrahy", - // "workflow-item.view.breadcrumbs" : "Workflow View" - "workflow-item.view.breadcrumbs" : "Zobrazení pracovního postupu", + // "system-wide-alert.form.update.success": "The system-wide alert was successfully updated", + "system-wide-alert.form.update.success" : "Celosystémové upozornění bylo úspěšně aktualizováno", - // "idle-modal.header" : "Session will expire soon" - "idle-modal.header" : "Relace brzy vyprší", + // "system-wide-alert.form.update.error": "Something went wrong when updating the system-wide alert", + "system-wide-alert.form.update.error" : "Při aktualizaci celosystémového upozornění došlo k chybě", - // "idle-modal.info" : "For security reasons, user sessions expire after {{ timeToExpire }} minutes of inactivity. Your session will expire soon. Would you like to extend it or log out?" - "idle-modal.info" : "Z bezpečnostních důvodů relace uživatelů vyprší po {{ timeToExpire }} minutách nečinnosti. Vaše relace brzy vyprší. Chcete ji prodloužit nebo se odhlásit?", + // "system-wide-alert.form.create.success": "The system-wide alert was successfully created", + "system-wide-alert.form.create.success" : "Celosystémové upozornění bylo úspěšně vytvořeno", - // "idle-modal.log-out" : "Log out" - "idle-modal.log-out" : "Odhlásit se", + // "system-wide-alert.form.create.error": "Something went wrong when creating the system-wide alert", + "system-wide-alert.form.create.error" : "Při vytváření celosystémového upozornění došlo k chybě", - // "idle-modal.extend-session" : "Extend session" - "idle-modal.extend-session" : "Prodloužení relace", + // "admin.system-wide-alert.breadcrumbs": "System-wide Alerts", + "admin.system-wide-alert.breadcrumbs" : "Celosystémové výstrahy", - // "language.english" : "English" - "language.english" : "Angličtina", + // "admin.system-wide-alert.title": "System-wide Alerts", + "admin.system-wide-alert.title" : "Celosystémové výstrahy", - // "language.czech" : "Czech" - "language.czech" : "Česky", - // "repository.policy.page" : "Change me: policy page" - "repository.policy.page" : "Změnit mě: stránka zásad", - // "navbar.repository" : "Repository" + // "navbar.repository": "Repository", "navbar.repository" : "Repozitář", - // "navbar.community-list" : "Catalogue" + // "navbar.community-list": "Catalogue", "navbar.community-list" : "Katalog", - // "navbar.education" : "Education" + // "navbar.education": "Education", "navbar.education" : "Vzdělávání", - // "navbar.project" : "Projects" + // "navbar.project": "Projects", "navbar.project" : "Projekty", - // "navbar.tools" : "Tools" + // "navbar.tools": "Tools", "navbar.tools" : "Nástroje", - // "navbar.services" : "Services" + // "navbar.services": "Services", "navbar.services" : "Služby", - // "navbar.about" : "About" + // "navbar.about": "About", "navbar.about" : "O nás", - // "navbar.about.partners" : "Partners" + // "navbar.about.partners": "Partners", "navbar.about.partners" : "Partneři", - // "navbar.about.mission-statement" : "Mission Statement" + // "navbar.about.mission-statement": "Mission Statement", "navbar.about.mission-statement" : "Prohlášení o poslání", - // "navbar.about.clarin" : "CLARIN" + // "navbar.about.clarin": "CLARIN", "navbar.about.clarin" : "CLARIN", - // "navbar.about.dariah" : "DARIAH" + // "navbar.about.dariah": "DARIAH", "navbar.about.dariah" : "DARIAH", - // "navbar.about.service-integrations" : "Service integrations" + // "navbar.about.service-integrations": "Service integrations", "navbar.about.service-integrations" : "Integrace služeb", - // "navbar.about.project-partnership" : "Project partnerships" + // "navbar.about.project-partnership": "Project partnerships" "navbar.about.project-partnership" : "Projektové partnerství", + + } diff --git a/src/assets/i18n/en.json5 b/src/assets/i18n/en.json5 index ce2902c81f5..5749e515832 100644 --- a/src/assets/i18n/en.json5 +++ b/src/assets/i18n/en.json5 @@ -3181,6 +3181,13 @@ "clarin.auth-failed.send-email.error.message": "Error: cannot sent verification email.", + + "clarin.auth-failed.duplicate-user.header.message": "Authentication Failed", + + "clarin.auth-failed.duplicate-user.error.message": ["Your email", "is already associated with a different user. It is also possible that you used a different identity provider to before. For more information please contact our", "Help Desk"], + + + "clarin.missing-headers.error.message": "Your IDP (home organization) has not provided required headers, we cannot allow you to login to our repository without required information.", "clarin.missing-headers.contact-us.message": "If you have any questions you can contact the ", diff --git a/src/assets/images/static-pages/bibtex.png b/src/assets/images/static-pages/bibtex.png new file mode 100644 index 00000000000..986520b7d1e Binary files /dev/null and b/src/assets/images/static-pages/bibtex.png differ diff --git a/src/assets/images/static-pages/refbox.png b/src/assets/images/static-pages/refbox.png new file mode 100644 index 00000000000..a99b6ee3a2d Binary files /dev/null and b/src/assets/images/static-pages/refbox.png differ diff --git a/src/assets/images/static-pages/step1.png b/src/assets/images/static-pages/step1.png new file mode 100644 index 00000000000..ab38212f37a Binary files /dev/null and b/src/assets/images/static-pages/step1.png differ diff --git a/src/assets/images/static-pages/step2.png b/src/assets/images/static-pages/step2.png new file mode 100644 index 00000000000..9c0c1a25a16 Binary files /dev/null and b/src/assets/images/static-pages/step2.png differ diff --git a/src/assets/images/static-pages/step2_1.png b/src/assets/images/static-pages/step2_1.png new file mode 100644 index 00000000000..8cb0ed2d2bd Binary files /dev/null and b/src/assets/images/static-pages/step2_1.png differ diff --git a/src/assets/images/static-pages/step3.png b/src/assets/images/static-pages/step3.png new file mode 100644 index 00000000000..9609e2e88ed Binary files /dev/null and b/src/assets/images/static-pages/step3.png differ diff --git a/src/assets/images/static-pages/step4.png b/src/assets/images/static-pages/step4.png new file mode 100644 index 00000000000..f4ed932a9cc Binary files /dev/null and b/src/assets/images/static-pages/step4.png differ diff --git a/src/assets/images/static-pages/step4_1.png b/src/assets/images/static-pages/step4_1.png new file mode 100644 index 00000000000..a03a79bfaaa Binary files /dev/null and b/src/assets/images/static-pages/step4_1.png differ diff --git a/src/assets/images/static-pages/step5.png b/src/assets/images/static-pages/step5.png new file mode 100644 index 00000000000..c2c362ec948 Binary files /dev/null and b/src/assets/images/static-pages/step5.png differ diff --git a/src/assets/images/static-pages/step6_1.png b/src/assets/images/static-pages/step6_1.png new file mode 100644 index 00000000000..e09784d4b9b Binary files /dev/null and b/src/assets/images/static-pages/step6_1.png differ diff --git a/src/assets/images/static-pages/step6_2.png b/src/assets/images/static-pages/step6_2.png new file mode 100644 index 00000000000..17069b385f0 Binary files /dev/null and b/src/assets/images/static-pages/step6_2.png differ diff --git a/src/assets/images/static-pages/step6_3.png b/src/assets/images/static-pages/step6_3.png new file mode 100644 index 00000000000..4c1e40c3232 Binary files /dev/null and b/src/assets/images/static-pages/step6_3.png differ diff --git a/src/static-files/about.html b/src/static-files/about.html new file mode 100644 index 00000000000..75bb6bd713f --- /dev/null +++ b/src/static-files/about.html @@ -0,0 +1,160 @@ +
+ +

LINDAT/CLARIAH-CZ repository About and Policies

+ + +
+ +
+
+

Mission Statement

+
+

+ The ultimate objective of CLARIN ERIC (which LINDAT/CLARIAH-CZ is part of) is to advance research in humanities + and social sciences by giving researchers unified single sign-on access to a platform which integrates language-based resources and advanced tools at a European level. This shall be implemented by the construction and operation of a shared distributed infrastructure that aims at making language resources, technology and expertise available to the humanities and social sciences (henceforth abbreviated HSS) research communities at large. + See more information about LINDAT/CLARIAH-CZ. +

+

+ To know more about CLARIN ERIC visit CLARIN-ShortGuide.pdf +

+
+
+
+

Terms of Service

+

+ To achieve our mission statement,we set out some ground rules through the Terms of Service. By accessing or using any kind of data or services provided by the Repository, you agree to abide by the Terms contained in the above mentioned document. +

+

+ Data in LINDAT/CLARIAH-CZ repository are made available under the licence attached to the resources. In case there is no licence, data is made freely available for access, printing and download for the purposes of non-commercial research or private study. + + Users must acknowledge in any publication, the Deposited Work using a persistent identifier (see Citing Data), its original author(s)/creator(s), and any publisher where applicable. Full items must not be harvested by robots except transiently for full-text indexing or citation analysis. Full items must not be sold commercially unless explicitly granted by the attached licence without formal permission of the copyright holders. +

+
+ +
+
+

About Repository

+

It is like a library for linguistic data and tools.

+
    +
  • Search for data and tools and easily download them.
  • +
  • Deposit the data and be sure it is safely stored, everyone + can find it, use it, and correctly cite it (giving you credit)
  • +
+
+
+
+

About UFAL

+

+ The Institute of Formal and Applied Linguistics (UFAL) at the Computer Science School, Faculty of Mathematics and Physics, Charles University, Czech Republic was established in 1990 as a continuation of the research and teaching activities carried out by the former Laboratory of Algebraic Linguistics since the early 60s at the Faculty of Philosophy and later at the Faculty of Mathematics and Physics, Charles University in Prague, is a primarily research department working on many topics in the area of Computational Linguistics, and on many research projects both nationally and internationally. However, the Institute of Formal and Applied Linguistics is also a regular department in the sense that it carries a comprehensive teaching program both for the Master's degree (Mgr., or MSc.) as well as for a doctorate (Ph.D.) in Computational Linguistics. Both programs are taught in Czech and English. The Institute is also a member of the double-degree "Master's LCT programme" of the EU. Students also can take advantage of the Erasmus program for typically semester-long stays at partner Universities abroad. +

+
+
+
+

License Agreement and Contracts

+

At the moment, UFAL distinguishes three types of contracts.

+
    +
  • For every deposit, we enter into a standard contract with the submitter, the so-called "Distribution License Agreement", in which we describe our rights and duties and the submitter acknowledges that they have the right to submit the data and gives us (the repository centre) right to distribute the data on their behalf.
  • +
  • Everyone who downloads data is bound by the licence assigned to the item - in order to download protected data, one has to be authenticated and needs to electronically sign the licence. A list of available licenses in our repository can be found here.
  • +
  • For submitters, there is a possibility for setting custom licences to items during the submission workflow.
  • +
+
+
+
+

Intellectual Property Rights

+

+As mentioned in the section License Agreement and Contracts, we require the depositor of data or tools to sign a Distribution License Agreement, which specifies that they have the right to submit the data and gives us (the repository centre) right to distribute the data on their behalf. This means that depositors are solely responsible for taking care of IPR issues before publishing data or tools by submitting them to us. +
+Should anyone have a suspicion that any of the datasets or tools in our repository violate Intellectual Property Rights, they should contact us immediately at our help desk. +

+
+
+ +
+

Privacy Policy

+

Read our Privacy Policy in order to learn how we manage personal data collected by the LINDAT/CLARIAH-CZ repository and services. +

+
+
+ +
+

Metadata Policy

+

+ Deposited content must be accompanied by sufficient metadata describing its content, provenance and formats in order to support its preservation and dissemination. Metadata are freely accessible and are distributed in the public domain (under CC0). However, we reserve the right to be informed about commercial usage of metadata from LINDAT/CLARIAH-CZ repository including a description of your use case at Help Desk. +

+
+
+ +
+

Preservation Policy

+

+ LINDAT/CLARIAH-CZ is committed to the long-term care of items deposited in the repository, to preserve the + research and to help in keeping research replicable and strives to adopt the + current best practice in digital preservation. See the Mission Statement. + We follow best practice guidelines, standards and regulations set forth by CLARIN, OAIS and/or Charles + University. +

+

+ In order to stay a reliable and trustworthy repository, we undergo periodical assessments by CLARIN ERIC and + CTS (formerly DSA). +

+

+ To fulfill the commitments, the repository ensures that datasets are ingested and distributed in + accordance with their license (see agreements and contracts). Sometimes + (for licenses that do not permit public access) this means only authorized users can access the dataset. +

+

+ The submission workflow as described in deposit and the work of our editors ensures + discoverability (by requiring accurate metadata) via our search engine, + externally through OAI-PMH and in page metadata for certain web crawlers. Metadata are freely accessible. +

+

+ There are various automated procedures including fixity checks, to ensure integrity of the submitted + datasets and completeness of metadata. On the + system level we employ various on-site and off-site backup strategies and hardware monitoring. The + datasets are accessible online. +

+

+ We view data and tools as primary research outputs, each submission receives a Persistent IDentifier for reference and + the users are guided to use them. Changes in a dataset after it has been published are + not permitted, new submission is required instead. The old and new submissions are linked through their + metadata (see new version + guide for more details). +

+

+ Through regular participation in CLARIN activities, Open Repositories and various other meetings, schools + and conferences, the repository staff is informed of new developments in technologies and/or initiatives. +

+

+ The various export options offered by the repository system (DSpace) ensures that data and their metadata + are not locked in and can be moved to a different repository system. +

+

+ The repository encourages the usage of specific file formats as recommended by CLARIN. The preferred file + formats will change over time, in which case the repository will make every effort to migrate to other + formats, while keeping originals intact for reproducibility purposes (ie. migrated item will be a new + repository record linked to the old). The guiding principles for format selection are: open standards are + preferred over proprietary standards, formats should be well-documented, verifiable and proven, + text-based formats are preferred over binary formats where possible, in the case of digitalization of analogue signal lossless or no compression is recommended. +

+

+ In the case of a withdrawal of funding, the repositories content would be transferred to another CLARIN + centre. While the legal aspects of the process of relocating data to another institution are underway the + hosting institute (UFAL) offers a timeframe of at least 10 years, in which it will provide access to the + data. +

+
+
+ + +
diff --git a/src/static-files/cite.html b/src/static-files/cite.html new file mode 100644 index 00000000000..600f73d171f --- /dev/null +++ b/src/static-files/cite.html @@ -0,0 +1,41 @@ +
+ +

About Citations

+

We strongly feel that data should be cited properly. For that reason we are adopting various policies and creating UI elements (see RefBox below) to make the citation as easy and as consistent as possible.

+

Citing data policy

+

CLARIN endorses the Data Citation Principles and so do we. We ask Data users to acknowledge and cite data sources properly in all publications and outputs. We already implement the important recommendations of RDA's Data Citation Work Group. See the example of automatic citation text below.

+

Citation Handle - a Persistent Identifier

+

The Handle System provides unique and persistent identifiers of digital objects. We use it to provide your data with a permanent identifier in the form of an URL that will always point to the data, wherever it moves in the future. Thus you can safely use the Handle to point to data for instance in publications. The Handle is part of the RefBox together with other information such as authors, title and publisher. +

+

+

Export Formats

+

For convenience we've prepared export formats, that can easily be copied and pasted. An item can be exported in BibTeX format. A link to an export is provided in the citation box (see above image). + On clicking the link to "BibTeX", formatted BitbTeX entry will be displayed. +

+

+
diff --git a/src/static-files/cookies.html b/src/static-files/cookies.html new file mode 100644 index 00000000000..b442e18f99e --- /dev/null +++ b/src/static-files/cookies.html @@ -0,0 +1,32 @@ +
+ +

Cookies

+

+ To make this site work properly, we sometimes place small data files called cookies on your device. Most big websites do this too. +

+ +

+ The EU Directive 2009/136/EC states that we can store cookies on your machine, if they are essential to the operation of this site, but that for all others we need your permission to do so. +

+ +

What are cookies?

+

+ A cookie is a small piece of data that a website asks your browser to store on your computer or mobile device. + The cookie allows the website to "remember" your actions or preferences (such as login, language, font size and other display preferences) over time, + so you don’t have to keep re-entering them whenever you come back to the site or browse from one page to another. Most browsers support cookies, but users can set their browsers to decline them and can delete them whenever they like. +

+ +

How we use cookies?

+

Strictly Necessary cookies

+

We use DiscoJuice and Shibboleth cookies for remembering the user IdP choice and login session id.

+

Google Analytics

+

Through this website, a cookie is sent to the American company Google, as part of the 'Analytics' service. We use this service to track how visitors use our website. Google can provide this information to third parties in case Google is legally obligated to do so, or if third parties process the information on behalf of Google. We can in no way influence these actions. We have not allowed Google to use the obtained Analytics information for other Google services.

+

The information Google collects remains anonymous wherever possible. Your IP address is not explicitly given. The information is stored by Google on servers in the US. Google adheres to the Safe Harbor principles, and is affiliated with the Safe Harbor programme of the US Department of Commerce. This means there is an adequate level of protection for the processing of any personal data.

+

Piwik

+

This website uses Piwik, an open analytics platform to collect web statistics. Piwik will store cookies on your computer, but no personal data will be collected. An anonymous ID will enable piwik to identify your session, but this ID is meaningless to anybody else, and it cannot be used to identify an individual user.

+ +

How to control cookies

+

You can control and/or delete cookies as you wish – for details, see aboutcookies.org. You can delete all cookies that are already on your computer and you can set most browsers to prevent them from being placed. If you do this, however, you may have to manually adjust some preferences every time you visit a site and some services and functionalities may not work.

+ + +
diff --git a/src/static-files/cs/about.html b/src/static-files/cs/about.html new file mode 100644 index 00000000000..13a7d688e7b --- /dev/null +++ b/src/static-files/cs/about.html @@ -0,0 +1,160 @@ +
+ +

Repozitář LINDAT/CLARIAH-CZ - O nás a naše pravidla

+ + +
+ +
+
+

Naše poslání

+
+

+ Konečným cílem projektu CLARIN ERIC je urychlit výzkum v humanitních a sociálních vědách zpřístupněním jednotné platformy, která na evropské úrovni integruje jazykové zdroje a pokročilé nástroje pro zpracování psaného i mluveného jazyka. Tento cíl je uskutečňován prostřednictvím nově vytvořené sdílené distribuované infrastruktury (s jednotným přístupem), která se zaměřuje na to, aby jazykové zdroje, technologie a odborné znalosti zpřístupnila nejen humanitním a společenským vědám (dále jen SHV), ale obecně všem výzkumným komunitám. +

+

+ Více o CLARIN ERIC na CLARIN-ShortGuide.pdf +

+
+
+
+

Pravidla použití služeb

+

+ Pro dosažení našeho poslání jsme stanovili některá základní nařízení prostřednictvím Pravidel pro použití služeb. Používáním repozitáře LINDAT/CLARIAH-CZ nebo použitím jakýchkoliv dat nebo služeb poskytovaných prostřednictvím LINDAT/CLARIAH-CZ souhlasíte s tím, že budete dodržovat podmínky obsažené ve výše uvedeném dokumentu. +

+

+ Data v repozitáři LINDAT/CLARIAH-CZ jsou k dispozici na základě licence uvedené u jednotlivých zdrojů (položek). Pokud zde licence uvedena není, data jsou volně k dispozici, a to jak pro přístup a tisk, tak také ke stažení pro účely nekomerčního výzkumu nebo pro soukromé studium. + + Uživatel musí v každé své publikaci pomocí stálého ("perzistentního") identifikátoru (PID, viz Pravidla pro citace) uvést, jaká data použil, dále musí uvést jejich původního autora a v případě potřeby také jejich vydavatele. Žádné položky nesmí být využívány roboty, s výjimkou dočasného zpracování pro fulltextové indexování nebo analýzy citací. Žádné položky nesmí být bez formálního souhlasu majitele autorských práv komerčně prodávány, jedině pokud je to výslovně dovoleno na základě licence uvedené u dané položky v repozitáři. +

+
+ +
+
+

O repozitáři

+

Repozitář je knihovna pro jazyková data a nástroje na zpracování textu. Umožňuje

+
    +
  • vyhledávání dat a nástrojů a jejich snadné stažení a
  • +
  • ukládání dat uživatelem s jistotou bezpečného uložení - všichni + je mohou najít, používat i správně citovat (čímž uživatel získá příslušný kredit).
  • +
+
+
+
+

O ÚFALu

+

+ Ústav formální a aplikované lingvistiky (ÚFAL) na informatické sekci Matematicko-fyzikální fakulty Univerzity Karlovy v České republice byl založen v roce 1990 jako pokračovatel činnosti v oblasti výzkumu a výuky prováděné od počátku 60. let bývalou Laboratoří algebraické lingvistiky nejprve na Filozofické fakultě a později na Matematicko-fyzikální fakultě Univerzity Karlovy. ÚFAL je v prvé řadě výzkumné oddělení pracující na mnoha tématech z oblasti počítačové lingvistiky, a na mnoha národních i mezinárodních výzkumných projektech. Nicméně Ústav formální a aplikované lingvistiky je také "regulérní" katedrou v tom smyslu, že zajišťuje komplexní výukový program, a to jak pro magisterské (Mgr.), tak pro doktorské (Ph.D.) studium počítačové lingvistiky. Oba programy jsou vyučovány v českém a anglickém jazyce. Ústav je také členem "Master's LCT programme" realizovaného v rámci EU, který uděluje dva magisterské tituly na obou školách, na kterých je student zapsán. Studenti ÚFALu mohou rovněž využívat program Erasmus pro studijní pobyty na partnerských zahraničních univerzitách. + +

+
+
+
+

Licenční ujednání a smlouvy

+

V současné době se rozlišují tři typy smluv.

+
    +
  • Při každém vložení dat vstupujeme s tím, kdo data vkládá ("vkladatelem") do standardního smluvního vztahu - jde o tzv. "Licenční ujednání", ve kterém popisujeme naše práva a povinnosti a vkladatel stvrzuje, že má právo svá data vložit. Zároveň nám dává právo tato data jeho jménem distribuovat prostřednictvím repozitáře LINDAT/CLARIAH-CZ.
  • +
  • Každý, kdo si data stáhne, je vázán licencí, která je k nim přiřazena. Pro stažení chráněných dat musí být uživatel identifikován jedním z ověřených způsobů a musí licenci elektronicky podepsat. Seznam všech licencí používaných v našem repozitáři lze nalézt zde.
  • +
  • Vkladatel má rovněž možnost zavést a následně nastavit pro vkládanou položku dat vlastní licenci, která bude po schválení administrátorem přidána do seznamu použitých licencí.
  • +
+
+
+
+

Práva k duševnímu vlastnictví

+

+Jak již bylo zmíněno v oddíle Licenční ujednání a smlouvy, požadujeme, aby vkladatel dat nebo nástrojů podepsal Licenční ujednání a smlouvu, v níž specifikujeme, že vkladatel má právo vložit data a dává nám (repozitáři) právo tato data jeho jménem distribuovat. To znamená, že vkladatelé vložením dat k nám do repozitáře nesou sami zodpovědnost za práva k duševnímu vlastnictví (IPR) ještě předtím, než v repozitáři jimi vložená data nebo nástroje dáme veřejně k dispozici (za jimi nastavených licenčních podmínek). +
+Pokud by někdo měl podezření, že některý z datových souborů nebo některé nástroje v našem repozitáři porušují práva k duševnímu vlastnictví, měl by nás okamžitě kontaktovat na Lince podpory. +

+
+
+ +
+

Pravidla uchovávání osobních údajů

+

Přečtěte si prosím naše Pravidla uchovávání osobních údajů, kde popisujeme, jak chráníme nutné osobní údaje shromážděné v LINDAT/CLARIAH-CZ repozitáři. +

+
+
+ +
+

Pravidla pro metadata

+

+ Aby byl ve vložených položkách dat a nástrojů "pořádek" a bylo je možné snadno najít, čímž chceme podpořit jejich distribuci, musí být doprovázeny dostatečným množstvím metadat popisujících obsah daných položek, jejich původ a formáty. Metadata jsou vždy volně přístupná a jsou distribuována ve veřejné doméně (jako CC0). Vyhrazujeme si však právo být informováni o komerčním využití metadat uložených v LINDAT/CLARIAH-CZ repozitáři, včetně popisu vašeho použití, a to na Lince podpory. +

+
+
+ +
+

Pravidla pro uchovávání dat

+

+ LINDAT/CLARIAH-CZ se zavázal k dlouhodobé péči o data a nástroje uložené v repozitáři a snaží se používat + nejlepší stávající osvědčené postupy v oblasti uchovávání digitálních záznamů, jak je stanovuje CLARIN, + OAIS a/nebo Univerzita Karlova. Viz Naše poslání. +

+

+ Abychom zůstali spolehlivým a důvěryhodným úložištěm, podstupujeme pravidelná hodnocení ze strany CLARIN ERIC a + CTS (dříve DSA). +

+

+ Abychom mohli plnit naše závazky, repozitář zajišťuje, že přijatá data mají licenci a pod touto licencí + je dále poskytuje (viz Licenční ujednání a smlouvy). Někdy + (u licencí, které nepovolují volný přístup) to znamená, že k datům mají přístup pouze oprávnění + uživatelé. +

+

+ Proces nahrání dat popsaný v Jak ukládat vaše data a práce našich editorů + zajišťuje, že data budou k nalezení prostřednictvím našeho vyhledávače, + externě přes OAI-PMH a v různých dalších vyhledávačích. Proto vyžadujeme detailní metadata. + Metadata jsou volně přístupná. +

+

+ Integritu přijatých dat a úplnost metadat ověřuje řada automatizovaných procedur. Na úrovni systému + používáme různé zálohovací strategie (včetně zálohování do jiné lokality) a hardware monitorujeme. Data + jsou dostupná online. +

+

+ Data i nástroje vnímáme jako hlavní výstupy výzkumu. Ke každému záznamu v repozitáři je přidělen + perzistentní identifikátor, který slouží jako trvalý odkaz. Uživatelé jsou vedeni k + jejich používaní. + Jednou zveřejněná data není možné měnit, vždy je potřeba vytvořit nový záznam. Oba záznamy (starý a nový) + jsou provázány odkazy (PID) v metadatech (viz nová verze). +

+

+ Pracovníci repozitáře se pravidelně účastní aktivit v rámci CLARIN, konference Open Repositories a + různých dalších konferencí, setkání a tréninků. Udržují si tak přehled o nových technologiích a + iniciativách. +

+

+ Námi používaný systém (DSpace) nabízí různé možnosti exportu, což zajistí, že v případě potřeby bude + data i metadata možné přesunout do jiného systému. +

+

+ Nahraná data by ideálně měla být v jednom z formátů, které doporučuje CLARIN, pokud to není možné, jsou + hlavní zásady výběru formátu následující: + Otevřené standardy jsou preferovány před proprietárními, formáty by měly být dobře zdokumentovány, ověřitelné a ověřené praxí. + Pokud je to možné, upřednostňují se textové formáty před binárními a v případě digitalizace analogového + signálu se doporučuje bezeztrátová nebo žádná komprese. + Preferované formáty se budou časem měnit, v takovém případě vynaloží repozitář veškeré úsilí k převodu + dat na nový formát. Originály budou pro účely reprodukovatelnosti zachovány beze změn (tj. pro nový + formát bude vytvořen nový záznam, který propojíme se starým). +

+

+ V případě ukončení financování bude obsah repozitáře převeden na jiné CLARIN centrum. Zatímco se bude + jednat o detailech tohoto přesunu (právní aspekty apod.), nabízí ÚFAL (jakožto hostitelská instituce) + časový rámec 10 let, během kterých zajistí přístup k datům. +

+
+
+ + +
diff --git a/src/static-files/cs/cite.html b/src/static-files/cs/cite.html new file mode 100644 index 00000000000..782e74bbdcf --- /dev/null +++ b/src/static-files/cs/cite.html @@ -0,0 +1,41 @@ +
+ +

Citace

+

Jsme pevně přesvědčeni, že data by měla být za všech okolností řádně citována. Máme proto k dispozici různá pravidla a vytváříme specifické uživatelské rozhraní (viz obrázek s příkladem Referenčního pole níže) usnadňující co nejsnazší a konzistentní postup při citování.

+

Zásady pro citování dat

+

CLARIN a samozřejmě i LINDAT/CLARIAH-CZ podporují Pravidla pro citování dat. Žádáme tedy všechny uživatele, aby správně citovali zdroje dat ve všech svých publikacích a výstupech. Také už jsme realizovali důležitá doporučení Pracovní skupiny RDA pro citování dat. Viz níže příklad automatické citace.

+

Citování pomocí systému Handle - systému stálých ("perzistentních") identifikátorů (PID)

+

Systém Handle poskytuje jedinečné a stálé ("perzistentní") identifikátory digitálních objektů. Používáme ho, abychom všem datům v našem repozitáři poskytli perzistentní identifikátor v podobě adresy typu URL, která vždy povede ke správným datům, i kdyby se tato data v budoucnu přesunula kamkoli jinam. Takto můžete systém PID bezpečně využívat například při citaci dat v publikacích. Systém PID je spolu s dalšími informacemi, jako jsou autoři, název a vydavatel, součástí Referenčního pole. +

+

+

Formáty exportovaných dat

+

Pro větší pohodlí jsme připravili konverzi a export citace v několika formátech, které lze snadno zkopírovat a vložit. Položku lze exportovat i do BibTeX formátu. Odkaz na export je uveden v Referenčním poli (viz obrázek nahoře). + Kliknutím na odkaz "BibTeX" se zobrazí formátovaný záznam pro BibTeX. +

+

+
diff --git a/src/static-files/cs/cookies.html b/src/static-files/cs/cookies.html new file mode 100644 index 00000000000..ccf747ad956 --- /dev/null +++ b/src/static-files/cs/cookies.html @@ -0,0 +1,33 @@ +
+ +

Cookies

+

+ Aby mohla tato stránka správně fungovat, občas ukládáme malé datové soubory, tzv. cookies, na vaše zařízení. Většina provozovatelů webových stránek to dělá také. +

+ +

+ Evropská směrnice 2009/136/EC nám dovoluje ukládat cookies, které jsou nezbytné pro provoz těchto stránek. Pro ostatní cookies potřebujeme vaše svolení. +

+ +

Co jsou cookies?

+

+ Cookie jsou data, která prohlížeč na žádost webové stránky uloží na vašem zařízení (např. počítači, telefonu nebo tabletu). + Cookie umožňuje webové stránce pamatovat si vaše akce (např. přihlášení) a předvolby (např. jazyk, velikost písma apod.). + Díky tomu je nemusíte při dalších návštěvách ani při přechodu ze stránky na stránku znovu zadávat. + Většína prohlížečů cookies podporuje, ale uživatelé mají možnost nastavit prohlížeč tak, aby je nepřijímal. Máte také možnost je kdykoliv smazat. +

+ +

Jak cookies používáme?

+

Cookies nezbytné pro provoz

+

DiscoJuice a Shibboleth používají cookies pro zapamatování volby IDP a session id.

+

Google Analytics

+

Tyto stránky posílají cookie Americké společnosti Google, je to součást služby 'Analytics'. Tuto službu využíváme k analýze, jak návštěvníci naše stránky používají. Google tyto informace poskytuje třetím stranám, má-li zákonnou povinnost tak činit, nebo pokud třetí strany zpracovávají tyto informace jeho jménem. Tato činnost je mimo náš vliv. Takto získané informace by neměly být používány v žádných dalších službách Google.

+

Takto sbírané informace zůstavají anonymní, kdekoliv je to možné. Vaše IP adresa není explicitně uváděna. Informace jsou uchovávány na serverech Google ve Spojených státech. Google dodržuje zásady Safe Harbor (bezpečného přístavu), programu Amerického ministerstva obchodu. To znamená vhodnou úroveň ochrany při zpracování jakýchkoli osobních údajů.

+

Piwik

+

Webová stránka používá Piwik, otevřenou platformu webové analytiky, k sbírání statistik. Piwik ukládá cookies na vaše zařízení, ale nesbírá žádná osobní data. Anonymní id umožní platformě identifikovat vaši session, toto id nelze použít k identifikaci jednotlivých uživatelů, má význam jen v rámci platformy.

+ +

Kontrola cookies

+

Cookies můžete kontrolovat a případně i smazat, pro detailnější informace navštivte aboutcookies.org. Můžete smazat všechny cookies, které byly uloženy na vašem zařízení a většinu prohlížečů můžěte nastavit tak, aby bránily ukládání cookies. Pokud to ale uděláte, budete muset neustále měnit některé předvolby a můžete příjít o některé funkce.

+ + +
diff --git a/src/static-files/cs/deposit.html b/src/static-files/cs/deposit.html new file mode 100644 index 00000000000..c071f07853e --- /dev/null +++ b/src/static-files/cs/deposit.html @@ -0,0 +1,136 @@ +
+ + +

Jak ukládat vaše data

+
Ukládat data mohou jen ověření uživatelé. Pokud nemůžete najít svou domovskou organizaci + v dialogovém okně 'Přihlásit se' - 'Seznam organizací', pak se zaregistrujte na clarin.eu + a za pomoci "clarin.eu website account" se autentizujte (nalogujte). Pokud nemůžete použít žádnou z uvedených autentizačních metod nebo pokud narazíte na problém, neváhejte nás kontaktovat na + Lince podpory a my pro vás vytvoříme místní účet.
+
+ Návod níže popisuje přidání nového záznamu, pokud nahráváte novou verzi záznamu dostupného v repozitáři, jsou + k dispozici + detailnější instrukce. +
+
+

Krok 1: Přihlášení

+

Chcete-li zahájit vložení nové datové položky, musíte se nejprve přihlásit. Klikněte na 'Přihlásit se' pod 'Můj účet' v menu na pravé straně.

+ +
+ +
+

Krok 2: Zahájení vkládání nové položky dat

+

Nyní máte novou položku v menu 'Uložení dat' pod 'Můj účet'. Klikněte na 'Uložení dat' a přejděte na obrazovku pro uložení dat.

+ +

Nyní byste měli být na hlavní stránce pro uložení dat, kde se můžete dívat na svá neúplná/archivní uložená data. Klikněte na odkaz 'Zahájit nové uložení dat' pro zahájení vkládání nové datové položky.

+ +
+ +
+

Krok 3: Vyberte druh dat

+

Zahájili jste vkládání nové položky dat. V následujících několika krocích budete poskytovat podrobnosti o nové položce a nahrávat vaše soubory s daty. Nejprve vyberte druh dat, která chcete uložit.

+ +

Klikněte na jedno z tlačítek, např. 'Korpus'. Pokračujte podáním základních informací, jako je název vkládané položky. Klikněte na 'Další' pro pokračování.

+
+ +
+

Krok 4: Popište svou vkládanou položku

+

V následujících dvou krocích poskytnete víc detailů o své položce. Nejprve popište osoby, organizaci a projekty spojené s vkládanou datovou položkou.

+ +

Dále přidejte svůj popis, vyplňte jazyk atd.

+ +

Po vyplnění potřebných informací klikněte na tlačítko 'Další' pro nahrání souborů.

+
+ +
+

Krok 5: Nahrávání souborů

+

V tomto kroku budete nahrávat soubory, které jsou součástí vámi ukládaných dat. Pokud žádné soubory nemáte, můžete tento krok přeskočit kliknutím na 'Další'. Soubory lze přidat kliknutím na tlačítko 'Procházet' nebo můžete soubory přetahovat do šedé oblasti s textem 'Přetáhněte soubory sem'.

+ +

Výběrem nahrávání souborů se otevře dialogové okno, v němž můžete zadat popis každého souboru. Chcete-li zahájit nahrávání souboru, klikněte na tlačítko 'Začít nahrávání'.

+

Jakmile je nahrávání souboru(ů) ukončeno, zmáčkněte tlačítko 'OK' pro uzavření dialogového okna. Nyní můžete buď přidat další soubory nebo můžete smazat či upravit již ty nahrané. Jakmile práci s datovými soubory dokončíte, stiskněte tlačítko 'Další' a můžete pokračovat výběrem licence.

+
+ +
+

Krok 6: Výběr licence

+

Pokud nahrajete alespoň jeden soubor, musíte v tomto kroku vybrat licenci, pod kterou chcete, aby byla vaše data distribuována (data bez licence jsou nepoužitelná, protože uživatel by nevěděl, za jakých podmínek je může používat!) + Prosím přečtěte si pečlivě Smlouvu o distribuci dat a klikněte na červené políčko na znamení souhlasu se smlouvou (po kliknutí červené políčko zezelená). +

+ Jakmile se rozhodnete pro příslušnou licenci, vyberte ji z rozevíracího (dropdown) seznamu. + + nebo použijte OPEN License Selector, který vám pomůže vybrat licenci kladením otázek týkajících se vámi vkládaných datových položek. + + Pokud žádná z nabízených licencí nevyhovuje vašim potřebám, obraťte se prosím na naši + Linku podpory.

+ +
+

Pro sady dat, které vyžadují podpis licence

+ + I když upřednostňujeme otevřený přístup k datům a otevřený (open source) software, jsme si vědomi toho, že takový přístup není vždy reálný. + Můžeme zaručit, že uživatelé musí pro stahování vašich dat podepsat licenci. + (viz Vkládání dat s omezeními). + Pokud o uživatelích potřebujete více informací než to, že jsou ověřeni univerzitou (nebo podobnou institucí), můžeme požádat o některá další specifická ověření podobná standardním webovým formulářům. To dává smysl hlavně pro data s licencí, která obsahuje podmínku "nemožnosti další distribuce". +
+ +

Pro pokračování klikněte na 'Další'.

+
+ +
+

Krok 7: Zanechte poznámku

+

V tomto kroku můžete zanechat poznámku pro "redaktory" repozitáře LINDAT/CLARIAH-CZ, kteří budou datovou položku definitivně schvalovat pro uveřejnění.

+
+ +
+

Krok 8: Zkontrolujte uložení svých dat

+

V tomto kroku zkontrolujete uložení svých dat před jejich vložením. Kontrolní stránka obsahuje dílčí kontrolní postup pro každý z dříve vyplněných kroků. Pokud chcete změnit jakoukoli položku v příslušném kroku, klikněte na 'Opravit' u jakékoli z nich a dostanete se tak na příslušnou stránku daného kroku. Po ověření všech detailů lze provést uložení datové položky kliknutím na 'Dokončit uložení', nebo lze kliknout na 'Uložit & Konec' pro uložení dat, ke kterým se chcete ještě vrátit později.

+
+ +
+

Krok 9: Odeslání dat ke kontrole

+

Jakmile v kontrolním kroku kliknete na 'Dokončit uložení datové položky', položka bude vložena a bude k dispozici redakční kontrole. Poté, co redaktoři LINDAT/CLARIAH-CZ položku schválí, objeví se v repozitáři a bude tak zpřístupněna veřejnosti za podmínek definovaných licencí, kterou jste pro tuto položku vybrali v průběhu vkládání. + V případě jakéhokoliv dotazu ohledně uložení dat vás bude redakce LINDAT/CLARIAH-CZ kontaktovat a vyžádá si další podrobnosti.

+
+
diff --git a/src/static-files/cs/error.html b/src/static-files/cs/error.html new file mode 100644 index 00000000000..a2c52cd62eb --- /dev/null +++ b/src/static-files/cs/error.html @@ -0,0 +1,39 @@ +
+ + +
+
+

+   Error +

+
+
+
+ + Nahrávám detaily chyby... +
+
+
+
+
+ + + + + +
diff --git a/src/static-files/cs/faq.html b/src/static-files/cs/faq.html new file mode 100644 index 00000000000..1849ae6332a --- /dev/null +++ b/src/static-files/cs/faq.html @@ -0,0 +1,220 @@ +
+ +

Často kladené dotazy

+ +
+ +
+ +
+

Co je repozitář?

+

Repozitář je knihovna pro jazyková data a nástroje na zpracování textu. Umožňuje

+
    +
  • vyhledávání dat a nástrojů a jejich snadné stažení a
  • +
  • ukládání dat uživatelem s jistotou bezpečného uložení - všichni je mohou najít, používat i správně citovat (čímž uživatel získá příslušný kredit).
  • +
+
+ +
+

Jaké příspěvky přijímáme?

+

Přijímáme jakákoli jazyková data a/nebo NLP data a nástroje: korpusy, anotované korpusy, slovníky, ale také natrénované jazykové modely, parsery, taggery, systémy strojového překladu, jazykové webové služby apod. +Přísně nevyžadujeme, abyste nahráli samotná data, i když je to vždy lepší udělat. V případě potřeby, si můžete uložit pouze samotná metadata. + Podporujeme také podpis licence on-line cestou pro okamžitou možnost získání zdrojů s omezenou dostupností.

+

+ Při nahrávání jazykových zdrojů zkuste prosím použít některý z doporučených formátů, uvedených v LRT Standardech. +

+
+ +
+

Musím si vytvořit účet, abych mohl stahovat nebo ukládat data?

+
    +
  • Bez jakýchkoli problémů si můžete stáhnout data a nástroje s licencí, která umožňuje bezplatné a volné sdílení. Pouze si přečtěte licenci a stahujte. To se týká všech dat s licencí Creative Commons a dat s lincencí s otevřeným přístupem. + +
  • +
  • +Pro stahování dat a nástrojů, které vyžadují podepsání licence, se musíte přihlásit. Přihlásit se musíte také v případě, že chcete vložit příspěvek (datovou položku). Pokud jste z akademického prostředí, pravděpodobně nebudete ani potřebovat nový účet.
  • +
  • Klikněte na "Přihlásit se" a vyhledejte + svou akademickou instituci. Pro přihlášení můžete použít libovolný účet s poskytovatelem identity, který je členem EduGAIN federace a je v našem seznamu.
  • +
  • Dejte nám vědět, pokud nemáte akceptovaný nebo platný akademický účet.
  • +
+
+ +
+

Ukáže se mi chyba při přihlašování

+

Máte-li problém s přihlášením, dejte nám prosím vědět přes naši Linku podpory.

+

Čas od času (obvykle jste-li první, kdo se přihlašuje přes svou domovskou instituci), můžete vidět následující chybu "Ověřování bylo úspěšné; nicméně váš poskytovatel identity neposkytl ani váš e-mail, eppn ani požadované id." To znamená, že vaše domovská instituce nám o vás neposlala dostatek údajů, na jejichž základě bychom pro vás mohli provozovat naše služby. Uvedené údaje žádáme proto, abychom vás chránili. Požadujeme pouze email a řídíme se Kodexem chování pro ochranu dat, který nám pomáhá přesvědčit vaši domovskou instituci. Vaše osobní údaje v žádném případě nejde zneužít.

+

Máte-li účet u více poskytovatelů a přihlásíte-li se pokaždé s jiným, může se zobrazit následující chyba "Váš e-mail je již spojen s jiným uživatelem.". Prosím, zkuste používat vždy stejného poskytovatele, pokud to není možné, dejte nám vědět a my změníme jeho výchozí nastavení.

+
+ +
+

Proč bych měl ukládat data do repozitáře?

+
    +
  • Je to zadarmo a vysoce bezpečné.
  • +
  • Respektujeme vaše licence. Podporujeme myšlenku "data zdarma" (Open Access) a věříme, že je prospěšná nejen uživatelům dat, ale i jejich poskytovatelům. Nicméně pracujeme také s více či méně uzavřenými daty - repozitář poskytuje mechamismus podepisování licencí jako podmínku +stahování dat; pokud takový mechanismus nutně potřebujete, je možné jej použít.
  • +
  • Data jsou široce dostupná a indexovaná, takže dostanete maximální kredit za vaši práci s přípravou dat + (google, VLO, DataCite, OLAC, Data Citation Index, arXive).
  • +
  • Data lze snadno citovat. Poskytujeme ready-to-use + citace na jeden klik v BibTex formátu, v RIS formátu a dalších populárních citačních formátech. + Všechny citace obsahují stálý odkaz vytvořený z trvalých ("perzistentních") identifikátorů (pro PID používáme systém Handle). + Tyto PID identifikátory jsou i z hlediska budoucnosti bezpečné.
  • +
  • Pro některá data, např. text, korpusy nebo anotované korpusy, nabízíme dodatečné služby, jako fultextové textové hledání nebo vyhledávání ve stromových strukturách (treebancích) pomocí speciálních dotazů.
  • +
+
+ +
+

Proč bych měl ukládat nástroje do repozitáře?

+
    +
  • Viz "Proč bych měl ukládat data do repozitáře?" Vše, co se vztahuje na data, platí i pro nástroje.
  • +
  • Stačí, když s naším repozitářem propojíte (jednodychým URL odkazem) svůj systém pro kontrolu verzí (svn, git), + je-li veřejně přístupný. Můžete také odkazovat na svou stránku projektu nebo stránku, na níž máte demo. +
  • +
+
+ +
+

K čemu je dobrý systém Handle (PID)?

+

Je to specifická permanentní adresa typu URL. Poskytuje stálý odkaz, který bude fungovat správně, i když budou data v nějaké vzdálené budoucnosti přesunuta. Z tohoto důvodu by se měla v citacích používat právě permanentní adresa typu URL.

+
+ +
+

Jaký je vlastní postup ukládání dat a jejich archivace?

+

V průběhu ukládání digitálních jazykových zdrojů do repozitáře procházejí data kurátorským procesem s cílem zajistit jejich kvalitu a konzistenci. + Pomůžeme vám při plnění nezbytných požadavků na dlouhodobou archivaci zdrojů. Data musí být především opatřena metadaty ve standardních formátech + přijatých příslušnými komunitami; musí být opatřena perzistentními identifikátory (PID), musí u nich být vyřešeny otázky práv k duševnímu vlastnictví, musí být opatřena jasnými prohlášeními ohledně udělování licencí a také musí být správně ošetřeno, pokud jste vkládaná data vytvořili za použití dalších zdrojů. +Vkladatel musí elektronicky podepsat licenci (smlouvu) o ukládání dat, čímž potvrzuje, že je držitelem práv k datům, a že má právo udělovat práva uvedená v licenci přiřazené k těmto datům vkladatelem. + Jakmile jsou data po kontrole uložena v repozitáři, je jim přiřazen PID jako trvalý odkaz.

+
+ +
+

Co když chci/potřebuji aktualizovat archivovaná data?

+

Každá změna zdrojů a metadat by měla být uložena jako nová verze s novým PID. + Nicméně v případě, že změny jsou minimální (např. překlepy nebo jasné chyby), obraťte se na naši Linku podpory a uveďte PID daného uložení dat a změny, které chcete zanést. Je na redakci repozitáře rozhodnout, zda tyto vaše změny bude možno redakcí provést, nebo zda vás požádáme o vložení nové verze příspěvku jako nové položky.

+
+ +
+

Co když chci v budoucnu svá data odstranit? Mohu je smazat?

+

Ano, v tomto případě kontaktujte naši Linku podpory a uveďte PID příspěvku a důvod odstranění dat. + Referenci o tom, že data byla v našem repozitáři uložena (protože byl vydán trvalý identifikátor - PID), budeme ovšem archivovat; +administrativní metadata budou zachována a my tak budeme vědět, že vlastní data byla odstraněna.

+
+ +
+

Začali jsme budovat náš vlastní repozitář, můžeme nějak přesunout data uložená v LRT kolekci?

+

Můžeme vytvořit stínovou stránku přesunutých dat a můžeme na ni přidat upozornění o tom, že zdrojová data jsou nyní přesunuta na nové místo. + Data tak budou v našem repozitáři skryta a nepůjde v nich ani hledat, ani je nebude možné procházet a používat (např. přes OAI-PMH), jejich PID však stále existuje. + PID však po přesunu dat odkazuje jen na datovou položku v našem repozitáři (a metadata tam uložená), nikoli na skutečná data. + Pro více podrobností se prosím obraťte na Linku podpory.

+
+ +
+

Nechci/nemohu mít data veřejně dostupná, anebo je nemohu uveřejnit po určitou dobu. Budete je moci archivovat i za těchto podmínek?

+

V souladu s ideou výzkumných infrastruktur a s obecným postojem k otevřenému přístupu (Open Access) důrazně vybízíme producenty dat, aby byli maximálně otevření. + + Za určitých okolností však můžeme přistoupit na vložení vašich dat, i když nebudou veřejně dostupná nebo nebudou dostupná hned. Pokud vkládáte taková data a nenajdete-li vhodnou licenci v našem seznamu, obraťte se prosím ještě před dokončením procesu ukládání dat na naši Linku podpory.

+
+ + +
+

Jak citovat příspěvek?

+

Viz naše pravidla.

+
+ +
+

Pokud uložím data v repozitáři, jak jsou zabezpečena?

+

Zcela bezpečná, pravděpodobně mnohem bezpečnější než ve vašem počítači. V našem repozitáři platí následující pravidla bezpečnosti dat:

+
    +
  • Všechna data v repozitáři mají ještě lokální záložní kopii.
  • +
  • Existuje ještě další kopie, která je mimo repozitář, takže i úplné zničení naší budovy nezničí data.
  • +
  • Pravidelně kontrolujeme všechny kopie, a pokud u kterékoli z nich dojde k poškození, smažeme ji a vytvoříme novou.
  • +
  • Uchováváme nejméně tři kopie, přičemž jedna z nich je za všech okolností uchovávána mimo fyzické umístění repozitáře.
  • +
+
+ +
+

Jakou licenci si mám pro svá data/nástroje vybrat?

+

+ Doporučujeme používat bezplatnou, otevřenou licenci. Reprezentativní výběr bezplatných +licencí na sofwarové nástroje a CC licencí (vhodnějších pro data) je +k dispozici přímo během ukládání dat. Máme k dispozici OPEN License Selector, který vás provede výběrem vhodných licencí.
+ Pokud potřebujete z určitých důvodů jinou licenci, kontaktujte nás. +

+
+ +
+

Kde najdu více informací o podporovaných licencích?

+

+ Seznam licencí, které jsou v současné době podporovány, najdete zde. + Pokud potřebujete jinou licenci (např. s elektronickým podpisem apod.), neváhejte nás kontaktovat. + V případě odůvodněné potřeby jsme schopni přidat do seznamu licencí i takové licence, které jsou doprovázeny různými požadavky, např. omezení na přihlášené uživatele, plnění dalších podrobností (účel) apod. +

+
+ +
+

Proč upřednostňujeme skutečné autory před institucemi?

+

+ Není to o kontaktu, je to věc citací, kreditu a důvěry. Proto máme samostatná metadata pro autory a pro kontaktní osoby. +Kontakt na "institucionální" Linku podpory pro vaše data je skvělý, ale zároveň je nutné citovat autory dat a vědeckých prací. Náš repozitář dává přednost přímým citacím dat + (https://www.force11.org/datacitation). + Proto jim udělujeme PID identifikátory, vytváříme formátované citace atd. To je také důvod, proč chceme v metadatech mít přímo autory dat. Ti získají citace svých děl a ostatní vědci zas na oplátku budou vědět, na čí práce spoléhají. +

+
+ +
+

Jak získám co nejvíce vyhledávek?

+

+ Na rozdíl od jiných vyhledávačů v metadatech ten náš používá OR coby defaultní operátor; viz příklady níže. Pokud nebudete spokojeni s výsledky svých vyhledávek, budete možná chtít jít nad rámec prostého textového vyhledávání stylem online vyhledávačů. + Můžete vyhledávat pouze v některých polích metadat, používat negaci a mnoho dalších možností. + V repozitáři používáme vyhledávač SOLR, takže pokud znáte jeho syntax, používejte ji, nebo si ji vyhledejte v dokumentaci. +

+

Příklady

+

+

+ +
PDT wordnet vs PDT AND wordnet
+
Defaultním operátorem je OR; tj. první příklad hledá PDT OR wordnet ve všech textových polích.
+
dc.title:P?T && -dc.title:WordNet
+
Vrátí všechny položky, které mají P?T v názvu - ? zastupuje jakýkoli znak (např. PDT) - a nemají v názvu WordNet
+
dc.title:"Czech WordNet"
+
Použijte uvozovky (") pro přesné shody nebo pro víceslovné výrazy
+
autor:(Bojar && -Tamchyna) && (dc.language.iso:(ces AND eng) OR language:(czech AND english))
+
Hledejte položky od jednoho autora a ne od jiného; zajímavé jsou jen ty položky, které jsou v českém a zároveň anglickém jazyce (např. paralelní korpus).
+
+

+
+
+

Nová verze/změny v datech

+

Jak se můžete dočíst v jiných částech nápovědy k repozitáři, neumožňujeme měnit zveřejněná data. Je + potřeba vytvořit nový záznam (verzi). +

+
+
+ diff --git a/src/static-files/cs/item-lifecycle.html b/src/static-files/cs/item-lifecycle.html new file mode 100644 index 00000000000..69f28a76c02 --- /dev/null +++ b/src/static-files/cs/item-lifecycle.html @@ -0,0 +1,68 @@ +
+ +

Životní cyklus položek v repozitáři

+ +
+ +
+ +
+

Nově vložené příspěvky

+

Jakmile příspěvek vložíte, je zařazen do kolekce všech vložených příspěvků. Příspěvek zatím není veřejně přístupný a čeká, až ho redaktor schválí (nebo zamítne). +

+
+ +
+

Příspěvky procházející kontrolou

+

Úkolem redaktora repozitáře je ověřit, zda příspěvek splňuje naše požadavky ohledně kvality a úplnosti metadat, konzistence souboru(ů) s daty a ohledně práv k duševnímu vlastnictví (IPR). Redaktor může příspěvek autorovi (vkladateli příspěvku) vrátit a popíše mu, jaké změny v příspěvku požaduje. Tento krok se opakuje, dokud redaktor příspěvek neschválí. Ze schváleného příspěvku se pak stane příspěvek publikovaný. +

+
+ +
+

Publikované příspěvky

+

Publikovaný příspěvek získá PID (trvalý "perzistentní" identifikátor), který se používá pro reference a citace, např. + http://hdl.handle.net/11858/00-097C-0000-0022-F59C-8. LINDAT repozitář zajistí, že PID (přesněji řečeno, pro PID používáme http proxy) vždy povede na platnou webovou stránku (i v případě, že současná infrastruktura serveru bude změněna nebo přesunuta jinam). +

+ +

+ +Publikované příspěvky jsou k dispozici v našem vyhledávacím rozhraní, v režimu prohlížení. Metadata všech datových položek jsou zpřístupněna obecným internetovým vyhledávačům a jsou také k dispozici prostřednictvím protokolu OAI-PMH (mnohé instituce využívají náš repozitář právě pro získání a agregaci uložených metadat), např. http://catalog.clarin.eu/vlo/). Prostřednictvím protokolu OAI-ORE jsou k dispozici rovněž datové soubory veřejných příspěvků (pro data s omezeným přístupem viz Příspěvky s omezeními). +

+
+ + +
+

Mazání a úprava publikovaných příspěvků

+

O vymazání publikovaných příspěvků může požádat kdokoli; ale jednotlivé žádosti budou vyhodnocovány případ od případu. + Vyhrazujeme si právo ponechat metadata publikovaných příspěvků k dispozici v případě, že neexistuje žádný zvláštní důvod, proč je odstranit. Takový postup by byl proti pojetí persistentních identifikátorů - PID. + Všechny identifikátory PID zůstávají i po vymazání příspěvku k dispozici přes systémové rozhraní OAI-PMH, i když pak lze získat jen informaci o tom, že příspěvek byl vymazán. +

+ +

Přes naši Linku podpory umožňujeme provést drobné změny v příspěvcích (např. opravu překlepů v dokumentaci). I zde záleží na konkrétním případu a rozsahu změny. + Pokud jde o větší změny, vkladatel příspěvku je obvykle vyzván, aby předložil + novou verzi + příspěvku. Zároveň zařídíme, aby z metadat původní položky vedl odkaz na novou verzi, a původní položka bude pak označena jako "zastaralá". +       +

+
+ +
+

Příspěvky s omezeními

+

Pokud není možné, obvykle z důvodu nejasného nebo omezeného právního statusu části dat, která ukládáte do repozitáře, přiřadit datům nebo nástroji otevřenou licenci, je možné dohodnout takovou restriktivní (omezenou) licenci, která bude vyžadovat explicitní souhlas uživatele s jejími podmínkami. Zdůrazňujeme, že toto nelze aplikovat na metadata položky - ta jsou vždy veřejně a otevřeně dostupná. + Podporujeme tedy i takové restriktivní licence pro balíčky souborů s daty, které vyžadují před stahováním "elektronický podpis." + Tyto elektronické podpisy uchováváme pro případy sporů o porušení práv k duševnímu vlastnictví.

+ +

Podívejte se na licence, které jsou v současné době k dispozici, nebo nás kontaktujte, pokud budete chtít nějakou speciální licenci přidat. +

+ +

Podporujeme také (dočasné) embargo na balíčky souborů s daty, což znamená, že je zpřístupňujeme veřejnosti až po určité době, kterou můžete při vkládání nastavit.

+
+ +
+ diff --git a/src/static-files/cs/metadata.html b/src/static-files/cs/metadata.html new file mode 100644 index 00000000000..18d425c1503 --- /dev/null +++ b/src/static-files/cs/metadata.html @@ -0,0 +1,166 @@ +
+ +

O metadatech

+

Tato stránka poskytuje informace o tom, jaká metadata používáme (a tedy požadujeme po vkladatelích dat) a jak je zpřístupňujeme. Metadata jsou volně přístupná a jsou distribuována ve veřejné doméně pod CC0. Vyhrazujeme si ale právo být na naší Lince podpory informováni o komerčním využití všech metadat z LINDAT/CLARIAH-CZ repozitáře, včetně podrobného popisu jejich použití.

+ +
+ +
+
+

Formáty metadat

+

+ Během procesu vkládání příspěvku musí vkladatelé vyplnit také metadata, která jsou nedílnou součástí vloženého příspěvku (dat, nástrojů nebo služeb). Jsme schopni šířit metadata v různých formátech, včetně (a nejenom) CMDI a oai_dc. Viz úplný seznam podporovaných formátů. Je třeba mít na paměti, že některé formáty nemusí být použitelné pro všechny položky. Různé formáty nám pomáhají zpřístupnit tato metadata (a tedy "zviditelnit" příslušné položky) ve velkém množství agregátorů, specializovaných portálů i běžných vyhledávačů. +

+

CMDI

+

+ Podívejte se na úvod do CLARINovských komponent metadat, kde získáte více informací k tomuto tématu. +

+

+ Naše současné příspěvky dodržují clarin.eu:cr1:p_1403526079380 schéma. Část starších příspěvků (v podstatě všechny ty, které byly vloženy před zářím/říjnem 2014) používá jiné schéma clarin.eu:cr1:p_1349361150622. Nové schéma jsme vytvořili proto, abychom vkladatelům zjednodušili a zpřehlednili postup vyplňování metadat. Původní schéma kombinovalo složku OLAC a MetaShare. Toto schéma nás nutilo zvládat duplicity a také nás činilo závislými na cizím schématu matadat a jeho sémantice, které jsme nemohli ani ovlivnit, ani měnit. +

+

+ Obě schémata jsou poměrně dobře pokryta odkazy na registr konceptů (základních pojmů a definic). Nyní zastaralé odkazy ISOcat DCR byly přesměrovány na CCR a odkazy na schémata komponentů OLAC byly přesměrovány na DCMI terms schémata (např. odkaz na abstrakty je na http://purl.org/dc/terms/abstract). VLO nepoužívá tato specifická schémata při svých mapováních a spíše mapuje cesty uvnitř jednoho konkrétního schématu. Jen pro některé specifické položky bylo toto mapování cest rozšířeno, aby fungovalo také s komponentou tohoto schématu. Dalším důvodem pro vytvoření vlastního schématu byla skutečnost, že DC (Dublin Core) koncepty byly stále příliš široké. +

+

Podporujeme příspěvky s libovolnými CMDI soubory metadat, které se používají v OAI-PMH, pokud je pro metadata požadováno schéma CMDI.

+

Požadavky ve výše uvedených odstavcích by vás mohly odradit od opakovaného použití clarin.eu:cr1:p_1349361150622. Pro opakované použití jeho specifických komponent ale nezapomínejte, co již bylo o mapování VLO řečeno. clarin.eu:cr1:p_1403526079380 s mapováním VLO již počítal při svém vzniku (i když to se může změnit), ale dosud stále odráží náš pohled na svět (jazykových zdrojů) a konkrétní případy použití. Pokud nemáte specifické potřeby, může být toto schéma pro vás dostačující, nebo může být základem pro vaše vlastní schéma.

+

oai_dc

+

oai_dc je formát, který je vyžadován schématy OAI-PMH. Mapování našich příspěvků na tento formát vysvětlujeme v sekci o mapování.

+
+
+
+

Vložená metadata

+

Následující seznam je výčtem polí, která požadujeme v průběhu vkládání příspěvků (v seznamu může v budoucnu dojít ke sporadickým změnám). + Metadata jsou ukládána v angličtině. Existují jemné rozdíly v závislosti na typu zdroje, který je ukládán do repozitáře. Ne všechna pole se týkají všech formátů. Některá pole jsou generována automaticky (např. jména jazyků čitelná pro člověka obsahují ve skutečnosti iso kódy, jiné mohou obsahovat identifikátory a jiné údaje).

+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Jméno polePopisStatus
TypTyp zdroje: "Korpus" odkazuje k textovým, mluveným a multimodálním korpusům. + "Lexikální koncepční zdroj" zahrnuje lexikony, ontologie, slovníky, seznamy slov apod. + "Popis jazyka" pokrývá jazykové modely a gramatiky. + "Technologie / nástroje / služby" se používá pro nástroje, systémy, systémové komponenty atd.vyžadováno
NázevHlavní název položky.vyžadováno
URL projektuURL zdroje/projektu vztahující se ke vkládané položce (např. stránka projektu). Specifikováno reg. výrazy (začíná písmeny http/https)specifikováno reg. výrazy
URL demoverzeUkázky, vzorky nebo (v případě nástrojů) např. URL vzorku výstupu. Specifikováno reg. výrazy (začíná písmeny http/https)specifikováno reg. výrazy
Datum vydáníDatum vydání příspěvku, pokud existuje, např. 2014-01-21 nebo alespoň rok.vyžadováno
AutorJména autorů položky. U kolekcí (např. korpusů nebo jiných větších databází textu nebo u jiných velkých databází textu) obvykle chcete uvádět jména všech osob zapojených do sestavování kolekce, ne autory jednotlivých částí. Jméno osoby je uloženo jako příjmení, čárka, další jména nebo části jména (např. "Smith, John Jr.").vyžadováno opakovatelně
VydavatelNázev organizace/subjektu, která publikovala předchozí verzi(-e) dané položky, nebo název vaší domovské instituce.vyžadováno opakovatelně
Kontaktní osobaOsoba, kterou je možné kontaktovat v případě problémů s příspěvkem. Někdo, kdo je schopen podat informaci o zdroji, např. jeden z jeho autorů nebo "vkladatel" příspěvku. Tento údaj je uložen jako strukturovaný řetězec obsahující jméno, příjmení, e-mail a domácí organizaci.vyžadováno opakovatelně
FinancováníSponzoři a financování podporující vkládaný příspěvek + Tento údaj je uložen jako strukturovaný řetězec obsahující jméno projektu, kód projektu, organizaci provádějící financování, typ financování (vlastní/národní/EU/...) a OpenAIRE identifikátor (který je uložen také v dc.relation)opakovatelně
PopisTextový popis příspěvku (celé položky).vyžadováno
JazykJazyk(y) hlavního obsahu položky. Uloženo jako ISO 639-3 kód. Vyžadováno pro korpusy, lexikální koncepční zdroje a popisy jazyka.opakovatelně vyžadováno v závislosti na typu položky
Klíčová slovaKlíčová slova nebo fráze týkající se předmětu položky.opakovatelně vyžadováno
VelikostRozsah předložených údajů, např. počet tokenů, nebo počet souborů.opakovatelně
Typ médiaTyp média hlavního obsahu položky, např. text nebo zvuk. Rozevíratelý (dropdown) výběr, vyžadováno pro korpusy, lexikální koncepční zdroje a popisy jazyka.rozevíratelý (dropdown) výběr vyžadováno v závislosti na typu položky
Detailní typDalší klasifikace zdroje. Rozevíratelý (dropdown) výběr, vyžadováno pro korpusy, lexikální koncepční zdroje a popisy jazyka.rozevíratelý (dropdown) výběr vyžadováno v závislosti na typu položky
Jazykově závisléLogická hodnota indikující, zda popsané nástroje/služby jsou jazykově závislé nebo ne. Povinné pro nástroje. vyžadováno v závislosti na typu položky
+
+
+
+

Mapování metadat

+

Následující tabulky obsahují mapování příspěvků mezi oai_dc, a uvádějí také některé z důležitých automaticky generovaných polí.

+ + + + + + + + + + + + + + + + + + + + + +
Pole příspěvkuNamapované pole
Typdc.type
Názevdc.title
URL projektudc.source
URL demoverzenemapováno
Datum vydánídc.date
Autordc.creator
Vydavateldc.publisher
Kontaktní osobanemapováno
Financovánínemapováno
Popisdc.description
Jazykdc.language
Klíčová slovadc.subject
Velikostnemapováno
Typ médianemapováno
Detailní typnemapováno
+ + + + + + + + +
Generované polePopis
dc.identifikátorPID (v současnosti systém handle) zdroje.
dc.právaOpakovatelné pole může obsahovat název licence, pod kterou je zdroj distribuován, URL odkaz k plnému textu licence a takzvaný obecný licenční typ (PUB, ACA, RES)
+
+
diff --git a/src/static-files/deposit.html b/src/static-files/deposit.html new file mode 100644 index 00000000000..e11af3c4f20 --- /dev/null +++ b/src/static-files/deposit.html @@ -0,0 +1,150 @@ +
+ + +

How to Deposit

+
Only authenticated users can deposit items. If you cannot find your home organisation in the + Login dialog list of organisations then register at clarin.eu + and authenticate using "clarin.eu website account". In case you cannot use any authentication method above or + if you encounter a problem, do not hesitate to + contact our Help Desk and we can create a local account for you. +
+
+ The guide below describes new submissions, if what you plan to submit is a new version of a resource + already available in the repository see the + new version guide. +
+
+

Step 1: Login

+

To start a new submission you have to login first. Click Login under My Account in the right menu panel.

+ +
+ +
+

Step 2: Starting a new submission

+

Now you have a new menu item 'Submissions' under My Account. Click on Submissions to go to the Submissions screen.

+ +

Now you should be on the main Submission and Workflow tasks page where you can view your incomplete/archive submissions. Click on the 'Start another submission' link to start a new Submission.

+ +
+ +
+

Step 3: Select type of your submission

+

You have initiated a new workflow item. In the next few steps you will provide the details about the item and upload content files. First select the type of the resource you are about to submit.

+ +

Click on one of the type buttons e.g. Corpus. Proceed with filling the basic information such as the title. Click Next to continue the following step.

+
+ +
+

Step 4: Describe your item

+

In the following two steps you will provide more details for your item. First describe the people, organization and projects involved with the item.

+ +

Next add your description, fill the language, etc.

+ +

Once you filled the necessary information, click Next to upload the content files.

+
+ +
+

Step 5: Upload files

+

In this step you will upload the content files of your submission. If there are no files, you can skip this step by clicking + Next. The files can be added by clicking the browse button or you can drag and drop files in the gray area with text 'Drag and Drop file(s) here'.

+ +

Selecting files will open a dialog box, where you can enter the description of each file. To begin the file upload +click 'Start Upload'.

+

Once the file(s) upload is done, press OK to close the dialog box. You can add more files or delete/modify the already uploaded ones, + after you finish press Next to continue with the License selection.

+
+ +
+

Step 6: Select Licenses

+

If you uploaded at least one file, you must select + a license under which you want your resources to be distributed in this step (data without + license is unusable because a user does not know how can he/she use it!). + Please read the Distribution agreement carefully + and click the red box to indicate your agreement (it will turn green). +

+ Select the appropriate license from the dropdown list, if you already have decided on the license; + + or use the OPEN License Selector, which will help you choose by asking few questions about the submission and your requirements + + If none of the licenses suits your needs contact our + Help Desk.

+ +
+

For datasets that require license signing

+ + While we prefer open data and open source software, we understand it is not always possible. + We can ensure that users must authenticate and sign a license in order to download your data + (see Restricted Submissions). + If you need more information about the users than the fact that they authenticated via a + university (or similar), we can ask for some specific attributes similar to standard + web forms. This makes sense mostly for data with "no redistribution" clause in their license. +
+ +

Click Next to continue.

+
+ +
+

Step 7: Leave a note

+

You can leave a note for the reviewer in this step.

+
+ +
+

Step 8: Review your submission

+

In this step you will review your submission before submitting it. Review page contains a sub-review panel for each of the + step you have filled in before. If you want to change any field in a particular step just click Correct one of these and it will + take you directly to the particular step page. Once you verify all the detail, submission can be made by clicking Complete Submission + or you can click Save & Exit to save the submission for continue working on it later.

+
+ +
+

Step 9: Submit

+

Once you click the Complete Submission in the review step, item will be submitted for the reviewing by the editors. Once + the editors approve the item it will appear in the repository. In case of any query regarding the submission, editors will contact + you for the further detail.

+
+
diff --git a/src/static-files/disco-juice.html b/src/static-files/disco-juice.html new file mode 100644 index 00000000000..2ec1484fb3d --- /dev/null +++ b/src/static-files/disco-juice.html @@ -0,0 +1,76 @@ + + + + + + + IdP Discovery Response Receiver + + + + + + + + diff --git a/src/static-files/faq.html b/src/static-files/faq.html new file mode 100644 index 00000000000..03b84df5ab1 --- /dev/null +++ b/src/static-files/faq.html @@ -0,0 +1,263 @@ +
+ +

Frequently Asked Questions

+ +
+ +
+ +
+

What is the repository?

+

It is like a library for linguistic data and tools.

+
    +
  • Search for data and tools and easily download them.
  • +
  • Deposit the data and be sure it is safely stored, everyone + can find it, use it, and correctly cite it (giving you credit)
  • +
+
+ +
+

What submissions do we + accept?

+

We accept any linguistic and/or NLP data and tools: corpora, + treebanks, lexica, but also trained language models, parsers, taggers, + MT systems, linguistic web services, etc. We do not strictly require + you to upload the data itself, although it is always better to do it. + Still, you can make a metadata-only record, if required. We also + support online license-signing for immediate availability of + restricted resources.

+

+ When uploading language resources, please try to use one of the recommended formats + mentioned in LRT Standards. +

+
+ +
+

Do + I need to create an account to download and/or make a submission?

+
    +
  • You can download data and tools with a + license that allows free sharing without any obstacles. Just read + the license and download. This applies to all data with Creative Commons and + tools with open source + licenses. +
  • +
  • To download data and tools that require you to sign a + license, you need to log in. To make a submission, you also need to + log in. However, if you are from the academic world, you probably don't + need any new account.
  • +
  • Just click "Login" and search for + your academic institution. To sign in, you can use any account with + an Identity Provider that is a member of EduGAIN federation.
  • +
  • If you don't have an academic account that works with us, let + us know. We will make you a local account.
  • +
+
+ +
+

I see an error logging in

+

Please let us know through our Help Desk, if you have any trouble logging in.

+

Occasionally (usually when you are the first one logging in using your home institution) you might see an error stating "The authentication was successful; however, your identity provider did provide neither your email, eppn nor targeted id." This means your home institution did not send us enough data about you to operate our service; the institution is doing so to protect your personal data. We only require an email and we are following Data Protection Code of Conduct, which helps us convince the institution we won't abuse data about you.

+

If you have an account with multiple providers and you login with different one each time, you might see error stating "Your email is already associated with a different user.". Please try to use the same provider each time, if that is not possible, let us know and we'll change the default one.

+
+ +
+

Why + should I submit my data into your repository?

+
    +
  • It is free and safe.
  • +
  • We respect your license. We encourage Free Data and believe + it benefits not only users, but also the data providers. However we + accept also more closed data and we can make users sign a license + before downloading your data, if that is what you need.
  • +
  • The data is visible, giving you maximal credit for your work + (google, VLO, DataCite, OLAC, Data Citation Index, arXive).
  • +
  • The data is easy to cite. We provide ready-to-use + one-click citations in BibTex, RIS, and other popular reference + formats. All the citations include permanent links created from persistent identifiers (we use handles for PIDs). + These PIDs are future-proof. +
  • +
  • For some data, like text corpora or treebanks, we can provide + additional services, like full-text or even tree-query search.
  • +
+
+ +
+

Why should I submit my + tools?

+
    +
  • See "Why should I submit my data into your + repository?". Everything applies to software tools too.
  • +
  • You can just link your version control system (svn, git), + if it is publicly accessible. You can also link your project + page, or demo site.
  • +
+
+ +
+

What is the PID (handle) good for?

+

It is a special permanent URL. It provides a permanent link that + will resolve correctly even if in some distant future the data is + moved. Thus it should be used as URL in citations.

+
+ +
+

What is the actual depositing/archiving procedure?

+

During the submission of digital language resources to the repository, the data undergo a curation + process in order to ensure quality and consistency. We assist you in meeting necessary requirements + for sustainable resource archiving. Data have to be provided with metadata in standard formats + accepted/adopted in the respective communities, persistent identifiers (PIDs) have to be assigned, IPR + issues have to be resolved and clear statements with regard to licensing and possible use of the + resources are to be made. + + The depositor is also required to electronically sign a deposition agreement acknowledging the + (s)he is the holder of rights to the data and that (s)he has the right to grant the + rights contained in this licence. + + Once the data is indeed deposited in the repository it is assigned a PID for stable reference.

+
+ +
+

What if I want/need to update the archived data?

+

Every change to the resources and metadata should be stored as a new version with a new PID. + However if the changes are minimal (e.g., typos or clear mistakes) then contact our Help Desk with + the submission PID and the changes which should be made. It is up to the reviewer to decide whether these changes + should result in a new version or not.

+
+ +
+

What if I want to withdraw the resources in the future? Can I delete the data?

+

Yes, in this case contact our Help Desk with the submission PID and the reason. + However, we need to keep a reference that the data was in our repository (because a persistent identifier was issued), so the + administrative metadata will be retained indicating that the data itself were removed.

+
+ +
+

We have started our own repository, can we somehow move records submitted to the LRT collection?

+

We can create a tombstone page for the moved record and we can add a notice to that page saying the resource is now at a new location. + The submission is effectively hidden from search, browse and harvesting (oai-pmh), but the PID still resolves. + Thus instead of the actual data, we show a link to the item in your repository. + Please contact the Help Desk for more details.

+
+ +
+

I don't want / cannot make the data publicly available or make + them available after a specific date. Would you still archive them for me?

+

In accordance with the advocacy of the research infrastructures and the general development + with respect to Open Access, we strongly encourage the data producers to be as open as possible. + + However, in other circumstances we will archive your data even if they will not be publicly available. Please, contact + our Help Desk prior to completing the submission.

+
+ + +
+

How to cite a submissions?

+

See our policies.

+
+ +
+

How safe is my + data, if I store it with you?

+

Quite safe, probably much more than in your computer. Our + storage plan:

+
    +
  • All the data in the repository have an on-site backup copy.
  • +
  • There is another off-site copy, so even complete destruction + of our building does not destroy your data.
  • +
  • We check all the copies regularly and should any of them + become corrupted we delete it and make a new one.
  • +
  • We keep at least three copies, one of them off-site, at all + times
  • +
+
+ +
+

What license + should I pick for my data/tool?

+

+ We encourage using a free license. A representative selection of free + licenses as well as CC licenses (more appropriate for data) is + available directly during submission. There is a great OPEN License Selector which can guide you through the selection of appropriate license.
+ If for some reason you need a different license, Contact Us. +

+
+ +
+

Where can I find more information about supported licenses?

+

+ The list of licenses currently supported is here. + However, do not hesitate to Contact Us + in case you need your specific license. The licenses can be accompanied by various requirements; eg. limiting to logged in users, filling additional details (purpose) etc. +

+
+ +
+

Why do we strongly prefer real authors to institutions?

+

+ It is not about contact, it is about citations, credit and trust. That is why we have separate metadata + fields for authors and for contact person. Contact to a helpdesk is perfect, not acknowledging the + authors of a scholarly work is not. We support the direct citation of data + (https://www.force11.org/datacitation). + That is why we also give them PIDs, create formatted citations, etc. That is the reason we really want proper + authors, so that they get citations and other scientists know whose work they rely on. +

+
+ +
+

How do I get the most of my searches?

+

+ In contrast to other search engines this one uses OR as a default operator; see examples below that clarify this. If you are not satisfied with the results of your searches, you might wish to go beyond plain text searches. + You may search only in certain fields, use negation, add score (emphasis) to some parts of the query and match + more. The search engine is SOLR so use it's syntax if you know it or check it in the documentation. +

+

Examples

+

+

+ +
PDT wordnet vs PDT AND wordnet
+
The default operator is OR; ie. the first example searches for PDT OR WordNet in all text fields.
+
dc.title:P?T && -dc.title:WordNet
+
Returns all items having P?T in title - ? stands for any character (eg. PDT) - and not having WordNet in the title
+
dc.title:"Czech WordNet"
+
Use double quotes (") for exact matches and multiword expressions
+
author:(Bojar && -Tamchyna) && (dc.language.iso:(ces AND eng) OR language:(czech AND english))
+
Search for items by one author and not the other; interesting are only items about both czech and english languages.
+
+

+
+
+

New versions/updating submitted data

+

As you may have read elsewhere in the repository help, we do not allow changes in the data after a + submission was published. You need to create a new one by creating a new version. +

+
+
+ diff --git a/src/static-files/item-lifecycle.html b/src/static-files/item-lifecycle.html new file mode 100644 index 00000000000..297953b8961 --- /dev/null +++ b/src/static-files/item-lifecycle.html @@ -0,0 +1,82 @@ +
+ +

Deposited Item Lifecycle

+ +
+ +
+ +
+

Submitted Item

+

After you deposit a submission it will be inserted into a + pool of submitted items. The item is not publicly available and waits for an editor + to approve (or reject) it. +

+
+ +
+

Edited Item

+

The task of the editor is to verify whether the submission meets our requirements in respect to + metadata quality and completeness, bitstream consistency and IPR. The editor can return the submission to the data depositor + describing the needed changes. This step is repeated until the editor approves the item. The approved item becomes a + published item. +

+
+ +
+

Published Item

+

A published item obtains a PID (persistent identifier) which should be used for referencing and citing e.g., + http://hdl.handle.net/11858/00-097C-0000-0022-F59C-8. The LINDAT repository will ensure that + the PID (more precisely, we use http handle proxy of the PID) will be resolved into a working web page (even if the current + server infrastructure changes or is moved) + describing your resource. +

+ +

+ Published items are available through our search interface, browsing mode. Metadata of all items are submitted to + search engines and are available through OAI-PMH protocol (several institutes harvest our repository for item's metadata + e.g., http://catalog.clarin.eu/vlo/). Bitstreams of public submissions + (see Restricted Submissions) are also available through OAI-ORE protocol. +

+
+ + +
+

Deleting and Modifying of Published Item

+

Anybody can request deletion of published items; however, these will be evaluated on case-by-case basis. + Furthermore, we reserve the right to keep the metadata of published submissions available + in case there is no specific reason why to delete the metadata. The reason is that it is against + the concept of PIDs (persistent identifiers). + All PIDs are available through OAI-PMH interface even if only to inform that the item + has been deleted. +

+ +

We allow for minor edits of the submission (e.g., typos) through our Help Desk. These are also + evaluated on case-by-case basis. For major changes, the user is requested to submit a + new version + of that item and we will indicate in the metadata that it is replaced by a newer version. +

+
+ +
+

Restricted Submissions

+

First of all, all metadata are always publicly available. We + support open access submissions; however, we also support + restrictive licences for bitstreams which require e-signing before downloading the bitstreams. + We keep track of these e-signatures in case there are IPR infringements.

+ +

See currently available licenses or ask us + to add a specific one.

+ +

We also support putting embargo on bitstreams which means that the bitstreams become publicly available + after specific dates.

+
+ +
+ diff --git a/src/static-files/metadata.html b/src/static-files/metadata.html new file mode 100644 index 00000000000..ecab35dc3d0 --- /dev/null +++ b/src/static-files/metadata.html @@ -0,0 +1,164 @@ +
+ +

About metadata

+

This page provides information about what metadata we require and how we disseminate it. Metadata are freely accessible and are distributed in the public domain (under CC0). However, we reserve the right to be informed about commercial usage of metadata from LINDAT/CLARIAH-CZ repository including a description of your use case at Help Desk.

+ +
+ +
+
+

Metadata formats

+

+ During the submission process, users fill out metadata fields which are stored as a part of the record. We are able to disseminate the submission metadata in various formats including but not limited to CMDI and oai_dc. See the full list of supported formats but note that some of the formats might not be applicable to all items. The various formats help us promote the submitted content in number of aggregators (and/or search engines). +

+

CMDI

+

+ See the CLARIN introduction to component metadata in order to get more information about this topic. +

+

+ Our current submissions are adhering to the clarin.eu:cr1:p_1403526079380 profile/schema. Portion of older submissions (basically those submitted before Sep/Oct 2014) is using different profile clarin.eu:cr1:p_1349361150622. We decided to create the new profile to better reflect the submission process the user goes through. The former one was a combination of OLAC and MetaShare components, which forced us to handle duplicities in various places. It also bounded us to someone else's metadata schema and it's semantics, which we could neither influence nor change. +

+

+ Both profiles are fairly covered with links to a concept registry. The links going to now retired ISOcat DCR were redirected to CCR and the OLAC component's concept links are linking to the DCMI terms concepts (eg. the concept link for abstract is http://purl.org/dc/terms/abstract). VLO is using concept links, mainly/preferably from the CCR, and in some cases explicit XPaths to discover field values. Our older profile was such an explicit case. The XPaths in the vlo mappings were matching only one particular profile. The mappings were later extended (for some facets) so that the xpaths work also with the component derived from that particular profile. This special treatment was one reason for creating a different profile. Another reason for creating our own profile was the fact that DC concepts were still too broad. +

+

However, we are supporting submissions with arbitrary CMDI metadata files that are used in OAI-PMH when the CMDI metadata profile is requested.

+

Various points in the above paragraphs should discourage you from reusing clarin.eu:cr1:p_1349361150622. For reusing it's specific components, keep in mind what was said above about the VLO mapping. clarin.eu:cr1:p_1403526079380 was created with VLO mapping in mind (though this can change), but still reflects our view of the world and our use cases. If you don't gather much more information than is described below, you might find this profile suitable for your needs or as a base for your own one.

+

oai_dc

+

oai_dc is the format required by OAI-PMH. See the mapping section in order to understand how we map our submission to this format.

+
+
+
+

Submitted metadata

+

Following list enumerates the fields we ask in the submission workflow (the list is subject to sporadic changes). The metadata are submitted in English. There are subtle differences depending on the type of the resource being submitted. Not all the fields are present in all the formats. There are fields that are automatically generated (eg. human readable language names acompanying the iso codes, identifiers, other dates).

+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Field nameDescriptionStatus
TypeType of the resource: "Corpus" refers to text, speech and multimodal corpora. + "Lexical Conceptual Resource" includes lexica, ontologies, dictionaries, word lists etc. + "language Description" covers language models and grammars. + "Technology / Tool / Service" is used for tools, systems, system components etc.required
TitleThe main title of the item.required
Project URLURL of resource/project related to the submitted item (eg. project webpage). Regexp controlled (starts with http/https)regexp controlled
Demo URLDemonstration, samples or in case of tools sample output URL. Regexp controlled (starts with http/https)regexp controlled
Date issuedThe date when the submission data were issued if any e.g., 2014-01-21 or at least the year.required
AuthorNames of authors of the item. In case of collections (eg. corpora or other large database of text) you usually want to provide the name of people involved in compiling the collection, not the authors of individual pieces. A person name is stored as surname comma any other name (eg. "Smith, John Jr.").requiredrepeatable
PublisherName of the organization/entity which published any previous instance of the item, or your home institution.requiredrepeatable
Contact personPerson to contact in case of issues with the submission. Someone able to provide information about the resource, eg. one of the authors, or the submitter. Stored as structured string containing given name, surname, email and home organization.requiredrepeatable
FundingSponsors and funding that supported work described by the submission. Stored as structured string containing project name, project code, the funding organization, the type of funds (own/national/eu) and OpenAIRE identifier (which is also stored in dc.relation)repeatable
DescriptionTextual description of the submission.required
LanguageThe language(s) of the main contenten of the item. Stored as ISO 639-3 code. Required for corpora, lexical conceptual resources and language descriptions.repeatabletype-bind required
Subject KeywordsKeywords or phrases related to the subject of the item.repeatablerequired
SizeExtent of the submitted data, eg. the number of token, or number of files.repeatable
Media typeMedia type of the main content of the item, eg. text or audio. Dropdown selection, required for corpora, language descriptions and lexical conceptual resources.dropdown selectiontype-bind required
Detailed typeFurther classification of the resource type. Dropdown selection, required for tools, language descriptions and lexical conceptual resources.dropdown selectiontype-bind required
Language DependentBoolean value indicating whether the described tool/service is language dependent or not. Required for toolstype-bind required
+
+
+
+

Metadata mapping

+

The following tables contains the submission - oai_dc mapping, it also lists some of the important automatically generated fields.

+ + + + + + + + + + + + + + + + + + + + + +
Submission fieldMapped field
Typedc.type
Titledc.title
Project URLdc.source
Demo URLnot mapped
Date Issueddc.date
Authordc.creator
Publisherdc.publisher
Contact personnot mapped
Fundingnot mapped
Descriptiondc.description
Languagedc.language
Subject Keywordsdc.subject
Sizenot mapped
Media Typenot mapped
Detailed Typenot mapped
+ + + + + + + + +
Generated fieldDescription
dc.identifierPID (currently handle) of the resource.
dc.rightsRepeatable field can contain the name of the license under which the resource is distributed, the URL to the full text of the license and so called label (PUB, ACA, RES)
+
+
diff --git a/src/static-files/search.html b/src/static-files/search.html new file mode 100644 index 00000000000..294f665226a --- /dev/null +++ b/src/static-files/search.html @@ -0,0 +1,12 @@ +
+ +

About Search

+

+ + Description of search features.
+ Filters.
+ etc + +

+ +
diff --git a/src/static-files/terms-of-service.html b/src/static-files/terms-of-service.html new file mode 100644 index 00000000000..dd699238b15 --- /dev/null +++ b/src/static-files/terms-of-service.html @@ -0,0 +1,174 @@ +
+ +

CLARIN Terms of Service (v1.0)

+ +
+
+ +

Preamble

+ +

Welcome to ${dspace.name}. This repository service is provided to you by ${lr.description.institution}, located at ${lr.description.location}, hereinafter referred to as CLARIN Centre. The mission of CLARIN is to provide as wide access as possible to language research materials and tools around Europe. To archive this goal, we set some ground rules in this document. By accessing or using, and in consideration of the CLARIN Services provided to you, you agree to abide by the Terms of Use below, which can be updated or modified according to article 9.

+ +

1. Governing Terms

+ +

+ 1.1 The access to and use of CLARIN Services are governed by this Agreement and by its terms and conditions, which are hereby incorporated into its End-User License Agreements. The User's attention is drawn to the provisions limiting access to certain classes of resources. +

+ +

+ 1.2 Any use of the CLARIN Services by means of the User Identity granted by the local identity provider also signifies the User's acceptance of the Terms of Service and the User's agreement to be bound by them. +

+ +

2. Definitions

+ +

+ 2.1 All terms used in this Agreement, unless specifically defined herein, will have the meanings attributed to them in this Agreement. The following terms shall have the following meaning: +

+ +

+ "Authorised Use" means use by a User who is accessing the CLARIN Services via the identity provided by a national identity provider. +
+ "Academic Use" means use by a User who fulfils the criteria set by the national identity providers for Academic users and defined by CLARIN ERIC. +
+ "Non-Commercial Use" refers to any use that does not generate income or is not used to promote the generation of income. +
+ "User Identity" refers to the identity granted by a local identity provider or a CLARIN Centre of type A or B. +

+ +

3. Access to CLARIN Services

+ +

+ 3.1 CLARIN hereby grants the User a limited non-exclusive non-transferable licence to access and use CLARIN resources under the terms of this Agreement and via the chosen User Identity. +

+ +

+ 3.2 Access to certain Features and Databases may be restricted by CLARIN. +

+ +

+ 3.3 The User will be responsible for all access to CLARIN by means of the chosen User Identity whether or not the User has knowledge of such access and use. CLARIN reserves the right to cancel any User Identity without notice. +

+ +

+ 3.4 The User understands and acknowledges that the User Identity is for his or her use only and that the User is prohibited from permitting any third party from accessing CLARIN by means of the User Identity. +

+ +

+ 3.5 Content Categories +

+ +

+ CLARIN offers content in three different main categories: +
+ Public Content (PUB) +
+ Academic Content (ACA) +
+ Restricted Content (RES) +
+ The User understands and acknowledges that depending on the content the access may be limited based on this categorization and the User Identity. CLARIN may also require acceptance of additional licensing or usage terms for Academic and Restricted Content. The User agrees to use the content according to the conditions. +

+ +

+ 3.6 Sub-categories +

+ +

+ The offered content may belong to certain sub-categories: +
+

    +
  • Identification and Access conditions +
      +
    • ID: The user needs to be authenticated or identified
    • +
    • AFFIL=x: The user needs to be affiliated with some community, e.g. a community of academic researchers (x=EDU) or a community of language research and technology researchers more generally (x=META)
    • +
    • PERM: The user can only be given permission to use the resource on a case-by-case basis, such as a mandatory fee or a research plan
    • +
    • FF: A fee is required to get access to the resource
    • +
    • PLAN: The right holder requires a research plan for granting access
    • +
    +
  • +
  • General Use conditions +
      +
    • BY: Attribution, i.e. acknowledgement of authorship, is required
    • +
    • NC: The content is available only for non-commercial purposes
    • +
    • INF: Informing the rights holder about the use of the resource is required
    • +
    • LOC: The content is available only at a single location, center, or site?
    • +
    • LRT: The content is available only for language research and technology development
    • +
    • PRIV: There are personal data in the resource
    • +
    +
  • +
  • Distribution conditions +
      +
    • NORED: The user is not permitted to redistribute the resource
    • +
    • DEP: The user is not permitted to redistribute the resource but as an exception to this rule, the user may still distribute modified versions via CLARIN
    • +
    • SA: The resource can be redistributed under similar conditions, i.e. is the license reciprocal
    • +
    • ND: The user is not permitted to make derivate works, i.e. works containing copyrighted parts of the original
    • +
    +
  • +
  • Other conditions +
      +
    • *: There are other non-standard conditions in the license that the user should pay attention to
    • +
    +
  • +
+
+ The User agrees to adhere to these requirements. +

+ +

+ 3.7 Content-Specific Licenses + In addition to the aforementioned categories, some content has its own license (for example a Creative Commons license), which may set additional limitations and requirements. The User agrees to follow these limitations and requirements. +

+ +

4. Research Ethics

+ +

+ The User agrees to observe best practices regarding research ethics. This includes treating colleagues, stakeholders, customers, suppliers and the public respectfully and professionally, taking into account confidentiality when appropriate, respecting cultural differences and having an open and explicit relationship with government, the public, the private sector and other funders. +

+ +

5. Availability of Services

+ +

+ CLARIN disclaims all responsibility and liability for the availability, timeliness, security or reliability of the services, software or other content provided through the CLARIN Services. CLARIN reserves the right to modify, suspend, or discontinue the services or access to the services without any notice at any time and without any liability to you. +

+ +

6. Governing Law and Entire Agreement

+ +

+ These Terms are governed by the laws of ${lr.description.country} without regard to the rules of conflict of law that may cause the laws of another jurisdiction to apply. The User agrees to the sole and exclusive jurisdiction and venue of the ${lr.description.city} District Court of Law in the event of any dispute of any kind arising from or relating to the CLARIN Services, or the User’s use or review of it. However, CLARIN has the right to use the laws of another jurisdiction to get injunctive measures against the misuse of the CLARIN Service. +

+ +

+ The Terms of Service constitute the entire agreement between the parties with respect to the subject matter hereof and supersedes and replaces all prior or contemporaneous understandings or agreements, written or oral, regarding such subject matter. If for any reason a court of competent jurisdiction finds any provision or portion of these Terms to be unenforceable, the remainder of the Terms will continue in full force and effect. +

+ +

7. Data Protection and Privacy

+ +

+ The User agrees to follow the data protection policy of the CLARIN Services. +

+ +

8. Usage Statistics and Automated Querying

+ +

+ CLARIN maintains usage statistics as a measure of readership and other use of the CLARIN Services by authors and researchers. It is a violation of CLARIN policy for a party to directly or indirectly use CLARIN with a view to affecting download and other usage statistics, or to encourage others to do so. As part of its general right to refuse or terminate service and remove or edit the content of the CLARIN Services, CLARIN reserves the right in its sole discretion to limit access, remove content, and adjust usage statistics to respond to any activity that appears likely to have such an effect. +

+ +

9. Amendments

+ +

+ 9.1 If these Terms of Service are modified for legal, administrative or any other reasons, the CLARIN Centre shall notify the users about these amendments by publishing the relevant information on the CLARIN Centre website without unreasonable delay. +

+ +

+ 9.2 If the User continues to use the services after being properly notified about the amendment of the Terms of Service, it implies his consent to the new Terms of Service. +

+ +

10. Termination

+ +

+ If the User violates the letter or spirit of this agreement, or otherwise creates a risk or possible legal exposure for CLARIN, CLARIN can stop providing all or part of CLARIN Services. CLARIN will notify the User at the next time he or she attempts to access the CLARIN Services. +

+ +
+ +