From 1262b571dd2db24aa7c81c74b1eae3654beca271 Mon Sep 17 00:00:00 2001 From: Tom Najdek Date: Thu, 29 Feb 2024 13:01:55 +0100 Subject: [PATCH] Fix "Go to Page" not working in the note editor In order to make this work, two changes had to be implemented: * Reader now redirects to the best attachment if URL is pointing at a non-attachment item * Reader now accepts location via URL --- src/js/actions/attachments.js | 12 +- src/js/actions/navigate.js | 41 +- src/js/common/navigation.js | 10 +- src/js/component/reader.jsx | 72 +- src/js/component/rich-editor.jsx | 14 +- src/js/reducers/current.js | 6 + src/js/routes.js | 16 +- src/js/utils.js | 9 + .../response/test-user-reader-children.json | 142 + .../test-user-reader-parent-item-view.json | 17435 ++++++++++++++++ test/reader.test.jsx | 64 + 11 files changed, 17765 insertions(+), 56 deletions(-) create mode 100644 test/fixtures/response/test-user-reader-children.json create mode 100644 test/fixtures/state/test-user-reader-parent-item-view.json diff --git a/src/js/actions/attachments.js b/src/js/actions/attachments.js index 73018e1b..98dea84e 100644 --- a/src/js/actions/attachments.js +++ b/src/js/actions/attachments.js @@ -1,19 +1,11 @@ import { fetchAllChildItems, fetchChildItems, getAttachmentUrl } from '.'; -import { cleanDOI, cleanURL, get, getDOIURL, openDelayedURL } from '../utils'; +import { cleanDOI, cleanURL, get, getDOIURL, getItemFromApiUrl, openDelayedURL } from '../utils'; import { makePath } from '../common/navigation'; import { PDFWorker } from '../common/pdf-worker.js'; import { REQUEST_EXPORT_PDF, RECEIVE_EXPORT_PDF, ERROR_EXPORT_PDF } from '../constants/actions'; import { saveAs } from 'file-saver'; import { READER_CONTENT_TYPES } from '../constants/reader'; -const extractItemKey = url => { - const matchResult = url.match(/\/items\/([A-Z0-9]{8})/); - if(matchResult) { - return matchResult[1]; - } - return null; -} - const tryGetFirstLink = itemKey => { return async (dispatch, getState) => { const state = getState(); @@ -83,7 +75,7 @@ const pickBestItemAction = itemKey => { const current = state.current; const attachment = get(item, [Symbol.for('links'), 'attachment'], null); if(attachment) { - const attachmentItemKey = extractItemKey(attachment.href); + const attachmentItemKey = getItemFromApiUrl(attachment.href); if (Object.keys(READER_CONTENT_TYPES).includes(attachment.attachmentType)) { // "best" attachment is PDF, open in reader const readerPath = makePath(state.config, { diff --git a/src/js/actions/navigate.js b/src/js/actions/navigate.js index cd8f48ce..e36ee465 100644 --- a/src/js/actions/navigate.js +++ b/src/js/actions/navigate.js @@ -17,6 +17,21 @@ const pushEmbedded = (path) => ({ } }); +const currentToPath = current => ({ + attachmentKey: current.attachmentKey, + collection: current.collectionKey, + items: current.itemKeys, + library: current.libraryKey, + noteKey: current.noteKey, + publications: current.isMyPublications, + qmode: current.qmode, + search: current.search, + tags: current.tags, + trash: current.isTrash, + view: current.view, + location: current.location, +}); + const navigate = (path, isAbsolute = false) => { return async (dispatch, getState) => { const { config, current } = getState(); @@ -27,17 +42,7 @@ const navigate = (path, isAbsolute = false) => { dispatch(pushFn(configuredPath)); } else { const updatedPath = { - attachmentKey: current.attachmentKey, - collection: current.collectionKey, - items: current.itemKeys, - library: current.libraryKey, - noteKey: current.noteKey, - publications: current.isMyPublications, - qmode: current.qmode, - search: current.search, - tags: current.tags, - trash: current.isTrash, - view: current.view, + ...currentToPath(current), ...path }; const configuredPath = makePath(config, updatedPath); @@ -46,6 +51,18 @@ const navigate = (path, isAbsolute = false) => { } }; +const openInReader = (path) => { + return async (dispatch, getState) => { + const state = getState(); + const readerPath = makePath(state.config, { + ...path, + view: 'reader', + }); + + return window.open(readerPath); + } +}; + const selectItemsKeyboard = (direction, magnitude, isMultiSelect) => { return async (dispatch, getState) => { const state = getState(); @@ -235,4 +252,4 @@ const redirectIfCollectionNotFound = () => { } } -export { navigate, navigateExitSearch, redirectIfCollectionNotFound, selectFirstItem, selectItemsKeyboard, selectItemsMouse, selectLastItem }; +export { navigate, navigateExitSearch, openInReader, redirectIfCollectionNotFound, selectFirstItem, selectItemsKeyboard, selectItemsMouse, selectLastItem }; diff --git a/src/js/common/navigation.js b/src/js/common/navigation.js index 379c4d3c..929e1762 100644 --- a/src/js/common/navigation.js +++ b/src/js/common/navigation.js @@ -13,7 +13,10 @@ const tagsToUrlPart = tags => tags.map(t => encodeURIComponent(t)).join(','); const makePath = (config, { library = null, collection = null, items = null, trash = false, publications = false, tags = null, - search = null, qmode = null, view = null, noteKey = null, attachmentKey = null } = {}) => { + search = null, qmode = null, view = null, noteKey = null, attachmentKey = null, + location = null } = {} + ) => { + const path = []; if(library !== null) { @@ -67,6 +70,11 @@ const makePath = (config, { library = null, collection = null, path.push(view); } + if (location && ['pageNumber', 'annotationID', 'position', 'href'].includes(Object.keys(location)[0])) { + path.push(Object.keys(location)[0]) + path.push(location[Object.keys(location)[0]]) + } + return '/' + path.join('/'); } diff --git a/src/js/component/reader.jsx b/src/js/component/reader.jsx index 53f71783..358520cf 100644 --- a/src/js/component/reader.jsx +++ b/src/js/component/reader.jsx @@ -13,8 +13,7 @@ import { annotationItemToJSON } from '../common/annotations.js'; import { ERROR_PROCESSING_ANNOTATIONS } from '../constants/actions'; import { deleteItems, fetchChildItems, fetchItemDetails, fetchLibrarySettings, navigate, tryGetAttachmentURL, - patchAttachment, postAnnotationsFromReader, uploadAttachment, updateLibrarySettings, - preferenceChange + patchAttachment, postAnnotationsFromReader, uploadAttachment, updateLibrarySettings, preferenceChange } from '../actions'; import { PDFWorker } from '../common/pdf-worker.js'; import { useFetchingState } from '../hooks'; @@ -22,6 +21,7 @@ import { strings } from '../constants/strings.js'; import TagPicker from './item-details/tag-picker.jsx'; import { READER_CONTENT_TYPES } from '../constants/reader.js'; import Portal from './portal'; +import { getItemFromApiUrl } from '../utils'; const PAGE_SIZE = 100; @@ -102,6 +102,10 @@ PopupPortal.propTypes = { const readerReducer = (state, action) => { switch (action.type) { + case 'ROUTE_CONFIRMED': + return { ...state, isRouteConfirmed: true } + case 'COMPLETE_FETCH_SETTINGS': + return { ...state, isSettingsFetched: true } case 'BEGIN_FETCH_DATA': return { ...state, dataState: FETCHING }; case 'COMPLETE_FETCH_DATA': @@ -146,6 +150,7 @@ const Reader = () => { return null; } }); + const location = useSelector(state => state.current.location); const pageIndexSettingKey = getLastPageIndexSettingKey(attachmentKey, libraryKey); const locationValue = useSelector(state => state.libraries[userLibraryKey]?.settings?.entries?.[pageIndexSettingKey]?.value ?? null); const attachmentItem = useSelector(state => state.libraries[libraryKey]?.items[attachmentKey]); @@ -171,12 +176,15 @@ const Reader = () => { }); const isReaderSidebarOpen = useSelector(state => state.preferences?.isReaderSidebarOpen); const readerSidebarWidth = useSelector(state => state.preferences?.readerSidebarWidth); + // TODO: this should be entry-sepcific, but works for now because there is only one entry being fetched by the reader const isFetchingUserLibrarySettings = useSelector(state => state.libraries[userLibraryKey]?.settings?.isFetching); const pdfWorker = useMemo(() => new PDFWorker({ pdfWorkerURL, pdfReaderCMapsRoot }), [pdfReaderCMapsRoot, pdfWorkerURL]); const [state, dispatchState] = useReducer(readerReducer, { action: null, isReady: false, + isRouteConfirmed: false, + isSettingsFetched: false, data: null, dataState: UNFETCHED, annotationsState: NOT_IMPORTED, @@ -252,8 +260,8 @@ const Reader = () => { // NOTE: handler can't be updated once it has been passed to Reader const handleChangeViewState = useDebouncedCallback(useCallback((newViewState, isPrimary) => { - const pageIndexKey = PAGE_INDEX_KEY_LOOKUP[attachmentItem.contentType]; - if (isPrimary && userLibraryKey) { + const pageIndexKey = PAGE_INDEX_KEY_LOOKUP[attachmentItem?.contentType]; + if (isPrimary && userLibraryKey && pageIndexKey) { dispatch(updateLibrarySettings(pageIndexSettingKey, newViewState[pageIndexKey], userLibraryKey)); } }, [attachmentItem, dispatch, pageIndexSettingKey, userLibraryKey]), 1000); @@ -285,7 +293,7 @@ const Reader = () => { annotations: [...processedAnnotations, ...state.importedAnnotations], primaryViewState: readerState, secondaryViewState: null, - location: null, + location, readOnly: isReadOnly, authorName: isGroup ? currentUserSlug : '', showItemPaneToggle: false, @@ -329,9 +337,14 @@ const Reader = () => { onSetDataTransferAnnotations: noop, // n/a in web library, noop prevents errors printed on console from reader // onDeletePages: handleDeletePages }); - }, [annotations, attachmentItem, attachmentKey, currentUserSlug, dispatch, getProcessedAnnotations, handleChangeViewState, handleResizeSidebar, handleToggleSidebar, isGroup, isReadOnly, isReaderSidebarOpen, locationValue, readerSidebarWidth, state.data, state.importedAnnotations]) + }, [annotations, attachmentItem, attachmentKey, currentUserSlug, dispatch, getProcessedAnnotations, handleChangeViewState, handleResizeSidebar, handleToggleSidebar, isGroup, isReadOnly, isReaderSidebarOpen, location, locationValue, readerSidebarWidth, state.data, state.importedAnnotations]) - // On first render, fetch attachment item details or redirect if invalid URL + useEffect(() => { + // pdf js stores last page in localStorage but we want to use one from user library settings instead + localStorage.removeItem('pdfjs.history'); + }, []); + + // fetch attachment item details or redirect if invalid URL useEffect(() => { if(!attachmentKey) { dispatch(navigate({ items: null, attachmentKey: null, noteKey: null, view: 'item-list' })); @@ -339,27 +352,24 @@ const Reader = () => { if (attachmentKey && !attachmentItem) { dispatch(fetchItemDetails(attachmentKey)); } - // pdf js stores last page in localStorage but we want to use one from user library settings instead - localStorage.removeItem('pdfjs.history'); - // we also need user library settings for last page read syncing - dispatch(fetchLibrarySettings(userLibraryKey, pageIndexSettingKey)); - }, []);// eslint-disable-line react-hooks/exhaustive-deps + + }, [attachmentItem, attachmentKey, dispatch]); // Fetch all child items (annotations). This effect will execute multiple times for each page of annotations useEffect(() => { - if (!isFetching && !isFetched) { + if (state.isRouteConfirmed && !isFetching && !isFetched) { const start = pointer || 0; const limit = PAGE_SIZE; dispatch(fetchChildItems(attachmentKey, { start, limit })); } - }, [dispatch, attachmentKey, isFetching, isFetched, pointer]); + }, [attachmentKey, dispatch, isFetched, isFetching, pointer, state.isRouteConfirmed]); // Fetch attachment URL useEffect(() => { - if (!urlIsFresh && !isFetchingUrl) { + if (state.isRouteConfirmed && !urlIsFresh && !isFetchingUrl) { dispatch(tryGetAttachmentURL(attachmentKey)); } - }, [attachmentKey, attachmentItem, dispatch, isFetchingUrl, prevAttachmentItem, urlIsFresh]); + }, [attachmentKey, attachmentItem, dispatch, isFetchingUrl, prevAttachmentItem, urlIsFresh, state.isRouteConfirmed]); // Fetch attachment binary data useEffect(() => { @@ -400,18 +410,34 @@ const Reader = () => { }, [attachmentItem, pdfWorker, state.annotationsState, state.data, state.dataState]); useEffect(() => { - if (!state.isReady && isFetched && state.data && state.annotationsState == IMPORTED && !isFetchingUserLibrarySettings) { + if (!state.isReady && isFetched && state.data && state.annotationsState == IMPORTED && state.isSettingsFetched && !isFetchingUserLibrarySettings) { dispatchState({ type: 'READY' }); } - }, [isFetched, isFetchingUserLibrarySettings, state.annotationsState, state.data, state.isReady]); + }, [isFetched, isFetchingUserLibrarySettings, state.annotationsState, state.data, state.isReady, state.isSettingsFetched]); + + useEffect(() => { + if (state.isRouteConfirmed && !state.isSettingsFetched && !isFetchingUserLibrarySettings) { + dispatch(fetchLibrarySettings(userLibraryKey, pageIndexSettingKey)); + dispatchState({ type: 'COMPLETE_FETCH_SETTINGS' }); + } + }, [dispatch, isFetchingUserLibrarySettings, pageIndexSettingKey, state.isRouteConfirmed, state.isSettingsFetched, userLibraryKey]); useEffect(() => { - if (attachmentItem && !prevAttachmentItem - && (attachmentItem.itemType !== 'attachment' || !Object.keys(READER_CONTENT_TYPES).includes(attachmentItem.contentType)) - ) { - dispatch(navigate({ view: 'item-details' })); + const isCompatible = (attachmentItem?.itemType === 'attachment' && Object.keys(READER_CONTENT_TYPES).includes(attachmentItem?.contentType)); + if (attachmentItem && !prevAttachmentItem && !isCompatible) { + // item the URL points to is not an attachment or is of an unsupported type. We can try to navigate to the best attachment + const bestAttachment = attachmentItem?.[Symbol.for('links')]?.attachment; + const bestAttachmentKey = bestAttachment ? getItemFromApiUrl(bestAttachment.href) : null; + if (bestAttachmentKey) { + dispatch(navigate({ items: attachmentItem.key, attachmentKey: bestAttachmentKey })); + } else { + // best attachment not found, redirect to item details + dispatch(navigate({ view: 'item-details', location: null })); + } + } else if (!state.isRouteConfirmed && attachmentItem !== !prevAttachmentItem && isCompatible) { + dispatchState({ type: 'ROUTE_CONFIRMED' }); } - }, [dispatch, attachmentItem, prevAttachmentItem]); + }, [dispatch, attachmentItem, prevAttachmentItem, state.isRouteConfirmed]); useEffect(() => { if (lastFetchItemDetailsNoResults) { diff --git a/src/js/component/rich-editor.jsx b/src/js/component/rich-editor.jsx index 85579c9c..b896799f 100644 --- a/src/js/component/rich-editor.jsx +++ b/src/js/component/rich-editor.jsx @@ -5,7 +5,7 @@ import { useDispatch, useSelector } from 'react-redux'; import { usePrevious } from 'web-common/hooks'; import { noop } from 'web-common/utils'; -import { createAttachments, getAttachmentUrl, navigate } from '../actions'; +import { createAttachments, getAttachmentUrl, navigate, openInReader } from '../actions'; import { getItemFromCanonicalUrl, parseBase64File } from '../utils'; import { extensionLookup } from '../common/mime'; @@ -109,10 +109,20 @@ const RichEditor = memo(forwardRef((props, ref) => { case 'showCitationItem': handleShowCitationItem(event.data?.message?.citation?.citationItems); break; + case 'openCitationPage': { + const { uris, locator } = event.data?.message?.citation?.citationItems?.[0] || {}; + if(uris?.length === 1) { + const { libraryKey, itemKey } = getItemFromCanonicalUrl(uris[0]) ?? {}; + if(libraryKey && itemKey) { + dispatch(openInReader({ items: itemKey, library: libraryKey, location: { pageNumber: locator } })); + } + } + break; + } default: break; } - }, [isReadOnly, handleSubscription, handleImportImages, handleShowCitationItem, onEdit, changeIfDifferent, focusEditor]); + }, [isReadOnly, handleSubscription, handleImportImages, handleShowCitationItem, onEdit, changeIfDifferent, focusEditor, dispatch]); // handles iframe loaded once, installed on mount, never updated, doesn't need useCallback deps const handleIframeLoaded = useCallback(() => { diff --git a/src/js/reducers/current.js b/src/js/reducers/current.js index 98faf2a1..ee64dd29 100644 --- a/src/js/reducers/current.js +++ b/src/js/reducers/current.js @@ -36,6 +36,7 @@ const stateDefault = { userLibraryKey: null, useTransitions: false, view: 'library', + location: null, }; const getLibraryKey = (params, config) => { @@ -84,6 +85,9 @@ const current = (state = stateDefault, action, { config = {}, device = {} } = {} var itemsSource; var searchState = state.searchState; var itemKey = itemKeys && itemKeys.length === 1 ? itemKeys[0] : null + var location = params.locationType && params.locationValue ? { + [params.locationType]: params.locationValue + } : null; if(tags.length || search.length) { itemsSource = 'query'; @@ -97,6 +101,7 @@ const current = (state = stateDefault, action, { config = {}, device = {} } = {} itemsSource = 'top'; } + if(!view) { //@TODO: Refactor view = itemKeys.length ? @@ -148,6 +153,7 @@ const current = (state = stateDefault, action, { config = {}, device = {} } = {} tags: shallowEqual(tags, state.tags) ? state.tags : tags, useTransitions: state.useTransitions, view, + location } case TRIGGER_EDITING_ITEM: return { diff --git a/src/js/routes.js b/src/js/routes.js index 6fec0e8e..2a4cfa2e 100644 --- a/src/js/routes.js +++ b/src/js/routes.js @@ -7,20 +7,20 @@ const multipleIdRe = '[A-Z0-9,]+'; const getVariants = prefix => { return [ `${prefix}/tags/:tags/search/:search/:qmode/items/:items(${multipleIdRe})/note/:note/:view(library|collection|item-list|item-details)?`, - `${prefix}/tags/:tags/search/:search/:qmode/items/:items(${multipleIdRe})/attachment/:attachment(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?`, - `${prefix}/tags/:tags/search/:search/:qmode/items/:items(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?`, + `${prefix}/tags/:tags/search/:search/:qmode/items/:items(${multipleIdRe})/attachment/:attachment(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?/:locationType(pageNumber|annotationID|position|href)?/:locationValue?`, + `${prefix}/tags/:tags/search/:search/:qmode/items/:items(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?/:locationType(pageNumber|annotationID|position|href)?/:locationValue?`, `${prefix}/tags/:tags/search/:search/:qmode/items/:items(${multipleIdRe})/:view(library|collection|item-list|item-details)?`, `${prefix}/tags/:tags/items/:items(${multipleIdRe})/note/:note/:view(library|collection|item-list|item-details)?`, - `${prefix}/tags/:tags/items/:items(${multipleIdRe})/attachment/:attachment(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?`, - `${prefix}/tags/:tags/items/:items(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?`, + `${prefix}/tags/:tags/items/:items(${multipleIdRe})/attachment/:attachment(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?/:locationType(pageNumber|annotationID|position|href)?/:locationValue?`, + `${prefix}/tags/:tags/items/:items(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?/:locationType(pageNumber|annotationID|position|href)?/:locationValue?`, `${prefix}/tags/:tags/items/:items(${multipleIdRe})/:view(library|collection|item-list|item-details)?`, `${prefix}/search/:search/:qmode/items/:items(${multipleIdRe})/note/:note/:view(library|collection|item-list|item-details)?`, - `${prefix}/search/:search/:qmode/items/:items(${multipleIdRe})/attachment/:attachment(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?`, - `${prefix}/search/:search/:qmode/items/:items(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?`, + `${prefix}/search/:search/:qmode/items/:items(${multipleIdRe})/attachment/:attachment(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?/:locationType(pageNumber|annotationID|position|href)?/:locationValue?`, + `${prefix}/search/:search/:qmode/items/:items(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?/:locationType(pageNumber|annotationID|position|href)?/:locationValue?`, `${prefix}/search/:search/:qmode/items/:items(${multipleIdRe})/:view(library|collection|item-list|item-details)?`, `${prefix}/items/:items(${multipleIdRe})/note/:note/:view(library|collection|item-list|item-details)?`, - `${prefix}/items/:items(${multipleIdRe})/attachment/:attachment(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?`, - `${prefix}/items/:items(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?`, + `${prefix}/items/:items(${multipleIdRe})/attachment/:attachment(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?/:locationType(pageNumber|annotationID|position|href)?/:locationValue?`, + `${prefix}/items/:items(${singleIdRe})/:view(library|collection|item-list|item-details|reader)?/:locationType(pageNumber|annotationID|position|href)?/:locationValue?`, `${prefix}/items/:items(${multipleIdRe})/:view(library|collection|item-list|item-details)?`, `${prefix}/tags/:tags/search/:search/:qmode/:view(library|collection|item-list|item-details)?`, `${prefix}/tags/:tags/:view(library|collection|item-list|item-details)?`, diff --git a/src/js/utils.js b/src/js/utils.js index 67fe277a..0979738c 100644 --- a/src/js/utils.js +++ b/src/js/utils.js @@ -84,6 +84,14 @@ const getItemFromCanonicalUrl = url => { return null; } +const getItemFromApiUrl = url => { + const matchResult = url.match(/\/items\/([A-Z0-9]{8})/); + if (matchResult) { + return matchResult[1]; + } + return null; +} + const mapRelationsToItemKeys = (relations, libraryKey, relationType='dc:relation', shouldRemoveEmpty = true) => { if (!(relationType in relations)) { return []; @@ -484,6 +492,7 @@ export { getFieldNameFromSortKey, getItemCanonicalUrl, getItemFromCanonicalUrl, + getItemFromApiUrl, getLibraryKeyFromTopic, getNextSibling, getPrevSibling, diff --git a/test/fixtures/response/test-user-reader-children.json b/test/fixtures/response/test-user-reader-children.json new file mode 100644 index 00000000..58601a4f --- /dev/null +++ b/test/fixtures/response/test-user-reader-children.json @@ -0,0 +1,142 @@ +[ + { + "key": "4KTXPJNC", + "version": 287, + "library": { + "type": "user", + "id": 1, + "name": "testuser", + "links": { + "alternate": { + "href": "https://www.zotero.org/testuser", + "type": "text/html" + } + } + }, + "links": { + "self": { + "href": "https://api.zotero.org/users/1/items/4KTXPJNC", + "type": "application/json" + }, + "alternate": { + "href": "https://www.zotero.org/testuser/items/4KTXPJNC", + "type": "text/html" + }, + "up": { + "href": "https://api.zotero.org/users/1/items/N2PJUHD6", + "type": "application/json" + } + }, + "meta": {}, + "data": { + "key": "4KTXPJNC", + "version": 287, + "parentItem": "N2PJUHD6", + "itemType": "annotation", + "annotationType": "note", + "annotationComment": "Blue note", + "annotationColor": "#2ea8e5", + "annotationPageLabel": "1", + "annotationSortIndex": "00000|000171|00055", + "annotationPosition": "{\"pageIndex\":0,\"rects\":[[535.439,804.318,557.439,826.318]]}", + "tags": [], + "relations": {}, + "dateAdded": "2023-08-23T13:36:13Z", + "dateModified": "2023-08-23T13:36:44Z" + } + }, + { + "key": "YN445PZK", + "version": 287, + "library": { + "type": "user", + "id": 1, + "name": "testuser", + "links": { + "alternate": { + "href": "https://www.zotero.org/testuser", + "type": "text/html" + } + } + }, + "links": { + "self": { + "href": "https://api.zotero.org/users/1/items/YN445PZK", + "type": "application/json" + }, + "alternate": { + "href": "https://www.zotero.org/testuser/items/YN445PZK", + "type": "text/html" + }, + "up": { + "href": "https://api.zotero.org/users/1/items/N2PJUHD6", + "type": "application/json" + } + }, + "meta": {}, + "data": { + "key": "YN445PZK", + "version": 287, + "parentItem": "N2PJUHD6", + "itemType": "annotation", + "annotationType": "ink", + "annotationComment": "", + "annotationColor": "#e56eee", + "annotationPageLabel": "2", + "annotationSortIndex": "00001|000047|00055", + "annotationPosition": "{\"pageIndex\":1,\"width\":2,\"paths\":[[295.926,605.96,290.931,605.461,286.555,602.618,284.335,597.943,285.189,592.588,287.902,588.189,290.604,583.88,295.574,582.219,300.587,582.163,305.848,583.805,309.771,587.323,310.367,592.392,307.589,597.076,303.99,601.064,299.423,603.667,298.06,604.36],[340.217,599.557,335.665,596.673,332.888,592.386,334.659,587.521,338.496,584.074,343.185,582.215,347.862,584.333,350.309,589.273,351.364,594.425,348.298,598.414,343.954,601.361,339.15,601.691],[322.607,581.947,322.395,576.874,322.123,571.769,322.279,566.641,323.32,561.206,323.675,559.001],[289.522,572.342,289.923,566.925,290.314,561.651,290.702,556.535,291.101,551.29,296.277,549.719,301.523,549.245,306.987,548.863,312.446,548.478,317.679,548.299,322.792,548.175,328.299,548.036,333.679,547.896,338.727,547.846,344.189,547.726,349.054,549.139,351.15,554.125,352.927,559.144,353.148,564.318,353.105,569.65,353.024,575.01,353.024,578.745]]}", + "tags": [], + "relations": {}, + "dateAdded": "2023-08-23T13:36:00Z", + "dateModified": "2023-08-23T13:36:05Z" + } + }, + { + "key": "Z7RR8LVC", + "version": 287, + "library": { + "type": "user", + "id": 1, + "name": "testuser", + "links": { + "alternate": { + "href": "https://www.zotero.org/testuser", + "type": "text/html" + } + } + }, + "links": { + "self": { + "href": "https://api.zotero.org/users/1/items/Z7RR8LVC", + "type": "application/json" + }, + "alternate": { + "href": "https://www.zotero.org/testuser/items/Z7RR8LVC", + "type": "text/html" + }, + "up": { + "href": "https://api.zotero.org/users/1/items/N2PJUHD6", + "type": "application/json" + } + }, + "meta": {}, + "data": { + "key": "Z7RR8LVC", + "version": 287, + "parentItem": "N2PJUHD6", + "itemType": "annotation", + "invalidProp": 1, + "annotationType": "underline", + "annotationText": "RETRIEVER", + "annotationComment": "Awesome doggo", + "annotationColor": "#a28ae5", + "annotationPageLabel": "1", + "annotationSortIndex": "00000|000062|00143", + "annotationPosition": "{\"pageIndex\":0,\"rects\":[[121.86,726.564,189.132,738.276]]}", + "tags": [], + "relations": {}, + "dateAdded": "2023-08-23T13:35:01Z", + "dateModified": "2023-08-23T13:35:12Z" + } + } +] \ No newline at end of file diff --git a/test/fixtures/state/test-user-reader-parent-item-view.json b/test/fixtures/state/test-user-reader-parent-item-view.json new file mode 100644 index 00000000..65d83079 --- /dev/null +++ b/test/fixtures/state/test-user-reader-parent-item-view.json @@ -0,0 +1,17435 @@ +{ + "config": { + "apiConfig": { + "apiAuthorityPart": "api.zotero.org", + "retry": 2 + }, + "apiKey": "zzzzzzzzzzzzzzzzzzzzzzzz", + "defaultLibraryKey": "u1", + "libraries": [ + { + "id": 1, + "key": "u1", + "isMyLibrary": true, + "isReadOnly": false, + "isFileUploadAllowed": true, + "name": "My Library", + "isExternal": false, + "isPublic": false, + "slug": "testuser" + }, + { + "isReadOnly": false, + "isFileUploadAllowed": false, + "slug": "animals", + "isGroupLibrary": true, + "id": "5119976", + "isExternal": true, + "isPublic": true, + "key": "g5119976", + "name": "Animals" + } + ], + "sortBy": "title", + "sortDirection": "asc", + "streamingApiUrl": "wss://stream.zotero.org", + "userId": 1, + "isEmbedded": false, + "containterClassName": "zotero-wl", + "buyStorageUrl": "https://www.zotero.org/storage?ref=usb", + "menus": { + "desktop": [ + { + "label": "My Library", + "href": "/mylibrary", + "active": true + }, + { + "label": "Groups", + "href": "/groups" + }, + { + "label": "Documentation", + "href": "/support" + }, + { + "label": "Forums", + "href": "https://forums.zotero.org" + }, + { + "label": "Get Involved", + "href": "/getinvolved" + }, + { + "label": "Zotero User", + "truncate": true, + "dropdown": true, + "entries": [ + { + "label": "My Profile", + "href": "/testuser1" + }, + { + "separator": true + }, + { + "label": "Inbox (13)", + "href": "https://forums.zotero.org/messages/inbox" + }, + { + "separator": true + }, + { + "label": "Settings", + "href": "/settings" + }, + { + "label": "Use Old Web Library", + "href": "/testuser1/items?usenewlibrary=0" + }, + { + "label": "Logout", + "href": "/user/logout" + } + ] + }, + { + "label": "Upgrade Storage", + "href": "/settings/storage?ref=usb", + "className": "offscreen" + }, + { + "label": "Upgrade Storage", + "href": "/settings/storage?ref=usb", + "className": "btn btn-secondary hidden-md-down upgrade-storage", + "position": "right", + "aria-hidden": true + } + ], + "mobile": [ + { + "label": "My Library", + "href": "/mylibrary", + "active": true + }, + { + "label": "Groups", + "href": "/groups" + }, + { + "label": "Documentation", + "href": "/support" + }, + { + "label": "Forums", + "href": "https://forums.zotero.org" + }, + { + "label": "Get Involved", + "href": "/getinvolved" + }, + { + "label": "Test User", + "href": "/testuser1", + "className": "separated" + }, + { + "label": "Inbox (13)", + "href": "https://forums.zotero.org/messages/inbox", + "className": "separated" + }, + { + "label": "Settings", + "href": "/settings" + }, + { + "label": "Use Old Web Library", + "href": "/testuser1/items?usenewlibrary=0" + }, + { + "label": "Logout", + "href": "/user/logout" + }, + { + "label": "Upgrade Storage", + "href": "/settings/storage?ref=usb", + "className": "separated" + } + ] + }, + "noteEditorURL": "/static/note-editor/editor.html", + "pdfReaderCMapsRoot": "/static/pdf-reader/pdf/web/cmaps/", + "pdfReaderURL": "/static/pdf-reader/reader.html", + "pdfWorkerURL": "/static/pdf-worker/worker.js", + "preferences": { + "citationStyle": "modern-language-association", + "citationLocale": "en-US", + "installedCitationStyles": [], + "columns": [ + { + "field": "title", + "fraction": 0.45, + "isVisible": true, + "minFraction": 0.1, + "sort": "asc" + }, + { + "field": "creator", + "fraction": 0.3, + "isVisible": true, + "minFraction": 0.05 + }, + { + "field": "date", + "fraction": 0.2, + "isVisible": true, + "minFraction": 0.05 + }, + { + "field": "itemType", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "year", + "fraction": 0.1, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "publisher", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "publicationTitle", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "journalAbbreviation", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "language", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "libraryCatalog", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "callNumber", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "rights", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "dateAdded", + "fraction": 0.1, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "dateModified", + "fraction": 0.1, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "extra", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "createdByUser", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "attachment", + "fraction": 0.05, + "isVisible": true, + "minFraction": 0.05 + } + ] + }, + "stylesSourceUrl": "https://www.zotero.org/styles-files/styles.json", + "translateUrl": "https://translate-server.zotero.org/Prod", + "userSlug": "testuser", + "websiteUrl": "https://www.zotero.org/", + "includeMyLibrary": true, + "includeUserGroups": false + }, + "current": { + "collectionKey": null, + "editingItemKey": null, + "firstCollectionKey": null, + "firstIsTrash": false, + "highlightedCollections": [], + "isAdvancedSearch": false, + "isNavBarOpen": false, + "isSearchMode": false, + "isSelectMode": false, + "isTagSelectorOpen": true, + "isTouchTagSelectorOpen": false, + "itemKey": "KBFTPTI4", + "itemKeys": [ + "KBFTPTI4" + ], + "itemsSource": "top", + "isFirstRendering": true, + "libraryKey": "u1", + "qmode": "titleCreatorYear", + "search": "", + "searchState": {}, + "tags": [], + "tagsHideAutomatic": false, + "tagsSearchString": "", + "userLibraryKey": "u1", + "useTransitions": true, + "view": "reader", + "location": null, + "attachmentKey": null, + "isMyPublications": false, + "isTrash": false, + "noteKey": null + }, + "device": { + "isKeyboardUser": false, + "isMouseUser": true, + "isSingleColumn": false, + "isTouchOrSmall": false, + "isTouchUser": false, + "scrollbarWidth": 0, + "shouldUseEditMode": false, + "shouldUseModalCreatorField": false, + "shouldUseSidebar": false, + "shouldUseTabs": true, + "userType": "mouse", + "xxs": false, + "xs": false, + "sm": false, + "md": false, + "lg": true + }, + "errors": [], + "fetching": { + "creatorTypes": [], + "itemTemplates": [], + "itemTypeCreatorTypes": [], + "itemTypeFields": [], + "tagsInLibrary": [], + "meta": false, + "allGroups": false + }, + "groups": [], + "identifier": { + "isError": false, + "isSearching": false, + "session": null, + "result": null, + "item": null, + "items": null, + "identifier": null, + "identifierIsUrl": null, + "next": null + }, + "itemsPublications": {}, + "libraries": { + "u1": { + "attachmentsExportPDF": {}, + "attachmentsUrl": {}, + "collections": { + "data": {}, + "remoteChangesTracker": {} + }, + "creating": { + "collections": {}, + "items": {} + }, + "deleting": [], + "items": { + "N2PJUHD6": { + "key": "N2PJUHD6", + "version": 227, + "parentItem": "KBFTPTI4", + "itemType": "attachment", + "linkMode": "imported_url", + "title": "JSTOR Full Text PDF", + "accessDate": "2023-01-17T15:43:22Z", + "url": "https://www.jstor.org/stable/pdfplus/10.2307/j.ctt46nwk9.16.pdf?acceptTC=true", + "note": "", + "contentType": "application/pdf", + "charset": "", + "filename": "Shearin and Doty - 2002 - Retriever.pdf", + "md5": "c486772733d55b777b4ca5fbe5687f65", + "mtime": 1673970202000, + "tags": [], + "relations": {}, + "dateAdded": "2023-01-17T15:43:22Z", + "dateModified": "2023-01-17T15:43:22Z", + "@@meta@@": { + "numChildren": 3 + }, + "@@links@@": { + "self": { + "href": "https://api.zotero.org/users/1/items/N2PJUHD6", + "type": "application/json" + }, + "alternate": { + "href": "https://www.zotero.org/testuser/items/N2PJUHD6", + "type": "text/html" + }, + "up": { + "href": "https://api.zotero.org/users/1/items/KBFTPTI4", + "type": "application/json" + }, + "enclosure": { + "type": "application/pdf", + "href": "https://api.zotero.org/users/1/items/N2PJUHD6/file/view", + "title": "Shearin and Doty - 2002 - Retriever.pdf", + "length": 142747 + } + }, + "@@derived@@": { + "attachmentIconName": "pdf", + "colors": [], + "createdByUser": "", + "creator": "", + "date": "", + "dateAdded": "17/01/2023, 16:43:22", + "dateModified": "17/01/2023, 16:43:22", + "emojis": [], + "iconName": "pdf", + "itemType": "Attachment", + "itemTypeRaw": "attachment", + "key": "N2PJUHD6", + "publicationTitle": null, + "publisher": null, + "title": "JSTOR Full Text PDF", + "year": "" + } + }, + "KBFTPTI4": { + "key": "KBFTPTI4", + "version": 226, + "itemType": "bookSection", + "title": "Retriever", + "creators": [ + { + "creatorType": "author", + "firstName": "Faith", + "lastName": "Shearin" + }, + { + "creatorType": "author", + "firstName": "Mark", + "lastName": "Doty" + } + ], + "abstractNote": "", + "bookTitle": "Owl Question", + "series": "Poems", + "seriesNumber": "", + "volume": "", + "numberOfVolumes": "", + "edition": "", + "place": "", + "publisher": "University Press of Colorado", + "date": "2002", + "pages": "17-18", + "language": "", + "ISBN": "978-0-87421-445-1", + "shortTitle": "", + "url": "https://www.jstor.org/stable/j.ctt46nwk9.16", + "accessDate": "2023-01-17T15:43:16Z", + "archive": "", + "archiveLocation": "", + "libraryCatalog": "JSTOR", + "callNumber": "", + "rights": "", + "extra": "DOI: 10.2307/j.ctt46nwk9.16", + "tags": [], + "collections": [ + "9WZDZ7YA" + ], + "relations": {}, + "dateAdded": "2023-01-17T15:43:17Z", + "dateModified": "2023-01-17T15:43:17Z", + "@@meta@@": { + "creatorSummary": "Shearin and Doty", + "parsedDate": "2002", + "numChildren": 1 + }, + "@@links@@": { + "self": { + "href": "https://api.zotero.org/users/1/items/KBFTPTI4", + "type": "application/json" + }, + "alternate": { + "href": "https://www.zotero.org/testuser/items/KBFTPTI4", + "type": "text/html" + }, + "attachment": { + "href": "https://api.zotero.org/users/1/items/N2PJUHD6", + "type": "application/json", + "attachmentType": "application/pdf", + "attachmentSize": 142747 + } + }, + "@@derived@@": { + "attachmentIconName": "pdf", + "colors": [], + "createdByUser": "", + "creator": "Shearin and Doty", + "date": "2002", + "dateAdded": "17/01/2023, 16:43:17", + "dateModified": "17/01/2023, 16:43:17", + "emojis": [], + "extra": "DOI: 10.2307/j.ctt46nwk9.16", + "iconName": "book-section", + "itemType": "Book Section", + "itemTypeRaw": "bookSection", + "key": "KBFTPTI4", + "publicationTitle": "Owl Question", + "publisher": "University Press of Colorado", + "title": "Retriever", + "year": "2002", + "language": "", + "libraryCatalog": "JSTOR", + "callNumber": "", + "rights": "" + } + } + }, + "itemsByCollection": {}, + "itemsByParent": { + "KBFTPTI4": { + "requests": [], + "isFetching": false, + "keys": [ + "N2PJUHD6" + ], + "totalResults": 1, + "isError": false, + "pointer": 100 + } + }, + "itemsRelated": {}, + "itemsTop": {}, + "itemsTrash": {}, + "settings": { + "isFetching": false, + "entries": { + "tagColors": { + "value": [ + { + "name": "cute", + "color": "#A28AE5" + }, + { + "name": "annotated", + "color": "#5FB236" + }, + { + "name": "to read", + "color": "#FF6666" + }, + { + "name": "⭐️", + "color": "#FF8C19" + } + ], + "version": 218 + } + } + }, + "sync": { + "version": 305, + "isSynced": true, + "requestsPending": 0 + }, + "tagColors": { + "value": [ + { + "name": "cute", + "color": "#A28AE5" + }, + { + "name": "annotated", + "color": "#5FB236" + }, + { + "name": "to read", + "color": "#FF6666" + }, + { + "name": "⭐️", + "color": "#FF8C19" + } + ], + "lookup": { + "cute": "#A28AE5", + "annotated": "#5FB236", + "to read": "#FF6666", + "⭐️": "#FF8C19" + } + }, + "tagsByCollection": {}, + "tagsInPublicationsItems": {}, + "tagsInTrashItems": {}, + "tagsTop": {}, + "tagsInLibrary": { + "coloredTags": [ + "cute", + "annotated", + "to read", + "⭐️" + ] + }, + "updating": { + "collections": {}, + "items": {}, + "uploads": [] + } + } + }, + "meta": { + "itemTypes": [ + { + "itemType": "artwork", + "localized": "Artwork" + }, + { + "itemType": "audioRecording", + "localized": "Audio Recording" + }, + { + "itemType": "bill", + "localized": "Bill" + }, + { + "itemType": "blogPost", + "localized": "Blog Post" + }, + { + "itemType": "book", + "localized": "Book" + }, + { + "itemType": "bookSection", + "localized": "Book Section" + }, + { + "itemType": "case", + "localized": "Case" + }, + { + "itemType": "computerProgram", + "localized": "Software" + }, + { + "itemType": "conferencePaper", + "localized": "Conference Paper" + }, + { + "itemType": "dataset", + "localized": "Dataset" + }, + { + "itemType": "dictionaryEntry", + "localized": "Dictionary Entry" + }, + { + "itemType": "document", + "localized": "Document" + }, + { + "itemType": "email", + "localized": "E-mail" + }, + { + "itemType": "encyclopediaArticle", + "localized": "Encyclopedia Article" + }, + { + "itemType": "film", + "localized": "Film" + }, + { + "itemType": "forumPost", + "localized": "Forum Post" + }, + { + "itemType": "hearing", + "localized": "Hearing" + }, + { + "itemType": "instantMessage", + "localized": "Instant Message" + }, + { + "itemType": "interview", + "localized": "Interview" + }, + { + "itemType": "journalArticle", + "localized": "Journal Article" + }, + { + "itemType": "letter", + "localized": "Letter" + }, + { + "itemType": "magazineArticle", + "localized": "Magazine Article" + }, + { + "itemType": "manuscript", + "localized": "Manuscript" + }, + { + "itemType": "map", + "localized": "Map" + }, + { + "itemType": "newspaperArticle", + "localized": "Newspaper Article" + }, + { + "itemType": "patent", + "localized": "Patent" + }, + { + "itemType": "podcast", + "localized": "Podcast" + }, + { + "itemType": "preprint", + "localized": "Preprint" + }, + { + "itemType": "presentation", + "localized": "Presentation" + }, + { + "itemType": "radioBroadcast", + "localized": "Radio Broadcast" + }, + { + "itemType": "report", + "localized": "Report" + }, + { + "itemType": "standard", + "localized": "Standard" + }, + { + "itemType": "statute", + "localized": "Statute" + }, + { + "itemType": "thesis", + "localized": "Thesis" + }, + { + "itemType": "tvBroadcast", + "localized": "TV Broadcast" + }, + { + "itemType": "videoRecording", + "localized": "Video Recording" + }, + { + "itemType": "webpage", + "localized": "Web Page" + } + ], + "itemFields": [ + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "applicationNumber", + "localized": "Application Number" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveID", + "localized": "Archive ID" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "artworkMedium", + "localized": "Medium" + }, + { + "field": "artworkSize", + "localized": "Artwork Size" + }, + { + "field": "assignee", + "localized": "Assignee" + }, + { + "field": "audioFileType", + "localized": "File Type" + }, + { + "field": "audioRecordingFormat", + "localized": "Format" + }, + { + "field": "authority", + "localized": "Authority" + }, + { + "field": "billNumber", + "localized": "Bill Number" + }, + { + "field": "blogTitle", + "localized": "Blog Title" + }, + { + "field": "bookTitle", + "localized": "Book Title" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "caseName", + "localized": "Case Name" + }, + { + "field": "citationKey", + "localized": "Citation Key" + }, + { + "field": "code", + "localized": "Code" + }, + { + "field": "codeNumber", + "localized": "Code Number" + }, + { + "field": "codePages", + "localized": "Code Pages" + }, + { + "field": "codeVolume", + "localized": "Code Volume" + }, + { + "field": "committee", + "localized": "Committee" + }, + { + "field": "company", + "localized": "Company" + }, + { + "field": "conferenceName", + "localized": "Conference Name" + }, + { + "field": "country", + "localized": "Country" + }, + { + "field": "court", + "localized": "Court" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "dateAdded", + "localized": "Date Added" + }, + { + "field": "dateDecided", + "localized": "Date Decided" + }, + { + "field": "dateEnacted", + "localized": "Date Enacted" + }, + { + "field": "dateModified", + "localized": "Modified" + }, + { + "field": "dictionaryTitle", + "localized": "Dictionary Title" + }, + { + "field": "distributor", + "localized": "Distributor" + }, + { + "field": "docketNumber", + "localized": "Docket Number" + }, + { + "field": "documentNumber", + "localized": "Document Number" + }, + { + "field": "DOI", + "localized": "DOI" + }, + { + "field": "edition", + "localized": "Edition" + }, + { + "field": "encyclopediaTitle", + "localized": "Encyclopedia Title" + }, + { + "field": "episodeNumber", + "localized": "Episode Number" + }, + { + "field": "extra", + "localized": "Extra" + }, + { + "field": "filingDate", + "localized": "Filing Date" + }, + { + "field": "firstPage", + "localized": "First Page" + }, + { + "field": "format", + "localized": "Format" + }, + { + "field": "forumTitle", + "localized": "Forum/Listserv Title" + }, + { + "field": "genre", + "localized": "Genre" + }, + { + "field": "history", + "localized": "History" + }, + { + "field": "identifier", + "localized": "Identifier" + }, + { + "field": "institution", + "localized": "Institution" + }, + { + "field": "interviewMedium", + "localized": "Medium" + }, + { + "field": "ISBN", + "localized": "ISBN" + }, + { + "field": "ISSN", + "localized": "ISSN" + }, + { + "field": "issue", + "localized": "Issue" + }, + { + "field": "issueDate", + "localized": "Issue Date" + }, + { + "field": "issuingAuthority", + "localized": "Issuing Authority" + }, + { + "field": "itemType", + "localized": "Item Type" + }, + { + "field": "journalAbbreviation", + "localized": "Journal Abbr" + }, + { + "field": "label", + "localized": "Label" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "legalStatus", + "localized": "Legal Status" + }, + { + "field": "legislativeBody", + "localized": "Legislative Body" + }, + { + "field": "letterType", + "localized": "Type" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "manuscriptType", + "localized": "Type" + }, + { + "field": "mapType", + "localized": "Type" + }, + { + "field": "medium", + "localized": "Medium" + }, + { + "field": "meetingName", + "localized": "Meeting Name" + }, + { + "field": "nameOfAct", + "localized": "Name of Act" + }, + { + "field": "network", + "localized": "Network" + }, + { + "field": "number", + "localized": "Number" + }, + { + "field": "numberOfVolumes", + "localized": "# of Volumes" + }, + { + "field": "numPages", + "localized": "# of Pages" + }, + { + "field": "organization", + "localized": "Organization" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "patentNumber", + "localized": "Patent Number" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "postType", + "localized": "Post Type" + }, + { + "field": "presentationType", + "localized": "Type" + }, + { + "field": "priorityNumbers", + "localized": "Priority Numbers" + }, + { + "field": "proceedingsTitle", + "localized": "Proceedings Title" + }, + { + "field": "programmingLanguage", + "localized": "Prog. Language" + }, + { + "field": "programTitle", + "localized": "Program Title" + }, + { + "field": "publicationTitle", + "localized": "Publication" + }, + { + "field": "publicLawNumber", + "localized": "Public Law Number" + }, + { + "field": "publisher", + "localized": "Publisher" + }, + { + "field": "references", + "localized": "References" + }, + { + "field": "reporter", + "localized": "Reporter" + }, + { + "field": "reporterVolume", + "localized": "Reporter Volume" + }, + { + "field": "reportNumber", + "localized": "Report Number" + }, + { + "field": "reportType", + "localized": "Report Type" + }, + { + "field": "repository", + "localized": "Repository" + }, + { + "field": "repositoryLocation", + "localized": "Repo. Location" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "runningTime", + "localized": "Running Time" + }, + { + "field": "scale", + "localized": "Scale" + }, + { + "field": "section", + "localized": "Section" + }, + { + "field": "series", + "localized": "Series" + }, + { + "field": "seriesNumber", + "localized": "Series Number" + }, + { + "field": "seriesText", + "localized": "Series Text" + }, + { + "field": "seriesTitle", + "localized": "Series Title" + }, + { + "field": "session", + "localized": "Session" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "status", + "localized": "Status" + }, + { + "field": "studio", + "localized": "Studio" + }, + { + "field": "subject", + "localized": "Subject" + }, + { + "field": "system", + "localized": "System" + }, + { + "field": "thesisType", + "localized": "Type" + }, + { + "field": "title", + "localized": "Title" + }, + { + "field": "type", + "localized": "Type" + }, + { + "field": "university", + "localized": "University" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "versionNumber", + "localized": "Version" + }, + { + "field": "videoRecordingFormat", + "localized": "Format" + }, + { + "field": "volume", + "localized": "Volume" + }, + { + "field": "websiteTitle", + "localized": "Website Title" + }, + { + "field": "websiteType", + "localized": "Website Type" + } + ], + "itemTypeCreatorTypes": { + "annotation": [], + "artwork": [ + { + "creatorType": "artist", + "localized": "Artist", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "attachment": [], + "audioRecording": [ + { + "creatorType": "performer", + "localized": "Performer", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "composer", + "localized": "Composer" + }, + { + "creatorType": "wordsBy", + "localized": "Words By" + } + ], + "bill": [ + { + "creatorType": "sponsor", + "localized": "Sponsor", + "primary": true + }, + { + "creatorType": "cosponsor", + "localized": "Cosponsor" + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "blogPost": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "commenter", + "localized": "Commenter" + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "book": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "editor", + "localized": "Editor" + }, + { + "creatorType": "translator", + "localized": "Translator" + }, + { + "creatorType": "seriesEditor", + "localized": "Series Editor" + } + ], + "bookSection": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "editor", + "localized": "Editor" + }, + { + "creatorType": "bookAuthor", + "localized": "Book Author" + }, + { + "creatorType": "translator", + "localized": "Translator" + }, + { + "creatorType": "seriesEditor", + "localized": "Series Editor" + } + ], + "case": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "counsel", + "localized": "Counsel" + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "computerProgram": [ + { + "creatorType": "programmer", + "localized": "Programmer", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "conferencePaper": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "editor", + "localized": "Editor" + }, + { + "creatorType": "translator", + "localized": "Translator" + }, + { + "creatorType": "seriesEditor", + "localized": "Series Editor" + } + ], + "dataset": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "dictionaryEntry": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "editor", + "localized": "Editor" + }, + { + "creatorType": "translator", + "localized": "Translator" + }, + { + "creatorType": "seriesEditor", + "localized": "Series Editor" + } + ], + "document": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "editor", + "localized": "Editor" + }, + { + "creatorType": "translator", + "localized": "Translator" + }, + { + "creatorType": "reviewedAuthor", + "localized": "Reviewed Author" + } + ], + "email": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "recipient", + "localized": "Recipient" + } + ], + "encyclopediaArticle": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "editor", + "localized": "Editor" + }, + { + "creatorType": "translator", + "localized": "Translator" + }, + { + "creatorType": "seriesEditor", + "localized": "Series Editor" + } + ], + "film": [ + { + "creatorType": "director", + "localized": "Director", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "scriptwriter", + "localized": "Scriptwriter" + }, + { + "creatorType": "producer", + "localized": "Producer" + } + ], + "forumPost": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "hearing": [ + { + "creatorType": "contributor", + "localized": "Contributor", + "primary": true + } + ], + "instantMessage": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "recipient", + "localized": "Recipient" + } + ], + "interview": [ + { + "creatorType": "interviewee", + "localized": "Interview With", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "interviewer", + "localized": "Interviewer" + }, + { + "creatorType": "translator", + "localized": "Translator" + } + ], + "journalArticle": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "editor", + "localized": "Editor" + }, + { + "creatorType": "translator", + "localized": "Translator" + }, + { + "creatorType": "reviewedAuthor", + "localized": "Reviewed Author" + } + ], + "letter": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "recipient", + "localized": "Recipient" + } + ], + "magazineArticle": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "translator", + "localized": "Translator" + }, + { + "creatorType": "reviewedAuthor", + "localized": "Reviewed Author" + } + ], + "manuscript": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "translator", + "localized": "Translator" + } + ], + "map": [ + { + "creatorType": "cartographer", + "localized": "Cartographer", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "seriesEditor", + "localized": "Series Editor" + } + ], + "newspaperArticle": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "translator", + "localized": "Translator" + }, + { + "creatorType": "reviewedAuthor", + "localized": "Reviewed Author" + } + ], + "note": [], + "patent": [ + { + "creatorType": "inventor", + "localized": "Inventor", + "primary": true + }, + { + "creatorType": "attorneyAgent", + "localized": "Attorney/Agent" + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "podcast": [ + { + "creatorType": "podcaster", + "localized": "Podcaster", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "guest", + "localized": "Guest" + } + ], + "preprint": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "editor", + "localized": "Editor" + }, + { + "creatorType": "translator", + "localized": "Translator" + }, + { + "creatorType": "reviewedAuthor", + "localized": "Reviewed Author" + } + ], + "presentation": [ + { + "creatorType": "presenter", + "localized": "Presenter", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "radioBroadcast": [ + { + "creatorType": "director", + "localized": "Director", + "primary": true + }, + { + "creatorType": "scriptwriter", + "localized": "Scriptwriter" + }, + { + "creatorType": "producer", + "localized": "Producer" + }, + { + "creatorType": "castMember", + "localized": "Cast Member" + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "guest", + "localized": "Guest" + } + ], + "report": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "translator", + "localized": "Translator" + }, + { + "creatorType": "seriesEditor", + "localized": "Series Editor" + } + ], + "standard": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "statute": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "thesis": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "tvBroadcast": [ + { + "creatorType": "director", + "localized": "Director", + "primary": true + }, + { + "creatorType": "scriptwriter", + "localized": "Scriptwriter" + }, + { + "creatorType": "producer", + "localized": "Producer" + }, + { + "creatorType": "castMember", + "localized": "Cast Member" + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "guest", + "localized": "Guest" + } + ], + "videoRecording": [ + { + "creatorType": "director", + "localized": "Director", + "primary": true + }, + { + "creatorType": "scriptwriter", + "localized": "Scriptwriter" + }, + { + "creatorType": "producer", + "localized": "Producer" + }, + { + "creatorType": "castMember", + "localized": "Cast Member" + }, + { + "creatorType": "contributor", + "localized": "Contributor" + } + ], + "webpage": [ + { + "creatorType": "author", + "localized": "Author", + "primary": true + }, + { + "creatorType": "contributor", + "localized": "Contributor" + }, + { + "creatorType": "translator", + "localized": "Translator" + } + ] + }, + "itemTypeFields": { + "annotation": [], + "artwork": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "artworkMedium", + "localized": "Medium" + }, + { + "field": "artworkSize", + "localized": "Artwork Size" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "attachment": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "url", + "localized": "URL" + } + ], + "audioRecording": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "audioRecordingFormat", + "localized": "Format" + }, + { + "field": "seriesTitle", + "localized": "Series Title" + }, + { + "field": "volume", + "localized": "Volume" + }, + { + "field": "numberOfVolumes", + "localized": "# of Volumes" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "label", + "localized": "Label" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "runningTime", + "localized": "Running Time" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "ISBN", + "localized": "ISBN" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "bill": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "billNumber", + "localized": "Bill Number" + }, + { + "field": "code", + "localized": "Code" + }, + { + "field": "codeVolume", + "localized": "Code Volume" + }, + { + "field": "section", + "localized": "Section" + }, + { + "field": "codePages", + "localized": "Code Pages" + }, + { + "field": "legislativeBody", + "localized": "Legislative Body" + }, + { + "field": "session", + "localized": "Session" + }, + { + "field": "history", + "localized": "History" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "blogPost": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "blogTitle", + "localized": "Blog Title" + }, + { + "field": "websiteType", + "localized": "Website Type" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "book": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "series", + "localized": "Series" + }, + { + "field": "seriesNumber", + "localized": "Series Number" + }, + { + "field": "volume", + "localized": "Volume" + }, + { + "field": "numberOfVolumes", + "localized": "# of Volumes" + }, + { + "field": "edition", + "localized": "Edition" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "publisher", + "localized": "Publisher" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "numPages", + "localized": "# of Pages" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "ISBN", + "localized": "ISBN" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "bookSection": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "bookTitle", + "localized": "Book Title" + }, + { + "field": "series", + "localized": "Series" + }, + { + "field": "seriesNumber", + "localized": "Series Number" + }, + { + "field": "volume", + "localized": "Volume" + }, + { + "field": "numberOfVolumes", + "localized": "# of Volumes" + }, + { + "field": "edition", + "localized": "Edition" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "publisher", + "localized": "Publisher" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "ISBN", + "localized": "ISBN" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "case": [ + { + "field": "caseName", + "localized": "Case Name" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "court", + "localized": "Court" + }, + { + "field": "dateDecided", + "localized": "Date Decided" + }, + { + "field": "docketNumber", + "localized": "Docket Number" + }, + { + "field": "reporter", + "localized": "Reporter" + }, + { + "field": "reporterVolume", + "localized": "Reporter Volume" + }, + { + "field": "firstPage", + "localized": "First Page" + }, + { + "field": "history", + "localized": "History" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "computerProgram": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "seriesTitle", + "localized": "Series Title" + }, + { + "field": "versionNumber", + "localized": "Version" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "system", + "localized": "System" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "company", + "localized": "Company" + }, + { + "field": "programmingLanguage", + "localized": "Prog. Language" + }, + { + "field": "ISBN", + "localized": "ISBN" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "conferencePaper": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "proceedingsTitle", + "localized": "Proceedings Title" + }, + { + "field": "conferenceName", + "localized": "Conference Name" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "publisher", + "localized": "Publisher" + }, + { + "field": "volume", + "localized": "Volume" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "series", + "localized": "Series" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "DOI", + "localized": "DOI" + }, + { + "field": "ISBN", + "localized": "ISBN" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "dataset": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "identifier", + "localized": "Identifier" + }, + { + "field": "type", + "localized": "Type" + }, + { + "field": "versionNumber", + "localized": "Version" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "repository", + "localized": "Repository" + }, + { + "field": "repositoryLocation", + "localized": "Repo. Location" + }, + { + "field": "format", + "localized": "Format" + }, + { + "field": "DOI", + "localized": "DOI" + }, + { + "field": "citationKey", + "localized": "Citation Key" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "dictionaryEntry": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "dictionaryTitle", + "localized": "Dictionary Title" + }, + { + "field": "series", + "localized": "Series" + }, + { + "field": "seriesNumber", + "localized": "Series Number" + }, + { + "field": "volume", + "localized": "Volume" + }, + { + "field": "numberOfVolumes", + "localized": "# of Volumes" + }, + { + "field": "edition", + "localized": "Edition" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "publisher", + "localized": "Publisher" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "ISBN", + "localized": "ISBN" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "document": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "publisher", + "localized": "Publisher" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "email": [ + { + "field": "subject", + "localized": "Subject" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "encyclopediaArticle": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "encyclopediaTitle", + "localized": "Encyclopedia Title" + }, + { + "field": "series", + "localized": "Series" + }, + { + "field": "seriesNumber", + "localized": "Series Number" + }, + { + "field": "volume", + "localized": "Volume" + }, + { + "field": "numberOfVolumes", + "localized": "# of Volumes" + }, + { + "field": "edition", + "localized": "Edition" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "publisher", + "localized": "Publisher" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "ISBN", + "localized": "ISBN" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "film": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "distributor", + "localized": "Distributor" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "genre", + "localized": "Genre" + }, + { + "field": "videoRecordingFormat", + "localized": "Format" + }, + { + "field": "runningTime", + "localized": "Running Time" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "forumPost": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "forumTitle", + "localized": "Forum/Listserv Title" + }, + { + "field": "postType", + "localized": "Post Type" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "hearing": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "committee", + "localized": "Committee" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "publisher", + "localized": "Publisher" + }, + { + "field": "numberOfVolumes", + "localized": "# of Volumes" + }, + { + "field": "documentNumber", + "localized": "Document Number" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "legislativeBody", + "localized": "Legislative Body" + }, + { + "field": "session", + "localized": "Session" + }, + { + "field": "history", + "localized": "History" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "instantMessage": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "interview": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "interviewMedium", + "localized": "Medium" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "journalArticle": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "publicationTitle", + "localized": "Publication" + }, + { + "field": "volume", + "localized": "Volume" + }, + { + "field": "issue", + "localized": "Issue" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "series", + "localized": "Series" + }, + { + "field": "seriesTitle", + "localized": "Series Title" + }, + { + "field": "seriesText", + "localized": "Series Text" + }, + { + "field": "journalAbbreviation", + "localized": "Journal Abbr" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "DOI", + "localized": "DOI" + }, + { + "field": "ISSN", + "localized": "ISSN" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "letter": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "letterType", + "localized": "Type" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "magazineArticle": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "publicationTitle", + "localized": "Publication" + }, + { + "field": "volume", + "localized": "Volume" + }, + { + "field": "issue", + "localized": "Issue" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "ISSN", + "localized": "ISSN" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "manuscript": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "manuscriptType", + "localized": "Type" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "numPages", + "localized": "# of Pages" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "map": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "mapType", + "localized": "Type" + }, + { + "field": "scale", + "localized": "Scale" + }, + { + "field": "seriesTitle", + "localized": "Series Title" + }, + { + "field": "edition", + "localized": "Edition" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "publisher", + "localized": "Publisher" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "ISBN", + "localized": "ISBN" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "newspaperArticle": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "publicationTitle", + "localized": "Publication" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "edition", + "localized": "Edition" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "section", + "localized": "Section" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "ISSN", + "localized": "ISSN" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "note": [], + "patent": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "country", + "localized": "Country" + }, + { + "field": "assignee", + "localized": "Assignee" + }, + { + "field": "issuingAuthority", + "localized": "Issuing Authority" + }, + { + "field": "patentNumber", + "localized": "Patent Number" + }, + { + "field": "filingDate", + "localized": "Filing Date" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "applicationNumber", + "localized": "Application Number" + }, + { + "field": "priorityNumbers", + "localized": "Priority Numbers" + }, + { + "field": "issueDate", + "localized": "Issue Date" + }, + { + "field": "references", + "localized": "References" + }, + { + "field": "legalStatus", + "localized": "Legal Status" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "podcast": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "seriesTitle", + "localized": "Series Title" + }, + { + "field": "episodeNumber", + "localized": "Episode Number" + }, + { + "field": "audioFileType", + "localized": "File Type" + }, + { + "field": "runningTime", + "localized": "Running Time" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "preprint": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "genre", + "localized": "Genre" + }, + { + "field": "repository", + "localized": "Repository" + }, + { + "field": "archiveID", + "localized": "Archive ID" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "series", + "localized": "Series" + }, + { + "field": "seriesNumber", + "localized": "Series Number" + }, + { + "field": "DOI", + "localized": "DOI" + }, + { + "field": "citationKey", + "localized": "Citation Key" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "presentation": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "presentationType", + "localized": "Type" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "meetingName", + "localized": "Meeting Name" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "radioBroadcast": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "programTitle", + "localized": "Program Title" + }, + { + "field": "episodeNumber", + "localized": "Episode Number" + }, + { + "field": "audioRecordingFormat", + "localized": "Format" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "network", + "localized": "Network" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "runningTime", + "localized": "Running Time" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "report": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "reportNumber", + "localized": "Report Number" + }, + { + "field": "reportType", + "localized": "Report Type" + }, + { + "field": "seriesTitle", + "localized": "Series Title" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "institution", + "localized": "Institution" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "standard": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "organization", + "localized": "Organization" + }, + { + "field": "committee", + "localized": "Committee" + }, + { + "field": "type", + "localized": "Type" + }, + { + "field": "number", + "localized": "Number" + }, + { + "field": "versionNumber", + "localized": "Version" + }, + { + "field": "status", + "localized": "Status" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "publisher", + "localized": "Publisher" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "DOI", + "localized": "DOI" + }, + { + "field": "citationKey", + "localized": "Citation Key" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "numPages", + "localized": "# of Pages" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "statute": [ + { + "field": "nameOfAct", + "localized": "Name of Act" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "code", + "localized": "Code" + }, + { + "field": "codeNumber", + "localized": "Code Number" + }, + { + "field": "publicLawNumber", + "localized": "Public Law Number" + }, + { + "field": "dateEnacted", + "localized": "Date Enacted" + }, + { + "field": "pages", + "localized": "Pages" + }, + { + "field": "section", + "localized": "Section" + }, + { + "field": "session", + "localized": "Session" + }, + { + "field": "history", + "localized": "History" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "thesis": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "thesisType", + "localized": "Type" + }, + { + "field": "university", + "localized": "University" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "numPages", + "localized": "# of Pages" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "tvBroadcast": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "programTitle", + "localized": "Program Title" + }, + { + "field": "episodeNumber", + "localized": "Episode Number" + }, + { + "field": "videoRecordingFormat", + "localized": "Format" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "network", + "localized": "Network" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "runningTime", + "localized": "Running Time" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "videoRecording": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "videoRecordingFormat", + "localized": "Format" + }, + { + "field": "seriesTitle", + "localized": "Series Title" + }, + { + "field": "volume", + "localized": "Volume" + }, + { + "field": "numberOfVolumes", + "localized": "# of Volumes" + }, + { + "field": "place", + "localized": "Place" + }, + { + "field": "studio", + "localized": "Studio" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "runningTime", + "localized": "Running Time" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "ISBN", + "localized": "ISBN" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "archive", + "localized": "Archive" + }, + { + "field": "archiveLocation", + "localized": "Loc. in Archive" + }, + { + "field": "libraryCatalog", + "localized": "Library Catalog" + }, + { + "field": "callNumber", + "localized": "Call Number" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ], + "webpage": [ + { + "field": "title", + "localized": "Title" + }, + { + "field": "abstractNote", + "localized": "Abstract" + }, + { + "field": "websiteTitle", + "localized": "Website Title" + }, + { + "field": "websiteType", + "localized": "Website Type" + }, + { + "field": "date", + "localized": "Date" + }, + { + "field": "shortTitle", + "localized": "Short Title" + }, + { + "field": "url", + "localized": "URL" + }, + { + "field": "accessDate", + "localized": "Accessed" + }, + { + "field": "language", + "localized": "Language" + }, + { + "field": "rights", + "localized": "Rights" + }, + { + "field": "extra", + "localized": "Extra" + } + ] + }, + "itemTemplates": {}, + "invalidated": false, + "mappings": { + "artwork": { + "medium": "artworkMedium" + }, + "audioRecording": { + "medium": "audioRecordingFormat", + "publisher": "label" + }, + "bill": { + "number": "billNumber", + "volume": "codeVolume", + "pages": "codePages", + "authority": "legislativeBody" + }, + "blogPost": { + "publicationTitle": "blogTitle", + "type": "websiteType" + }, + "bookSection": { + "publicationTitle": "bookTitle" + }, + "case": { + "title": "caseName", + "authority": "court", + "date": "dateDecided", + "number": "docketNumber", + "volume": "reporterVolume", + "pages": "firstPage" + }, + "computerProgram": { + "publisher": "company" + }, + "conferencePaper": { + "publicationTitle": "proceedingsTitle" + }, + "dataset": { + "number": "identifier", + "publisher": "repository", + "place": "repositoryLocation", + "medium": "format" + }, + "dictionaryEntry": { + "publicationTitle": "dictionaryTitle" + }, + "email": { + "title": "subject" + }, + "encyclopediaArticle": { + "publicationTitle": "encyclopediaTitle" + }, + "film": { + "publisher": "distributor", + "type": "genre", + "medium": "videoRecordingFormat" + }, + "forumPost": { + "publicationTitle": "forumTitle", + "type": "postType" + }, + "hearing": { + "number": "documentNumber", + "authority": "legislativeBody" + }, + "interview": { + "medium": "interviewMedium" + }, + "letter": { + "type": "letterType" + }, + "manuscript": { + "type": "manuscriptType" + }, + "map": { + "type": "mapType" + }, + "patent": { + "authority": "issuingAuthority", + "number": "patentNumber", + "date": "issueDate", + "status": "legalStatus" + }, + "podcast": { + "number": "episodeNumber", + "medium": "audioFileType" + }, + "preprint": { + "type": "genre", + "publisher": "repository", + "number": "archiveID" + }, + "presentation": { + "type": "presentationType" + }, + "radioBroadcast": { + "publicationTitle": "programTitle", + "number": "episodeNumber", + "medium": "audioRecordingFormat", + "publisher": "network" + }, + "report": { + "number": "reportNumber", + "type": "reportType", + "publisher": "institution" + }, + "standard": { + "authority": "organization" + }, + "statute": { + "title": "nameOfAct", + "number": "publicLawNumber", + "date": "dateEnacted" + }, + "thesis": { + "type": "thesisType", + "publisher": "university" + }, + "tvBroadcast": { + "publicationTitle": "programTitle", + "number": "episodeNumber", + "medium": "videoRecordingFormat", + "publisher": "network" + }, + "videoRecording": { + "medium": "videoRecordingFormat", + "publisher": "studio" + }, + "webpage": { + "publicationTitle": "websiteTitle", + "type": "websiteType" + } + } + }, + "modal": { + "id": null + }, + "ongoing": [], + "preferences": { + "citationStyle": "harvard-educational-review", + "citationLocale": "pl-PL", + "installedCitationStyles": [ + { + "name": "nature", + "title": "Nature" + }, + { + "name": "harvard-educational-review", + "title": "Harvard Educational Review" + }, + { + "name": "harvard1", + "title": "Harvard reference format 1 (deprecated)" + }, + { + "name": "african-online-scientific-information-systems-harvard", + "title": "African Online Scientific Information Systems - Harvard" + }, + { + "name": "harvard-anglia-ruskin-university", + "title": "Anglia Ruskin University - Harvard" + }, + { + "name": "harvard-cape-peninsula-university-of-technology", + "title": "Cape Peninsula University of Technology - Harvard" + }, + { + "name": "cardiff-university-harvard", + "title": "Cardiff University - Harvard" + }, + { + "name": "harvard-cite-them-right-10th-edition", + "title": "Cite Them Right 10th edition - Harvard" + }, + { + "name": "polar-biology", + "title": "Polar Biology" + }, + { + "name": "polar-research", + "title": "Polar Research" + }, + { + "name": "polar-science", + "title": "Polar Science" + }, + { + "name": "police-practice-and-research", + "title": "Police Practice and Research" + }, + { + "name": "policy-and-politics", + "title": "Policy & Politics" + }, + { + "name": "policy-and-society", + "title": "Policy and Society" + } + ], + "columns": [ + { + "field": "title", + "fraction": 0.33357142857142863, + "isVisible": true, + "minFraction": 0.1, + "sort": "asc" + }, + { + "field": "creator", + "fraction": 0.29999999999999993, + "isVisible": true, + "minFraction": 0.05 + }, + { + "field": "date", + "fraction": 0.10873786407766994, + "isVisible": true, + "minFraction": 0.05 + }, + { + "field": "itemType", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "year", + "fraction": 0.1, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "publisher", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "publicationTitle", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "journalAbbreviation", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "language", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "libraryCatalog", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "callNumber", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "rights", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "dateAdded", + "fraction": 0.10000000000000002, + "isVisible": true, + "minFraction": 0.05 + }, + { + "field": "dateModified", + "fraction": 0.1, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "extra", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "createdByUser", + "fraction": 0.2, + "isVisible": false, + "minFraction": 0.05 + }, + { + "field": "attachment", + "fraction": 0.15769070735090152, + "isVisible": true, + "minFraction": 0.05 + } + ], + "version": "1.4.1", + "isReaderSidebarOpen": true, + "readerSidebarWidth": 255.00979614257812 + }, + "query": { + "current": { + "tag": [], + "q": "", + "qmode": "titleCreatorYear" + }, + "isFetching": false, + "itemKeys": [], + "requests": [], + "tags": {}, + "keys": [] + }, + "sources": { + "fetching": [], + "fetched": [] + }, + "styles": { + "isFetching": false, + "stylesData": null + }, + "traffic": { + "SCHEMA": { + "lastRequest": 1709217484905, + "ongoing": [], + "last": { + "type": "RECEIVE_SCHEMA", + "schema": { + "version": 29, + "itemTypes": [ + { + "itemType": "annotation", + "fields": [], + "creatorTypes": [] + }, + { + "itemType": "artwork", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "artworkMedium", + "baseField": "medium" + }, + { + "field": "artworkSize" + }, + { + "field": "date" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "artist", + "primary": true + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "attachment", + "fields": [ + { + "field": "title" + }, + { + "field": "accessDate" + }, + { + "field": "url" + } + ], + "creatorTypes": [] + }, + { + "itemType": "audioRecording", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "audioRecordingFormat", + "baseField": "medium" + }, + { + "field": "seriesTitle" + }, + { + "field": "volume" + }, + { + "field": "numberOfVolumes" + }, + { + "field": "place" + }, + { + "field": "label", + "baseField": "publisher" + }, + { + "field": "date" + }, + { + "field": "runningTime" + }, + { + "field": "language" + }, + { + "field": "ISBN" + }, + { + "field": "shortTitle" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "performer", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "composer" + }, + { + "creatorType": "wordsBy" + } + ] + }, + { + "itemType": "bill", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "billNumber", + "baseField": "number" + }, + { + "field": "code" + }, + { + "field": "codeVolume", + "baseField": "volume" + }, + { + "field": "section" + }, + { + "field": "codePages", + "baseField": "pages" + }, + { + "field": "legislativeBody", + "baseField": "authority" + }, + { + "field": "session" + }, + { + "field": "history" + }, + { + "field": "date" + }, + { + "field": "language" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "shortTitle" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "sponsor", + "primary": true + }, + { + "creatorType": "cosponsor" + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "blogPost", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "blogTitle", + "baseField": "publicationTitle" + }, + { + "field": "websiteType", + "baseField": "type" + }, + { + "field": "date" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "commenter" + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "book", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "series" + }, + { + "field": "seriesNumber" + }, + { + "field": "volume" + }, + { + "field": "numberOfVolumes" + }, + { + "field": "edition" + }, + { + "field": "place" + }, + { + "field": "publisher" + }, + { + "field": "date" + }, + { + "field": "numPages" + }, + { + "field": "language" + }, + { + "field": "ISBN" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "editor" + }, + { + "creatorType": "translator" + }, + { + "creatorType": "seriesEditor" + } + ] + }, + { + "itemType": "bookSection", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "bookTitle", + "baseField": "publicationTitle" + }, + { + "field": "series" + }, + { + "field": "seriesNumber" + }, + { + "field": "volume" + }, + { + "field": "numberOfVolumes" + }, + { + "field": "edition" + }, + { + "field": "place" + }, + { + "field": "publisher" + }, + { + "field": "date" + }, + { + "field": "pages" + }, + { + "field": "language" + }, + { + "field": "ISBN" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "editor" + }, + { + "creatorType": "bookAuthor" + }, + { + "creatorType": "translator" + }, + { + "creatorType": "seriesEditor" + } + ] + }, + { + "itemType": "case", + "fields": [ + { + "field": "caseName", + "baseField": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "court", + "baseField": "authority" + }, + { + "field": "dateDecided", + "baseField": "date" + }, + { + "field": "docketNumber", + "baseField": "number" + }, + { + "field": "reporter" + }, + { + "field": "reporterVolume", + "baseField": "volume" + }, + { + "field": "firstPage", + "baseField": "pages" + }, + { + "field": "history" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "counsel" + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "computerProgram", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "seriesTitle" + }, + { + "field": "versionNumber" + }, + { + "field": "date" + }, + { + "field": "system" + }, + { + "field": "place" + }, + { + "field": "company", + "baseField": "publisher" + }, + { + "field": "programmingLanguage" + }, + { + "field": "ISBN" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "rights" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "accessDate" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "programmer", + "primary": true + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "conferencePaper", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "date" + }, + { + "field": "proceedingsTitle", + "baseField": "publicationTitle" + }, + { + "field": "conferenceName" + }, + { + "field": "place" + }, + { + "field": "publisher" + }, + { + "field": "volume" + }, + { + "field": "pages" + }, + { + "field": "series" + }, + { + "field": "language" + }, + { + "field": "DOI" + }, + { + "field": "ISBN" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "editor" + }, + { + "creatorType": "translator" + }, + { + "creatorType": "seriesEditor" + } + ] + }, + { + "itemType": "dataset", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "identifier", + "baseField": "number" + }, + { + "field": "type" + }, + { + "field": "versionNumber" + }, + { + "field": "date" + }, + { + "field": "repository", + "baseField": "publisher" + }, + { + "field": "repositoryLocation", + "baseField": "place" + }, + { + "field": "format", + "baseField": "medium" + }, + { + "field": "DOI" + }, + { + "field": "citationKey" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "shortTitle" + }, + { + "field": "language" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "dictionaryEntry", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "dictionaryTitle", + "baseField": "publicationTitle" + }, + { + "field": "series" + }, + { + "field": "seriesNumber" + }, + { + "field": "volume" + }, + { + "field": "numberOfVolumes" + }, + { + "field": "edition" + }, + { + "field": "place" + }, + { + "field": "publisher" + }, + { + "field": "date" + }, + { + "field": "pages" + }, + { + "field": "language" + }, + { + "field": "ISBN" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "editor" + }, + { + "creatorType": "translator" + }, + { + "creatorType": "seriesEditor" + } + ] + }, + { + "itemType": "document", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "publisher" + }, + { + "field": "date" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "editor" + }, + { + "creatorType": "translator" + }, + { + "creatorType": "reviewedAuthor" + } + ] + }, + { + "itemType": "email", + "fields": [ + { + "field": "subject", + "baseField": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "date" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "language" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "recipient" + } + ] + }, + { + "itemType": "encyclopediaArticle", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "encyclopediaTitle", + "baseField": "publicationTitle" + }, + { + "field": "series" + }, + { + "field": "seriesNumber" + }, + { + "field": "volume" + }, + { + "field": "numberOfVolumes" + }, + { + "field": "edition" + }, + { + "field": "place" + }, + { + "field": "publisher" + }, + { + "field": "date" + }, + { + "field": "pages" + }, + { + "field": "ISBN" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "language" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "editor" + }, + { + "creatorType": "translator" + }, + { + "creatorType": "seriesEditor" + } + ] + }, + { + "itemType": "film", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "distributor", + "baseField": "publisher" + }, + { + "field": "date" + }, + { + "field": "genre", + "baseField": "type" + }, + { + "field": "videoRecordingFormat", + "baseField": "medium" + }, + { + "field": "runningTime" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "director", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "scriptwriter" + }, + { + "creatorType": "producer" + } + ] + }, + { + "itemType": "forumPost", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "forumTitle", + "baseField": "publicationTitle" + }, + { + "field": "postType", + "baseField": "type" + }, + { + "field": "date" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "hearing", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "committee" + }, + { + "field": "place" + }, + { + "field": "publisher" + }, + { + "field": "numberOfVolumes" + }, + { + "field": "documentNumber", + "baseField": "number" + }, + { + "field": "pages" + }, + { + "field": "legislativeBody", + "baseField": "authority" + }, + { + "field": "session" + }, + { + "field": "history" + }, + { + "field": "date" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "contributor", + "primary": true + } + ] + }, + { + "itemType": "instantMessage", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "date" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "recipient" + } + ] + }, + { + "itemType": "interview", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "date" + }, + { + "field": "interviewMedium", + "baseField": "medium" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "interviewee", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "interviewer" + }, + { + "creatorType": "translator" + } + ] + }, + { + "itemType": "journalArticle", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "publicationTitle" + }, + { + "field": "volume" + }, + { + "field": "issue" + }, + { + "field": "pages" + }, + { + "field": "date" + }, + { + "field": "series" + }, + { + "field": "seriesTitle" + }, + { + "field": "seriesText" + }, + { + "field": "journalAbbreviation" + }, + { + "field": "language" + }, + { + "field": "DOI" + }, + { + "field": "ISSN" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "editor" + }, + { + "creatorType": "translator" + }, + { + "creatorType": "reviewedAuthor" + } + ] + }, + { + "itemType": "letter", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "letterType", + "baseField": "type" + }, + { + "field": "date" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "recipient" + } + ] + }, + { + "itemType": "magazineArticle", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "publicationTitle" + }, + { + "field": "volume" + }, + { + "field": "issue" + }, + { + "field": "date" + }, + { + "field": "pages" + }, + { + "field": "language" + }, + { + "field": "ISSN" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "translator" + }, + { + "creatorType": "reviewedAuthor" + } + ] + }, + { + "itemType": "manuscript", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "manuscriptType", + "baseField": "type" + }, + { + "field": "place" + }, + { + "field": "date" + }, + { + "field": "numPages" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "translator" + } + ] + }, + { + "itemType": "map", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "mapType", + "baseField": "type" + }, + { + "field": "scale" + }, + { + "field": "seriesTitle" + }, + { + "field": "edition" + }, + { + "field": "place" + }, + { + "field": "publisher" + }, + { + "field": "date" + }, + { + "field": "language" + }, + { + "field": "ISBN" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "cartographer", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "seriesEditor" + } + ] + }, + { + "itemType": "newspaperArticle", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "publicationTitle" + }, + { + "field": "place" + }, + { + "field": "edition" + }, + { + "field": "date" + }, + { + "field": "section" + }, + { + "field": "pages" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "ISSN" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "translator" + }, + { + "creatorType": "reviewedAuthor" + } + ] + }, + { + "itemType": "note", + "fields": [], + "creatorTypes": [] + }, + { + "itemType": "patent", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "place" + }, + { + "field": "country" + }, + { + "field": "assignee" + }, + { + "field": "issuingAuthority", + "baseField": "authority" + }, + { + "field": "patentNumber", + "baseField": "number" + }, + { + "field": "filingDate" + }, + { + "field": "pages" + }, + { + "field": "applicationNumber" + }, + { + "field": "priorityNumbers" + }, + { + "field": "issueDate", + "baseField": "date" + }, + { + "field": "references" + }, + { + "field": "legalStatus", + "baseField": "status" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "inventor", + "primary": true + }, + { + "creatorType": "attorneyAgent" + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "podcast", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "seriesTitle" + }, + { + "field": "episodeNumber", + "baseField": "number" + }, + { + "field": "audioFileType", + "baseField": "medium" + }, + { + "field": "runningTime" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "podcaster", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "guest" + } + ] + }, + { + "itemType": "preprint", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "genre", + "baseField": "type" + }, + { + "field": "repository", + "baseField": "publisher" + }, + { + "field": "archiveID", + "baseField": "number" + }, + { + "field": "place" + }, + { + "field": "date" + }, + { + "field": "series" + }, + { + "field": "seriesNumber" + }, + { + "field": "DOI" + }, + { + "field": "citationKey" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "shortTitle" + }, + { + "field": "language" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "editor" + }, + { + "creatorType": "translator" + }, + { + "creatorType": "reviewedAuthor" + } + ] + }, + { + "itemType": "presentation", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "presentationType", + "baseField": "type" + }, + { + "field": "date" + }, + { + "field": "place" + }, + { + "field": "meetingName" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "presenter", + "primary": true + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "radioBroadcast", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "programTitle", + "baseField": "publicationTitle" + }, + { + "field": "episodeNumber", + "baseField": "number" + }, + { + "field": "audioRecordingFormat", + "baseField": "medium" + }, + { + "field": "place" + }, + { + "field": "network", + "baseField": "publisher" + }, + { + "field": "date" + }, + { + "field": "runningTime" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "director", + "primary": true + }, + { + "creatorType": "scriptwriter" + }, + { + "creatorType": "producer" + }, + { + "creatorType": "castMember" + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "guest" + } + ] + }, + { + "itemType": "report", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "reportNumber", + "baseField": "number" + }, + { + "field": "reportType", + "baseField": "type" + }, + { + "field": "seriesTitle" + }, + { + "field": "place" + }, + { + "field": "institution", + "baseField": "publisher" + }, + { + "field": "date" + }, + { + "field": "pages" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "translator" + }, + { + "creatorType": "seriesEditor" + } + ] + }, + { + "itemType": "standard", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "organization", + "baseField": "authority" + }, + { + "field": "committee" + }, + { + "field": "type" + }, + { + "field": "number" + }, + { + "field": "versionNumber" + }, + { + "field": "status" + }, + { + "field": "date" + }, + { + "field": "publisher" + }, + { + "field": "place" + }, + { + "field": "DOI" + }, + { + "field": "citationKey" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "shortTitle" + }, + { + "field": "numPages" + }, + { + "field": "language" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "statute", + "fields": [ + { + "field": "nameOfAct", + "baseField": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "code" + }, + { + "field": "codeNumber" + }, + { + "field": "publicLawNumber", + "baseField": "number" + }, + { + "field": "dateEnacted", + "baseField": "date" + }, + { + "field": "pages" + }, + { + "field": "section" + }, + { + "field": "session" + }, + { + "field": "history" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "thesis", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "thesisType", + "baseField": "type" + }, + { + "field": "university", + "baseField": "publisher" + }, + { + "field": "place" + }, + { + "field": "date" + }, + { + "field": "numPages" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "tvBroadcast", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "programTitle", + "baseField": "publicationTitle" + }, + { + "field": "episodeNumber", + "baseField": "number" + }, + { + "field": "videoRecordingFormat", + "baseField": "medium" + }, + { + "field": "place" + }, + { + "field": "network", + "baseField": "publisher" + }, + { + "field": "date" + }, + { + "field": "runningTime" + }, + { + "field": "language" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "director", + "primary": true + }, + { + "creatorType": "scriptwriter" + }, + { + "creatorType": "producer" + }, + { + "creatorType": "castMember" + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "guest" + } + ] + }, + { + "itemType": "videoRecording", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "videoRecordingFormat", + "baseField": "medium" + }, + { + "field": "seriesTitle" + }, + { + "field": "volume" + }, + { + "field": "numberOfVolumes" + }, + { + "field": "place" + }, + { + "field": "studio", + "baseField": "publisher" + }, + { + "field": "date" + }, + { + "field": "runningTime" + }, + { + "field": "language" + }, + { + "field": "ISBN" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "archive" + }, + { + "field": "archiveLocation" + }, + { + "field": "libraryCatalog" + }, + { + "field": "callNumber" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "director", + "primary": true + }, + { + "creatorType": "scriptwriter" + }, + { + "creatorType": "producer" + }, + { + "creatorType": "castMember" + }, + { + "creatorType": "contributor" + } + ] + }, + { + "itemType": "webpage", + "fields": [ + { + "field": "title" + }, + { + "field": "abstractNote" + }, + { + "field": "websiteTitle", + "baseField": "publicationTitle" + }, + { + "field": "websiteType", + "baseField": "type" + }, + { + "field": "date" + }, + { + "field": "shortTitle" + }, + { + "field": "url" + }, + { + "field": "accessDate" + }, + { + "field": "language" + }, + { + "field": "rights" + }, + { + "field": "extra" + } + ], + "creatorTypes": [ + { + "creatorType": "author", + "primary": true + }, + { + "creatorType": "contributor" + }, + { + "creatorType": "translator" + } + ] + } + ], + "meta": { + "fields": { + "date": { + "type": "date" + }, + "filingDate": { + "type": "date" + } + } + }, + "csl": { + "types": { + "article": [ + "preprint" + ], + "article-journal": [ + "journalArticle" + ], + "article-magazine": [ + "magazineArticle" + ], + "article-newspaper": [ + "newspaperArticle" + ], + "bill": [ + "bill" + ], + "book": [ + "book" + ], + "broadcast": [ + "podcast", + "tvBroadcast", + "radioBroadcast" + ], + "chapter": [ + "bookSection" + ], + "dataset": [ + "dataset" + ], + "document": [ + "document", + "attachment", + "note" + ], + "entry-dictionary": [ + "dictionaryEntry" + ], + "entry-encyclopedia": [ + "encyclopediaArticle" + ], + "graphic": [ + "artwork" + ], + "hearing": [ + "hearing" + ], + "interview": [ + "interview" + ], + "legal_case": [ + "case" + ], + "legislation": [ + "statute" + ], + "manuscript": [ + "manuscript" + ], + "map": [ + "map" + ], + "motion_picture": [ + "film", + "videoRecording" + ], + "paper-conference": [ + "conferencePaper" + ], + "patent": [ + "patent" + ], + "personal_communication": [ + "letter", + "email", + "instantMessage" + ], + "post": [ + "forumPost" + ], + "post-weblog": [ + "blogPost" + ], + "report": [ + "report" + ], + "software": [ + "computerProgram" + ], + "song": [ + "audioRecording" + ], + "speech": [ + "presentation" + ], + "standard": [ + "standard" + ], + "thesis": [ + "thesis" + ], + "webpage": [ + "webpage" + ] + }, + "fields": { + "text": { + "abstract": [ + "abstractNote" + ], + "archive": [ + "archive" + ], + "archive_location": [ + "archiveLocation" + ], + "authority": [ + "authority" + ], + "call-number": [ + "callNumber", + "applicationNumber" + ], + "chapter-number": [ + "session" + ], + "collection-number": [ + "seriesNumber" + ], + "collection-title": [ + "seriesTitle", + "series" + ], + "container-title": [ + "publicationTitle", + "reporter", + "code" + ], + "dimensions": [ + "artworkSize", + "runningTime" + ], + "DOI": [ + "DOI" + ], + "edition": [ + "edition" + ], + "event-place": [ + "place" + ], + "event-title": [ + "meetingName", + "conferenceName" + ], + "genre": [ + "type", + "programmingLanguage" + ], + "ISBN": [ + "ISBN" + ], + "ISSN": [ + "ISSN" + ], + "issue": [ + "issue", + "priorityNumbers" + ], + "journalAbbreviation": [ + "journalAbbreviation" + ], + "language": [ + "language" + ], + "license": [ + "rights" + ], + "medium": [ + "medium", + "system" + ], + "note": [ + "extra" + ], + "number": [ + "number" + ], + "number-of-pages": [ + "numPages" + ], + "number-of-volumes": [ + "numberOfVolumes" + ], + "page": [ + "pages" + ], + "publisher": [ + "publisher" + ], + "publisher-place": [ + "place" + ], + "references": [ + "history", + "references" + ], + "scale": [ + "scale" + ], + "section": [ + "section", + "committee" + ], + "shortTitle": [ + "shortTitle" + ], + "source": [ + "libraryCatalog" + ], + "status": [ + "status" + ], + "title": [ + "title" + ], + "title-short": [ + "shortTitle" + ], + "URL": [ + "url" + ], + "version": [ + "versionNumber" + ], + "volume": [ + "volume", + "codeNumber" + ] + }, + "date": { + "accessed": "accessDate", + "issued": "date", + "submitted": "filingDate" + } + }, + "names": { + "author": "author", + "bookAuthor": "container-author", + "castMember": "performer", + "composer": "composer", + "contributor": "contributor", + "director": "director", + "editor": "editor", + "guest": "guest", + "interviewer": "interviewer", + "producer": "producer", + "recipient": "recipient", + "reviewedAuthor": "reviewed-author", + "seriesEditor": "collection-editor", + "scriptwriter": "script-writer", + "translator": "translator" + } + }, + "locales": { + "af-ZA": { + "itemTypes": { + "annotation": "Annotation", + "artwork": "Artwork", + "attachment": "Attachment", + "audioRecording": "Audio Recording", + "bill": "Bill", + "blogPost": "Blog Post", + "book": "Book", + "bookSection": "Book Section", + "case": "Case", + "computerProgram": "Software", + "conferencePaper": "Conference Paper", + "dataset": "Dataset", + "dictionaryEntry": "Dictionary Entry", + "document": "Document", + "email": "E-mail", + "encyclopediaArticle": "Encyclopedia Article", + "film": "Film", + "forumPost": "Forum Post", + "hearing": "Hearing", + "instantMessage": "Instant Message", + "interview": "Interview", + "journalArticle": "Journal Article", + "letter": "Letter", + "magazineArticle": "Magazine Article", + "manuscript": "Manuscript", + "map": "Map", + "newspaperArticle": "Newspaper Article", + "note": "Note", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Presentation", + "radioBroadcast": "Radio Broadcast", + "report": "Report", + "standard": "Standard", + "statute": "Statute", + "thesis": "Thesis", + "tvBroadcast": "TV Broadcast", + "videoRecording": "Video Recording", + "webpage": "Web Page" + }, + "fields": { + "abstractNote": "Abstract", + "accessDate": "Gebruik/Toegang verkry", + "applicationNumber": "Application Number", + "archive": "Archive", + "archiveID": "Archive ID", + "archiveLocation": "Loc. in Archive", + "artworkMedium": "Medium", + "artworkSize": "Artwork Size", + "assignee": "Assignee", + "audioFileType": "File Type", + "audioRecordingFormat": "Format", + "authority": "Authority", + "billNumber": "Bill Number", + "blogTitle": "Blog Title", + "bookTitle": "Book Title", + "callNumber": "Telefoonnommer", + "caseName": "Case Name", + "citationKey": "Citation Key", + "code": "Code", + "codeNumber": "Code Number", + "codePages": "Code Pages", + "codeVolume": "Code Volume", + "committee": "Committee", + "company": "Company", + "conferenceName": "Conference Name", + "country": "Country", + "court": "Court", + "date": "Datum", + "dateAdded": "Datum bygevoeg", + "dateDecided": "Date Decided", + "dateEnacted": "Date Enacted", + "dateModified": "Modified", + "dictionaryTitle": "Dictionary Title", + "distributor": "Distributor", + "docketNumber": "Docket Number", + "documentNumber": "Document Number", + "DOI": "DOI", + "edition": "Edition", + "encyclopediaTitle": "Encyclopedia Title", + "episodeNumber": "Episode Number", + "extra": "Extra", + "filingDate": "Filing Date", + "firstPage": "First Page", + "format": "Format", + "forumTitle": "Forum/Listserv Title", + "genre": "Genre", + "history": "History", + "identifier": "Identifier", + "institution": "Institution", + "interviewMedium": "Medium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Issue", + "issueDate": "Issue Date", + "issuingAuthority": "Issuing Authority", + "itemType": "Tipe item", + "journalAbbreviation": "Joernaalafkorting", + "label": "Label", + "language": "Language", + "legalStatus": "Legal Status", + "legislativeBody": "Legislative Body", + "letterType": "Type", + "libraryCatalog": "Biblioteekkatalogus", + "manuscriptType": "Type", + "mapType": "Type", + "medium": "Medium", + "meetingName": "Meeting Name", + "nameOfAct": "Name of Act", + "network": "Network", + "number": "Number", + "numberOfVolumes": "# of Volumes", + "numPages": "# of Pages", + "organization": "Organization", + "pages": "Pages", + "patentNumber": "Patent Number", + "place": "Place", + "postType": "Post Type", + "presentationType": "Type", + "priorityNumbers": "Priority Numbers", + "proceedingsTitle": "Proceedings Title", + "programmingLanguage": "Prog. Language", + "programTitle": "Program Title", + "publicationTitle": "Publikasie", + "publicLawNumber": "Public Law Number", + "publisher": "Uitgewer", + "references": "References", + "reporter": "Reporter", + "reporterVolume": "Reporter Volume", + "reportNumber": "Report Number", + "reportType": "Report Type", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Regte", + "runningTime": "Running Time", + "scale": "Scale", + "section": "Section", + "series": "Series", + "seriesNumber": "Series Number", + "seriesText": "Series Text", + "seriesTitle": "Series Title", + "session": "Session", + "shortTitle": "Short Title", + "status": "Status", + "studio": "Studio", + "subject": "Subject", + "system": "System", + "thesisType": "Type", + "title": "Title", + "type": "Type", + "university": "University", + "url": "URL", + "versionNumber": "Version", + "videoRecordingFormat": "Format", + "volume": "Volume", + "websiteTitle": "Website Title", + "websiteType": "Website Type" + }, + "creatorTypes": { + "artist": "Artist", + "attorneyAgent": "Attorney/Agent", + "author": "Author", + "bookAuthor": "Book Author", + "cartographer": "Cartographer", + "castMember": "Cast Member", + "commenter": "Commenter", + "composer": "Composer", + "contributor": "Contributor", + "cosponsor": "Cosponsor", + "counsel": "Counsel", + "director": "Director", + "editor": "Editor", + "guest": "Guest", + "interviewee": "Interview With", + "interviewer": "Interviewer", + "inventor": "Inventor", + "performer": "Performer", + "podcaster": "Podcaster", + "presenter": "Presenter", + "producer": "Producer", + "programmer": "Programmer", + "recipient": "Recipient", + "reviewedAuthor": "Reviewed Author", + "scriptwriter": "Scriptwriter", + "seriesEditor": "Series Editor", + "sponsor": "Sponsor", + "translator": "Translator", + "wordsBy": "Words By" + } + }, + "ar": { + "itemTypes": { + "annotation": "تعليق", + "artwork": "عمل فني", + "attachment": "مرفق", + "audioRecording": "تسجيل صوتي", + "bill": "مسودّة قانون", + "blogPost": "موضوع في مدونة", + "book": "كتاب", + "bookSection": "قسم في كتاب", + "case": "قضية", + "computerProgram": "Software", + "conferencePaper": "ورقة عمل في مؤتمر", + "dataset": "Dataset", + "dictionaryEntry": "كلمة في المعجم", + "document": "مستند", + "email": "بريد الكتروني", + "encyclopediaArticle": "مقالة في موسوعة", + "film": "فيلم", + "forumPost": "موضوع في منتدى", + "hearing": "سماع شهادة", + "instantMessage": "مراسلة فورية على الانترنت", + "interview": "مقابلة", + "journalArticle": "مقالة في دورية", + "letter": "خطاب", + "magazineArticle": "مقالة في مجلة", + "manuscript": "مخطوطة", + "map": "خريطة", + "newspaperArticle": "مقالة في جريدة", + "note": "ملاحظة", + "patent": "براءة الإختراع", + "podcast": "تدوينة وسائطية", + "preprint": "Preprint", + "presentation": "عرض تقديمي", + "radioBroadcast": "بث إذاعي", + "report": "تقرير", + "standard": "قياسي", + "statute": "قانون", + "thesis": "أطروحة", + "tvBroadcast": "بث تلفزيوني", + "videoRecording": "تسجيل فيديو", + "webpage": "صفحة ويب" + }, + "fields": { + "abstractNote": "المستخلص", + "accessDate": "تاريخ الدخول", + "applicationNumber": "رقم الطلب", + "archive": "الارشيف", + "archiveID": "Archive ID", + "archiveLocation": "الموقع في الأرشيف", + "artworkMedium": "وسيط العمل الفني", + "artworkSize": "حجم العمل الفني", + "assignee": "المخول بالمهمة", + "audioFileType": "نوع الملف الصوتي", + "audioRecordingFormat": "صيغة التسجيل الصوتي", + "authority": "Authority", + "billNumber": "رقم مسودّة القانون", + "blogTitle": "عنوان المدونة", + "bookTitle": "عنوان الكتاب", + "callNumber": "رقم الإسترجاع", + "caseName": "اسم القضية", + "citationKey": "Citation Key", + "code": "التشفير", + "codeNumber": "رقم الرمز", + "codePages": "صفحات القانون", + "codeVolume": "مجلد القانون", + "committee": "اللجنة", + "company": "الشركة", + "conferenceName": "اسم المؤتمر", + "country": "البلد", + "court": "المحكمة", + "date": "التاريخ", + "dateAdded": "تاريخ الإضافة", + "dateDecided": "تاريخ الحكم", + "dateEnacted": "تاريخ سن القانون", + "dateModified": "تاريخ التعديل", + "dictionaryTitle": "عنوان القاموس", + "distributor": "الموزع", + "docketNumber": "رقم القضية", + "documentNumber": "رقم المستند", + "DOI": "معرف الكائن الرقمي", + "edition": "الطبعة", + "encyclopediaTitle": "عنوان الموسوعة", + "episodeNumber": "رقم الموضوع", + "extra": "معلومات إضافية", + "filingDate": "تاريخ الايداع", + "firstPage": "الصفحة الأولى", + "format": "الصيغة", + "forumTitle": "عنوان المنتدى", + "genre": "النوع الأدبي", + "history": "التاريخ", + "identifier": "Identifier", + "institution": "المؤسسة", + "interviewMedium": "وسيط المقابلة", + "ISBN": "تدمك", + "ISSN": "تدمد", + "issue": "العدد", + "issueDate": "تاريخ الإصدار", + "issuingAuthority": "مسئولية الاصدار", + "itemType": "نوع العنصر", + "journalAbbreviation": "اختصار الدورية", + "label": "علامة", + "language": "اللغة", + "legalStatus": "الحالة القانونية", + "legislativeBody": "الجهة التشريعية", + "letterType": "نوع الخطاب", + "libraryCatalog": "فهرس المكتبة", + "manuscriptType": "نوع المخطوطة", + "mapType": "نوع الخريطة", + "medium": "الوسيط", + "meetingName": "اسم الإجتماع", + "nameOfAct": "اسم القانون", + "network": "الشبكة", + "number": "الرقم", + "numberOfVolumes": "عدد المجلدات", + "numPages": "عدد الصفحات", + "organization": "Organization", + "pages": "الصفحات", + "patentNumber": "رقم البرائة", + "place": "المكان", + "postType": "نوع الموضوع", + "presentationType": "نوع العرض التقديمي", + "priorityNumbers": "ارقام الأولوية", + "proceedingsTitle": "عنوان ورقة العمل", + "programmingLanguage": "Prog. Language", + "programTitle": "عنوان البرنامج", + "publicationTitle": "عنوان المنشور", + "publicLawNumber": "رقم القانون العام", + "publisher": "الناشر", + "references": "مراجع", + "reporter": "المراسل", + "reporterVolume": "مجلد الأحكام", + "reportNumber": "رقم التقرير", + "reportType": "نوع التقرير", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "الحقوق", + "runningTime": "وقت التشغيل", + "scale": "مقياس الرسم", + "section": "القسم", + "series": "السلسلة", + "seriesNumber": "رقم السلسلة", + "seriesText": "نص السلسلة", + "seriesTitle": "عنوان السلسلة", + "session": "الجلسة", + "shortTitle": "العنوان المختصر", + "status": "Status", + "studio": "الأستوديو", + "subject": "الموضوع", + "system": "النظام", + "thesisType": "نوع الأطروحة", + "title": "العنوان", + "type": "النوع", + "university": "الجامعة", + "url": "عنوان الموقع", + "versionNumber": "الإصدارة", + "videoRecordingFormat": "صيغة التسجيل المرئي", + "volume": "المجلد", + "websiteTitle": "اسم موقع الويب", + "websiteType": "نوع موقع الويب" + }, + "creatorTypes": { + "artist": "الفنان", + "attorneyAgent": "المحامي أو الوكيل", + "author": "المؤلف", + "bookAuthor": "مؤلف كتاب", + "cartographer": "رسام الخريطة", + "castMember": "عضو طاقم التمثيل", + "commenter": "المعلق", + "composer": "الملحن", + "contributor": "اسم المشارك", + "cosponsor": "الراعي المشارك", + "counsel": "المستشار", + "director": "المخرج", + "editor": "المحرر", + "guest": "الضيف", + "interviewee": "مقابلة مع", + "interviewer": "المحاور", + "inventor": "المخترع", + "performer": "الفنان", + "podcaster": "المدون", + "presenter": "المقدم", + "producer": "المنتج", + "programmer": "المبرمج", + "recipient": "المتلقي", + "reviewedAuthor": "مؤلف مراجع", + "scriptwriter": "كاتب الحوار", + "seriesEditor": "محرر السلسلة", + "sponsor": "الراعي", + "translator": "المترجم", + "wordsBy": "من كلمات" + } + }, + "bg-BG": { + "itemTypes": { + "annotation": "Анотация", + "artwork": "Произведение на изкуството", + "attachment": "Приложение", + "audioRecording": "Звукозапис", + "bill": "Закон", + "blogPost": "Съобщение в блог", + "book": "Книга", + "bookSection": "Глава от книга", + "case": "Съдебно решение", + "computerProgram": "Software", + "conferencePaper": "Публикация от конференция", + "dataset": "Dataset", + "dictionaryEntry": "Определение в речник", + "document": "Документ", + "email": "Електронна поща", + "encyclopediaArticle": "Статия в енциклопедия", + "film": "Филм", + "forumPost": "Съобщение във форум", + "hearing": "Заседание", + "instantMessage": "Бързо съобщение", + "interview": "Интервю", + "journalArticle": "Статия в научно списание", + "letter": "Писмо", + "magazineArticle": "Статия в списание", + "manuscript": "Ръкопис", + "map": "Карта", + "newspaperArticle": "Статия във вестник", + "note": "Бележка", + "patent": "Патент", + "podcast": "Подкаст", + "preprint": "Preprint", + "presentation": "Презентация", + "radioBroadcast": "Радио излъчване", + "report": "Отчет", + "standard": "Стандартно", + "statute": "Подзаконов акт", + "thesis": "Дисертация", + "tvBroadcast": "Телевизионно излъчване", + "videoRecording": "Видео", + "webpage": "Интернет страница" + }, + "fields": { + "abstractNote": "Извлечение", + "accessDate": "Отворен на", + "applicationNumber": "Номер на молба", + "archive": "Archive", + "archiveID": "Archive ID", + "archiveLocation": "Позиция в архива", + "artworkMedium": "Медия на произведението:", + "artworkSize": "Размер на произведението:", + "assignee": "Изпълнител", + "audioFileType": "Вид файл", + "audioRecordingFormat": "Формат", + "authority": "Authority", + "billNumber": "Номер на закон", + "blogTitle": "Заглавие на блог", + "bookTitle": "Заглавие на книга", + "callNumber": "Телефонен номер", + "caseName": "Име на партида", + "citationKey": "Citation Key", + "code": "Кодекс", + "codeNumber": "Код", + "codePages": "Страници на законодателство", + "codeVolume": "Том на законодателство", + "committee": "Комитет", + "company": "Компания", + "conferenceName": "Име на конференцията", + "country": "Страна", + "court": "Съд", + "date": "Дата", + "dateAdded": "Добавен на:", + "dateDecided": "Дата на решение", + "dateEnacted": "Дата на влизане в сила", + "dateModified": "Променен на:", + "dictionaryTitle": "Заглавие на речник", + "distributor": "Дистрибутор", + "docketNumber": "Номер в регистър", + "documentNumber": "Номер на документ", + "DOI": "DOI", + "edition": "Издание", + "encyclopediaTitle": "Заглавие на енциклопедия", + "episodeNumber": "Номер на епизод", + "extra": "Допълнителни", + "filingDate": "Дата на архивиране", + "firstPage": "Първа страница", + "format": "Формат", + "forumTitle": "Заглавия на форум/listserv", + "genre": "Жанр", + "history": "История", + "identifier": "Identifier", + "institution": "Институция", + "interviewMedium": "Медия", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Брой", + "issueDate": "Дата на издаване", + "issuingAuthority": "Издаден от", + "itemType": "Вид запис", + "journalAbbreviation": "Съкратено име на списанието", + "label": "Етикет", + "language": "Език", + "legalStatus": "Законов статут", + "legislativeBody": "Законодателно тяло", + "letterType": "Вид", + "libraryCatalog": "Library Catalog", + "manuscriptType": "Вид", + "mapType": "Вид", + "medium": "Носител", + "meetingName": "Име на срещата", + "nameOfAct": "Име на закон", + "network": "Мрежа", + "number": "Номер", + "numberOfVolumes": "Номера на томовете", + "numPages": "брой страници", + "organization": "Organization", + "pages": "Страници", + "patentNumber": "Номер на патент", + "place": "Място", + "postType": "Вид съобщението", + "presentationType": "Вид", + "priorityNumbers": "Приоритетни номера", + "proceedingsTitle": "Заглавие на протокол", + "programmingLanguage": "Prog. Language", + "programTitle": "Заглавие на орграма", + "publicationTitle": "Издание", + "publicLawNumber": "Номер на закон", + "publisher": "Издател", + "references": "Отпратки", + "reporter": "Журналист", + "reporterVolume": "Том на стенограмата", + "reportNumber": "Номер на отчет", + "reportType": "Вид отчета", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Права", + "runningTime": "Продължителност", + "scale": "Скала", + "section": "Глава", + "series": "Поредица", + "seriesNumber": "Номер на поредицата", + "seriesText": "Текст на поредицата", + "seriesTitle": "Заглавие на поредицата", + "session": "Сесия", + "shortTitle": "Късо заглавие", + "status": "Status", + "studio": "Студио", + "subject": "Тема", + "system": "Система", + "thesisType": "Вид", + "title": "Заглавие", + "type": "Вид", + "university": "Университет", + "url": "Адрес", + "versionNumber": "Version", + "videoRecordingFormat": "Формат", + "volume": "Том", + "websiteTitle": "Заглавие на интернет страница", + "websiteType": "Вид интернет страницата" + }, + "creatorTypes": { + "artist": "Създател", + "attorneyAgent": "Адвокат/Пълномощтник", + "author": "Автор", + "bookAuthor": "Автор на книга", + "cartographer": "Картограф", + "castMember": "Член на Трупата", + "commenter": "Коментатор", + "composer": "Композитор", + "contributor": "Сътрудник", + "cosponsor": "Коспонсор", + "counsel": "Адвокат", + "director": "Режисьор", + "editor": "Редактор", + "guest": "Гост", + "interviewee": "Интервю с", + "interviewer": "Интервюиращ", + "inventor": "Откривател", + "performer": "Изпълнител", + "podcaster": "Автор на подкаст", + "presenter": "Изнесен от", + "producer": "Продуцент", + "programmer": "Програмист", + "recipient": "Получател", + "reviewedAuthor": "Рецензиран Автор", + "scriptwriter": "Сценарист", + "seriesEditor": "Редактор на Поредицата", + "sponsor": "Спонсор", + "translator": "Преводач", + "wordsBy": "Текст" + } + }, + "br": { + "itemTypes": { + "annotation": "Ennotadur", + "artwork": "Skeudennadur", + "attachment": "Pezh-stag", + "audioRecording": "Enrolladenn aodio", + "bill": "Raktres/kinnig lezenn", + "blogPost": "Embannadenn blog", + "book": "Levr", + "bookSection": "Chabistr levr", + "case": "Afer", + "computerProgram": "Meziant", + "conferencePaper": "Pennad koñferañs", + "dataset": "Dataset", + "dictionaryEntry": "Pennger geriadur", + "document": "Teuliad", + "email": "Postel", + "encyclopediaArticle": "Pennad hollouiziegezh", + "film": "Film", + "forumPost": "Evezhiadenn forom", + "hearing": "Odiañs", + "instantMessage": "Kemennadenn flapva", + "interview": "Atersadenn", + "journalArticle": "Pennad kelaouenn", + "letter": "Lizher", + "magazineArticle": "Pennad magazin", + "manuscript": "Dornskrid", + "map": "Kartenn", + "newspaperArticle": "Pennad kazetenn", + "note": "Notenn", + "patent": "Breved", + "podcast": "Podskignañ", + "preprint": "Preprint", + "presentation": "Kinnigadenn", + "radioBroadcast": "Abadenn radio", + "report": "Danevell", + "standard": "Standard", + "statute": "Akta lezennel", + "thesis": "Tezenn", + "tvBroadcast": "Abadenn TV", + "videoRecording": "Enrolladenn video", + "webpage": "Lec'hienn Web" + }, + "fields": { + "abstractNote": "Berradenn", + "accessDate": "Gwelet d'an/ar/al", + "applicationNumber": "Niver arload", + "archive": "Diell", + "archiveID": "Archive ID", + "archiveLocation": "Lec'hiadur en diell", + "artworkMedium": "Harp ar skeudenn", + "artworkSize": "Ment ar skeudennadur", + "assignee": "Dilezer", + "audioFileType": "Doare restr", + "audioRecordingFormat": "Stumm", + "authority": "Authority", + "billNumber": "Niverenn prezegenn", + "blogTitle": "Titl blog", + "bookTitle": "Titl al levr", + "callNumber": "Niver-envel", + "caseName": "Anv an afer", + "citationKey": "Citation Key", + "code": "Kod", + "codeNumber": "Niver kod", + "codePages": "Kod ar pajennoù", + "codeVolume": "Kod al levrenn", + "committee": "Komite", + "company": "Kumpaniezh", + "conferenceName": "Anv koñferañs", + "country": "Bro", + "court": "Lez-varn", + "date": "Deiziad", + "dateAdded": "Deiziad ouzhpennañ", + "dateDecided": "Deiziad an diviz", + "dateEnacted": "Embannet d'an/ar/al", + "dateModified": "Deiziad kemmañ", + "dictionaryTitle": "Titl ar geriadur", + "distributor": "Dasparzher", + "docketNumber": "Niver reked", + "documentNumber": "Niver an teuliad", + "DOI": "DOI", + "edition": "Embannadur", + "encyclopediaTitle": "Titl hollouiziegezh", + "episodeNumber": "Niver ar rann", + "extra": "Traoù dibarr", + "filingDate": "Deiziad leuniadur", + "firstPage": "Pajenn gentañ", + "format": "Stumm", + "forumTitle": "Titl ar forom/Listserv", + "genre": "Doare", + "history": "Istor", + "identifier": "Identifier", + "institution": "Ensavadur", + "interviewMedium": "Media", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Niverenn", + "issueDate": "Deiziad embann", + "issuingAuthority": "Aozadur a embann", + "itemType": "Doare elfenn", + "journalAbbreviation": "Berradur anv kelaouenn", + "label": "Label", + "language": "Yezh", + "legalStatus": "Statudoù lezennel", + "legislativeBody": "Korf lezennel", + "letterType": "Doare", + "libraryCatalog": "Dastumad levraoueg", + "manuscriptType": "Doare", + "mapType": "Doare", + "medium": "Etre", + "meetingName": "Anv an emvod", + "nameOfAct": "Anv an akta", + "network": "Kenrouedad", + "number": "Niver", + "numberOfVolumes": "# a levrennoù", + "numPages": "# a bajennoù", + "organization": "Organization", + "pages": "Pajennoù", + "patentNumber": "Niver breved", + "place": "Lec'h", + "postType": "Doare embannadenn", + "presentationType": "Doare", + "priorityNumbers": "Niver priorelezh", + "proceedingsTitle": "Titl an aktoù", + "programmingLanguage": "Yezh brogrammiñ", + "programTitle": "Titl ar program", + "publicationTitle": "Embannadenn", + "publicLawNumber": "Niver ofisiel an akta", + "publisher": "Embanner", + "references": "Daveennoù", + "reporter": "Teskad", + "reporterVolume": "Levrenn dastumad", + "reportNumber": "Niver an danevell", + "reportType": "Doare danevell", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Aotreadurioù", + "runningTime": "Padelezh", + "scale": "Skeul", + "section": "Kevrenn", + "series": "Dastumad", + "seriesNumber": "Niverenn en dastumad", + "seriesText": "Testenn an dastumad", + "seriesTitle": "Titl an dastumad", + "session": "Dalc'h", + "shortTitle": "Titl berr", + "status": "Status", + "studio": "Studio", + "subject": "Sujed", + "system": "Sistem", + "thesisType": "Doare", + "title": "Titl", + "type": "Doare", + "university": "Skol-veur", + "url": "URL", + "versionNumber": "Stumm", + "videoRecordingFormat": "Stumm", + "volume": "Levrenn", + "websiteTitle": "Titl al lec'hienn", + "websiteType": "Doare lec'hienn Web" + }, + "creatorTypes": { + "artist": "Arzour", + "attorneyAgent": "Dileuriad/Ajant", + "author": "Aozer", + "bookAuthor": "Aozer al levr", + "cartographer": "Kartenner", + "castMember": "Ezel ar c'homedianeta", + "commenter": "Displeger", + "composer": "Kompozer", + "contributor": "Kendaoler", + "cosponsor": "Ken-sponsor", + "counsel": "Kuzulier", + "director": "Rener", + "editor": "Embanner", + "guest": "Den pedet", + "interviewee": "Aterset gant", + "interviewer": "Aterser", + "inventor": "Ijiner", + "performer": "Jubenner", + "podcaster": "Podskigner", + "presenter": "Kinniger", + "producer": "Produer", + "programmer": "Programmer", + "recipient": "Resever", + "reviewedAuthor": "Aozer niverennet", + "scriptwriter": "Skriver-skriptoù", + "seriesEditor": "Embanner heuliadennoù", + "sponsor": "Sponsor", + "translator": "Troer", + "wordsBy": "Gerioù gant" + } + }, + "ca-AD": { + "itemTypes": { + "annotation": "Anotació", + "artwork": "Peça artística", + "attachment": "Adjunció", + "audioRecording": "Enregistrament d'àudio", + "bill": "Llei", + "blogPost": "Entrada de bloc", + "book": "Llibre", + "bookSection": "Capítol d'un llibre", + "case": "Cas", + "computerProgram": "Programari", + "conferencePaper": "Text d'una conferència", + "dataset": "Conjunt de dades", + "dictionaryEntry": "Entrada de diccionari", + "document": "Document", + "email": "Correu electrònic", + "encyclopediaArticle": "Article enciclopèdic", + "film": "Pel·lícula", + "forumPost": "Comentari en un fòrum", + "hearing": "Audició", + "instantMessage": "Missatge instantani", + "interview": "Entrevista", + "journalArticle": "Article de revista acadèmica", + "letter": "Carta", + "magazineArticle": "Article de revista", + "manuscript": "Manuscrit", + "map": "Mapa", + "newspaperArticle": "Article de premsa", + "note": "Nota", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Prepublicació", + "presentation": "Presentació", + "radioBroadcast": "Emissió de ràdio", + "report": "Informe", + "standard": "Estàndard", + "statute": "Estatut", + "thesis": "Tesi", + "tvBroadcast": "Emissió de televisió", + "videoRecording": "Enregistrament de vídeo", + "webpage": "Pàgina web" + }, + "fields": { + "abstractNote": "Resum", + "accessDate": "Últim accés", + "applicationNumber": "Número d'aplicació", + "archive": "Arxiu", + "archiveID": "ID d'arxiu", + "archiveLocation": "Localització a l'arxiu", + "artworkMedium": "Mitjà artístic", + "artworkSize": "Mida", + "assignee": "Assignatari", + "audioFileType": "Tipus de fitxer", + "audioRecordingFormat": "Format", + "authority": "Autoritat", + "billNumber": "Número de llei", + "blogTitle": "Títol del blog", + "bookTitle": "Títol del llibre", + "callNumber": "Número de catàleg", + "caseName": "Nom del cas", + "citationKey": "Clau de cita", + "code": "Codi", + "codeNumber": "Número del codi", + "codePages": "Pàgines del codi", + "codeVolume": "Volum del codi", + "committee": "Comitè", + "company": "Empresa", + "conferenceName": "Títol de la conferència", + "country": "País", + "court": "Tribunal", + "date": "Data", + "dateAdded": "Afegit", + "dateDecided": "Data de decisió", + "dateEnacted": "Data d'aprovació", + "dateModified": "Modificat", + "dictionaryTitle": "Títol del diccionari", + "distributor": "Distribuïdor", + "docketNumber": "Número d'expedient", + "documentNumber": "Número de document", + "DOI": "DOI", + "edition": "Edició", + "encyclopediaTitle": "Títol de l'enciclopèdia", + "episodeNumber": "Número d'episodi", + "extra": "Extra", + "filingDate": "Data de presentació", + "firstPage": "Primera pàgina", + "format": "Format", + "forumTitle": "Títol de fòrum/llista", + "genre": "Gènere", + "history": "Història", + "identifier": "Identificador", + "institution": "Institució", + "interviewMedium": "Mitjà", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Número", + "issueDate": "Data d'emissió", + "issuingAuthority": "Autoritat emissora", + "itemType": "Tipus d'element", + "journalAbbreviation": "Abreviatura de la revista", + "label": "Etiqueta", + "language": "Llengua", + "legalStatus": "Estatus jurídic", + "legislativeBody": "Cos legislatiu", + "letterType": "Tipus", + "libraryCatalog": "Catàleg de la biblioteca", + "manuscriptType": "Tipus", + "mapType": "Tipus", + "medium": "Suport", + "meetingName": "Nom de la trobada", + "nameOfAct": "Nom de la llei", + "network": "Xarxa", + "number": "Número", + "numberOfVolumes": "Nre. de volums", + "numPages": "Nre. de pàgines", + "organization": "Organització", + "pages": "Pàgines", + "patentNumber": "Número de patent", + "place": "Lloc", + "postType": "Tipus d'escrit", + "presentationType": "Tipus", + "priorityNumbers": "Números de prioritat", + "proceedingsTitle": "Títol de la ponència", + "programmingLanguage": "Llenguatge de prog.", + "programTitle": "Títol del programa", + "publicationTitle": "Publicació", + "publicLawNumber": "Número de dret públic", + "publisher": "Editorial", + "references": "Referències", + "reporter": "Reporter", + "reporterVolume": "Volum del reporter", + "reportNumber": "Número d'informe", + "reportType": "Tipus d'informe", + "repository": "Repositori", + "repositoryLocation": "Ubicació del repo", + "rights": "Drets", + "runningTime": "Durada", + "scale": "Escala", + "section": "Secció", + "series": "Sèrie", + "seriesNumber": "Número de la sèrie", + "seriesText": "Text de la sèrie", + "seriesTitle": "Títol de la sèrie", + "session": "Sessió", + "shortTitle": "Títol curt", + "status": "Estat", + "studio": "Estudi", + "subject": "Tema", + "system": "Sistema", + "thesisType": "Tipus", + "title": "Títol", + "type": "Tipus", + "university": "Universitat", + "url": "URL", + "versionNumber": "Versió", + "videoRecordingFormat": "Format", + "volume": "Volum", + "websiteTitle": "Títol del web", + "websiteType": "Tipus de pàgina web" + }, + "creatorTypes": { + "artist": "Artista", + "attorneyAgent": "Representant/Agent", + "author": "Autor", + "bookAuthor": "Autor del llibre", + "cartographer": "Cartògraf", + "castMember": "Membre del repartiment", + "commenter": "Comentarista", + "composer": "Compositor", + "contributor": "Col·laborador", + "cosponsor": "Copatrocinador", + "counsel": "Conseller", + "director": "Director", + "editor": "Editor", + "guest": "Convidat", + "interviewee": "Entrevistat", + "interviewer": "Entrevistador", + "inventor": "Inventor", + "performer": "Intèrpret", + "podcaster": "Podcaster", + "presenter": "Presentador", + "producer": "Productor", + "programmer": "Programador", + "recipient": "Receptor", + "reviewedAuthor": "Autor revisat", + "scriptwriter": "Guionista", + "seriesEditor": "Editor de la sèrie", + "sponsor": "Esponsor", + "translator": "Traductor", + "wordsBy": "Lletrista" + } + }, + "cs-CZ": { + "itemTypes": { + "annotation": "Anotace", + "artwork": "Umělecké dílo", + "attachment": "Příloha", + "audioRecording": "Audio nahrávka", + "bill": "Návrh zákona", + "blogPost": "Příspěvek v blogu", + "book": "Kniha", + "bookSection": "Kapitola knihy", + "case": "Případ", + "computerProgram": "Software", + "conferencePaper": "Konferenční příspěvek", + "dataset": "Dataset", + "dictionaryEntry": "Záznam ve slovníku", + "document": "Dokument", + "email": "E-mail", + "encyclopediaArticle": "Článek v encyklopedii", + "film": "Film", + "forumPost": "Příspěvek ve fóru", + "hearing": "Slyšení", + "instantMessage": "Zpráva IM", + "interview": "Rozhovor", + "journalArticle": "Článek v časopise", + "letter": "Dopis", + "magazineArticle": "Článek v magazínu", + "manuscript": "Rukopis", + "map": "Mapa", + "newspaperArticle": "Článek v novinách", + "note": "Poznámka", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Prezentace", + "radioBroadcast": "Pořad v rádiu", + "report": "Zpráva", + "standard": "Standardní", + "statute": "Nařízení", + "thesis": "Vysokoškolská kvalifikační práce", + "tvBroadcast": "Pořad v TV", + "videoRecording": "Video nahrávka", + "webpage": "Webová stránka" + }, + "fields": { + "abstractNote": "Abstrakt", + "accessDate": "Přístup", + "applicationNumber": "Číslo žádosti", + "archive": "Archiv", + "archiveID": "Archive ID", + "archiveLocation": "Místo v archivu", + "artworkMedium": "Médium", + "artworkSize": "Velikost díla", + "assignee": "Pověřený", + "audioFileType": "Typ souboru", + "audioRecordingFormat": "Formát", + "authority": "Authority", + "billNumber": "Číslo zákona", + "blogTitle": "Název blogu", + "bookTitle": "Jméno knihy", + "callNumber": "Signatura", + "caseName": "Jméno případu", + "citationKey": "Citation Key", + "code": "Zákoník", + "codeNumber": "Kódové číslo", + "codePages": "Stránky zákoníku", + "codeVolume": "Ročník zákoníku", + "committee": "Výbor", + "company": "Společnost", + "conferenceName": "Jméno konference", + "country": "Země", + "court": "Soud", + "date": "Datum", + "dateAdded": "Datum přidání", + "dateDecided": "Datum rozhodnutí", + "dateEnacted": "Datum schválení", + "dateModified": "Upraveno", + "dictionaryTitle": "Název slovníku", + "distributor": "Distributor", + "docketNumber": "Číslo spisu", + "documentNumber": "Číslo dokumentu", + "DOI": "DOI", + "edition": "Vydání", + "encyclopediaTitle": "Jméno encyklopedie", + "episodeNumber": "Číslo epizody", + "extra": "Extra", + "filingDate": "Datum zápisu", + "firstPage": "První strana", + "format": "Formát", + "forumTitle": "Název fóra", + "genre": "Žánr", + "history": "Historie", + "identifier": "Identifier", + "institution": "Instituce", + "interviewMedium": "Médium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Číslo", + "issueDate": "Datum vydání", + "issuingAuthority": "Vydávající úřad", + "itemType": "Typ položky", + "journalAbbreviation": "Zkrácený název časopisu", + "label": "Označení", + "language": "Jazyk", + "legalStatus": "Zákonný status", + "legislativeBody": "Zákonodárný orgán", + "letterType": "Typ", + "libraryCatalog": "Katalog knihovny", + "manuscriptType": "Typ", + "mapType": "Typ", + "medium": "Médium", + "meetingName": "Název setkání", + "nameOfAct": "Název zákona", + "network": "Síť", + "number": "Číslo", + "numberOfVolumes": "Počet ročníků", + "numPages": "# stran", + "organization": "Organization", + "pages": "Rozsah", + "patentNumber": "Číslo patentů", + "place": "Místo", + "postType": "Typ příspěvku", + "presentationType": "Typ", + "priorityNumbers": "Číslo priority", + "proceedingsTitle": "Jméno sborníku", + "programmingLanguage": "Prog. jazyk", + "programTitle": "Název programu", + "publicationTitle": "Publikace", + "publicLawNumber": "Číslo zákona", + "publisher": "Vydavatel", + "references": "Reference", + "reporter": "Sbírka soudních rozhodnutí", + "reporterVolume": "Ročník sbírky", + "reportNumber": "Číslo zprávy", + "reportType": "Druhy zprávy", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Práva", + "runningTime": "Čas", + "scale": "Měřítko", + "section": "Sekce", + "series": "Série", + "seriesNumber": "Číslo série", + "seriesText": "Text série", + "seriesTitle": "Název série", + "session": "Zasedání", + "shortTitle": "Krátký název", + "status": "Status", + "studio": "Studio", + "subject": "Subjekt", + "system": "Systém", + "thesisType": "Typ", + "title": "Název", + "type": "Typ", + "university": "Univerzita", + "url": "URL", + "versionNumber": "Verze", + "videoRecordingFormat": "Formát", + "volume": "Ročník", + "websiteTitle": "Název stránky", + "websiteType": "Typ webové stránky" + }, + "creatorTypes": { + "artist": "Výtvarník", + "attorneyAgent": "Advokát/zástupce", + "author": "Autor", + "bookAuthor": "Autor knihy", + "cartographer": "Kartograf", + "castMember": "Člen obsazení", + "commenter": "Komentátor", + "composer": "Skladatel", + "contributor": "Přispěvatel", + "cosponsor": "Spolusponzor", + "counsel": "Právní zástupce", + "director": "Režisér", + "editor": "Editor", + "guest": "Host", + "interviewee": "Rozhovor s", + "interviewer": "Tazatel", + "inventor": "Vynálezce", + "performer": "Účinkující", + "podcaster": "Autor podcastu", + "presenter": "Prezentující", + "producer": "Producent", + "programmer": "Programátor", + "recipient": "Příjemce", + "reviewedAuthor": "Autor revize", + "scriptwriter": "Scénárista", + "seriesEditor": "Editor série", + "sponsor": "Sponzor", + "translator": "Překladatel", + "wordsBy": "Texty" + } + }, + "da-DK": { + "itemTypes": { + "annotation": "Annotering", + "artwork": "Billede/skulptur", + "attachment": "Vedhæftning", + "audioRecording": "Lydoptagelse", + "bill": "Lovforslag", + "blogPost": "Blog-indlæg", + "book": "Bog", + "bookSection": "Bidrag til bog", + "case": "Retssag/Dom", + "computerProgram": "Software", + "conferencePaper": "Konferencebidrag", + "dataset": "Dataset", + "dictionaryEntry": "Ordbogsopslag", + "document": "Dokument", + "email": "E-mail", + "encyclopediaArticle": "Leksikonartikel", + "film": "Film", + "forumPost": "Forum-indlæg", + "hearing": "Høring", + "instantMessage": "Besked", + "interview": "Interview", + "journalArticle": "Tidsskriftsartikel", + "letter": "Brev", + "magazineArticle": "Artikel i blad", + "manuscript": "Manuskript", + "map": "Kort", + "newspaperArticle": "Avisartikel", + "note": "Note", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Præsentation", + "radioBroadcast": "Radioudsendelse", + "report": "Rapport", + "standard": "Standard", + "statute": "Lov (vedtaget)", + "thesis": "Afhandling", + "tvBroadcast": "TV-udsendelse", + "videoRecording": "Videooptagelse", + "webpage": "Web-side" + }, + "fields": { + "abstractNote": "Resumé", + "accessDate": "Set d.", + "applicationNumber": "Ansøgning nr.", + "archive": "Samling", + "archiveID": "Archive ID", + "archiveLocation": "Placering i samlingen", + "artworkMedium": "Medium", + "artworkSize": "Værkets størrelse", + "assignee": "Ansvarlig", + "audioFileType": "Filtype", + "audioRecordingFormat": "Format", + "authority": "Authority", + "billNumber": "Lovforslagets nr.", + "blogTitle": "Bloggens titel", + "bookTitle": "Bogens titel", + "callNumber": "Opstillingssignatur", + "caseName": "Sagens navn", + "citationKey": "Citation Key", + "code": "Lovsamling", + "codeNumber": "Nummer", + "codePages": "Sider", + "codeVolume": "Bind", + "committee": "Udvalg", + "company": "Selskab", + "conferenceName": "Konferencens navn", + "country": "Land", + "court": "Domstol", + "date": "Tidspunkt", + "dateAdded": "Tilføjet d.", + "dateDecided": "Dom afsagt d.", + "dateEnacted": "Vedtaget d.", + "dateModified": "Ændret d.", + "dictionaryTitle": "Ordbogens titel", + "distributor": "Selskab", + "docketNumber": "Dossier nr.", + "documentNumber": "Dokument nr.", + "DOI": "DOI", + "edition": "Udgave", + "encyclopediaTitle": "Leksikonets titel", + "episodeNumber": "Afsnit nr.", + "extra": "Ekstra", + "filingDate": "Indlemmet d.", + "firstPage": "Første side", + "format": "Format", + "forumTitle": "Titel på Forum/Listserv", + "genre": "Genre", + "history": "Historie", + "identifier": "Identifier", + "institution": "Institution", + "interviewMedium": "Medium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Nummer", + "issueDate": "Udstedt d.", + "issuingAuthority": "Myndighed", + "itemType": "Item Type", + "journalAbbreviation": "Tidsskr.forkort.", + "label": "Pladeselskab", + "language": "Sprog", + "legalStatus": "Juridisk status", + "legislativeBody": "Lovgivende organ", + "letterType": "Type", + "libraryCatalog": "Bibliotekskatalog", + "manuscriptType": "Type", + "mapType": "Type", + "medium": "Medium", + "meetingName": "Mødets navn", + "nameOfAct": "Lovens navn", + "network": "Station (radio/TV)", + "number": "Nummer", + "numberOfVolumes": "Antal bind", + "numPages": "Antal sider", + "organization": "Organization", + "pages": "Sider", + "patentNumber": "Patentnummer", + "place": "Sted", + "postType": "Type (post)", + "presentationType": "Type", + "priorityNumbers": "Prioritetsnumre", + "proceedingsTitle": "Titel på proceedings", + "programmingLanguage": "Prog. Language", + "programTitle": "Programmets titel", + "publicationTitle": "Publikationens titel", + "publicLawNumber": "Public Law Number (USA)", + "publisher": "Udgiver/Forlag", + "references": "Referencer", + "reporter": "Referat-samling", + "reporterVolume": "Referat-bind", + "reportNumber": "Rapportens nr.", + "reportType": "Rapporttype", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Rettigheder", + "runningTime": "Længde (tid)", + "scale": "Skala", + "section": "Paragraf", + "series": "Serie", + "seriesNumber": "Nummer i serien", + "seriesText": "Serie: suppl. tekst", + "seriesTitle": "Serietitel", + "session": "Behandlet", + "shortTitle": "Forkortet titel", + "status": "Status", + "studio": "Studie", + "subject": "Emne", + "system": "System", + "thesisType": "Type", + "title": "Titel", + "type": "Type", + "university": "Universitet", + "url": "URL", + "versionNumber": "Version", + "videoRecordingFormat": "Format", + "volume": "Bind/Årgang", + "websiteTitle": "Webstedets titel", + "websiteType": "Type (websted)" + }, + "creatorTypes": { + "artist": "Kunstner/Ophav", + "attorneyAgent": "Advokat", + "author": "Forfatter/Ophav", + "bookAuthor": "Bogens forfatter", + "cartographer": "Kartograf", + "castMember": "Medvirkende", + "commenter": "Kommentator", + "composer": "Komponist", + "contributor": "Anden bidragyder", + "cosponsor": "Medforslagsstiller", + "counsel": "Advokat", + "director": "Instruktør/Ophav", + "editor": "Redaktør", + "guest": "Gæst", + "interviewee": "Inverview med", + "interviewer": "Interviewer", + "inventor": "Opfinder", + "performer": "Udøver", + "podcaster": "Ophav til podcast", + "presenter": "Forelæser/Ophav", + "producer": "Producent", + "programmer": "Programmør", + "recipient": "Modtager", + "reviewedAuthor": "Anmeldt forfatter", + "scriptwriter": "Manuskriptforfatter", + "seriesEditor": "Seriens redaktør", + "sponsor": "Forslagsstiller", + "translator": "Oversætter", + "wordsBy": "Tekster af" + } + }, + "de": { + "itemTypes": { + "annotation": "Anmerkung", + "artwork": "Kunstwerk", + "attachment": "Anhang", + "audioRecording": "Tonaufnahme", + "bill": "Gesetzentwurf", + "blogPost": "Blog-Post", + "book": "Buch", + "bookSection": "Buchteil", + "case": "Fall", + "computerProgram": "Software", + "conferencePaper": "Konferenz-Paper", + "dataset": "Datensatz", + "dictionaryEntry": "Wörterbucheintrag", + "document": "Dokument", + "email": "E-Mail", + "encyclopediaArticle": "Enzyklopädieartikel", + "film": "Film", + "forumPost": "Foren-Eintrag", + "hearing": "Anhörung", + "instantMessage": "Instant-Message", + "interview": "Interview", + "journalArticle": "Zeitschriftenartikel", + "letter": "Brief", + "magazineArticle": "Magazin-Artikel", + "manuscript": "Manuskript", + "map": "Karte", + "newspaperArticle": "Zeitungsartikel", + "note": "Notiz", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Vortrag", + "radioBroadcast": "Radiosendung", + "report": "Bericht", + "standard": "Norm", + "statute": "Gesetz", + "thesis": "Dissertation", + "tvBroadcast": "Fernsehsendung", + "videoRecording": "Videoaufnahme", + "webpage": "Webseite" + }, + "fields": { + "abstractNote": "Zusammenfassung", + "accessDate": "Heruntergeladen am", + "applicationNumber": "Bewerbungsnummer", + "archive": "Archiv", + "archiveID": "Archiv-ID", + "archiveLocation": "Standort im Archiv", + "artworkMedium": "Medium", + "artworkSize": "Größe des Kunstwerks", + "assignee": "Abtretungsempfänger", + "audioFileType": "Dateityp", + "audioRecordingFormat": "Format", + "authority": "Behörde", + "billNumber": "Nummer des Gesetzentwurfs", + "blogTitle": "Titel des Blogs", + "bookTitle": "Buchtitel", + "callNumber": "Signatur", + "caseName": "Name des Falls", + "citationKey": "Zitierschlüssel", + "code": "Code", + "codeNumber": "Codenummer", + "codePages": "Seiten des Codes", + "codeVolume": "Band des Codes", + "committee": "Ausschuss", + "company": "Firma", + "conferenceName": "Name der Konferenz", + "country": "Land", + "court": "Gericht", + "date": "Datum", + "dateAdded": "Hinzugefügt am", + "dateDecided": "Beschlussdatum", + "dateEnacted": "Datum des Inkrafttretens", + "dateModified": "Geändert am", + "dictionaryTitle": "Titel des Wörterbuchs", + "distributor": "Verleih", + "docketNumber": "Aktenzeichen", + "documentNumber": "Dokumentennummer", + "DOI": "DOI", + "edition": "Auflage", + "encyclopediaTitle": "Titel der Enzyklopädie", + "episodeNumber": "Nummer der Folge", + "extra": "Extra", + "filingDate": "Datum der Einreichung", + "firstPage": "Erste Seite", + "format": "Format", + "forumTitle": "Titel des Forums/Listservs", + "genre": "Genre", + "history": "Geschichte", + "identifier": "Identifier", + "institution": "Institution", + "interviewMedium": "Medium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Ausgabe", + "issueDate": "Erscheinungsdatum", + "issuingAuthority": "Herausgeber", + "itemType": "Eintragsart", + "journalAbbreviation": "Zeitschriften-Abkürzung", + "label": "Label", + "language": "Sprache", + "legalStatus": "Rechtsstatus", + "legislativeBody": "Gesetzgebende Körperschaft", + "letterType": "Art", + "libraryCatalog": "Bibliothekskatalog", + "manuscriptType": "Art", + "mapType": "Art", + "medium": "Medium", + "meetingName": "Name der Sitzung", + "nameOfAct": "Name des Erlasses", + "network": "Netzwerk", + "number": "Nummer", + "numberOfVolumes": "# von Bänden", + "numPages": "Anzahl der Seiten", + "organization": "Organisation", + "pages": "Seiten", + "patentNumber": "Patentnummer", + "place": "Ort", + "postType": "Art von Eintrag", + "presentationType": "Art", + "priorityNumbers": "Prioritätsnummern", + "proceedingsTitle": "Titel des Konferenzbandes", + "programmingLanguage": "Programmiersprache", + "programTitle": "Name des Programms", + "publicationTitle": "Publikation", + "publicLawNumber": "Öffentliche Gesetzesnummer", + "publisher": "Verlag", + "references": "Quellenangaben", + "reporter": "Gesetzessammlung", + "reporterVolume": "Nummer der Gesetzessammlung", + "reportNumber": "Nummer des Berichts", + "reportType": "Art von Bericht", + "repository": "Repositorium", + "repositoryLocation": "Speicherort", + "rights": "Rechte", + "runningTime": "Laufzeit", + "scale": "Maßstab", + "section": "Teil", + "series": "Reihe", + "seriesNumber": "Nummer der Reihe", + "seriesText": "Reihe Text", + "seriesTitle": "Titel der Reihe", + "session": "Sitzung", + "shortTitle": "Kurztitel", + "status": "Status", + "studio": "Studio", + "subject": "Betreff", + "system": "System", + "thesisType": "Art", + "title": "Titel", + "type": "Art", + "university": "Universität", + "url": "URL", + "versionNumber": "Version", + "videoRecordingFormat": "Format", + "volume": "Band", + "websiteTitle": "Titel der Website", + "websiteType": "Art der Webseite" + }, + "creatorTypes": { + "artist": "Künstler", + "attorneyAgent": "Anwalt/Agent", + "author": "Autor", + "bookAuthor": "Buchautor", + "cartographer": "Kartograph", + "castMember": "Ensemble", + "commenter": "Kommentator", + "composer": "Komponist", + "contributor": "Mitarbeiter", + "cosponsor": "Mitunterzeichner", + "counsel": "Anwalt", + "director": "Regisseur", + "editor": "Herausgeber", + "guest": "Gast", + "interviewee": "Interview mit", + "interviewer": "Interviewer", + "inventor": "Erfinder", + "performer": "Darsteller", + "podcaster": "Podcaster", + "presenter": "Vortragender", + "producer": "Produzent", + "programmer": "Programmierer", + "recipient": "Empfänger", + "reviewedAuthor": "Rezensierter Autor", + "scriptwriter": "Drehbuchautor", + "seriesEditor": "Hrsg. der Reihe", + "sponsor": "Sponsor", + "translator": "Übersetzer", + "wordsBy": "Text von" + } + }, + "el-GR": { + "itemTypes": { + "annotation": "Annotation", + "artwork": "Έργο τέχνης", + "attachment": "Συνημμένο", + "audioRecording": "Εγγραφή ήχου", + "bill": "Λογαριασμός", + "blogPost": "Ανάρτηση", + "book": "Βιβλίο", + "bookSection": "Ενότητα Βιβλίου", + "case": "Υπόθεση", + "computerProgram": "Λογισμικό", + "conferencePaper": "Άρθρο Συνεδρίου", + "dataset": "Dataset", + "dictionaryEntry": "Εισαγωγή λεξικού", + "document": "Έγγραφο", + "email": "ηλ. μήνυμα", + "encyclopediaArticle": "Άρθρο εγκυκλοπαίδειας", + "film": "Ταινία", + "forumPost": "Δημοσίευση φόρουμ", + "hearing": "Ακρόαση", + "instantMessage": "Άμεσο Μήνυμα", + "interview": "Συνέντευξη", + "journalArticle": "Άρθρο Επιστημονικού Περιοδικού", + "letter": "Επιστολή", + "magazineArticle": "Άρθρο Περιοδικού", + "manuscript": "Χειρόγραφο", + "map": "Χάρτης", + "newspaperArticle": "Άρθρο Εφημερίδας", + "note": "Σημείωση", + "patent": "Ευρεσιτεχνία", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Παρουσίαση", + "radioBroadcast": "Ραδιοφωνική Μετάδοση", + "report": "Αναφορά", + "standard": "Βασική τυποποίηση", + "statute": "Νόμος", + "thesis": "Διατριβή", + "tvBroadcast": "Τηλεοπτική Μετάδοση", + "videoRecording": "Εγγραφή Βίντεο", + "webpage": "Ιστοσελίδα" + }, + "fields": { + "abstractNote": "Περίληψη", + "accessDate": "Πρόσβαση", + "applicationNumber": "Application Number", + "archive": "Αρχείο", + "archiveID": "Archive ID", + "archiveLocation": "Τοπ. στο Αρχείο", + "artworkMedium": "Μέσο", + "artworkSize": "Μέγεθος έργου τέχνης", + "assignee": "Assignee", + "audioFileType": "Τύπος Αρχείου", + "audioRecordingFormat": "Μορφή", + "authority": "Authority", + "billNumber": "Αριθμός Λογαριασμού", + "blogTitle": "Blog Title", + "bookTitle": "Τίτλος Βιβλίου", + "callNumber": "Αριθμός κλήσης", + "caseName": "Case Name", + "citationKey": "Citation Key", + "code": "Κώδικας", + "codeNumber": "Code Number", + "codePages": "Code Pages", + "codeVolume": "Code Volume", + "committee": "Επιτροπή", + "company": "Εταιρία", + "conferenceName": "Όνομα Συνεδρίου", + "country": "Χώρα", + "court": "Δικαστήριο", + "date": "Ημερομηνία", + "dateAdded": "Ημερομηνία προσθήκης", + "dateDecided": "Date Decided", + "dateEnacted": "Date Enacted", + "dateModified": "Τροποποιήθηκε", + "dictionaryTitle": "Τίτλος Λεξικού", + "distributor": "Διανομέας", + "docketNumber": "Docket Number", + "documentNumber": "Document Number", + "DOI": "DOI", + "edition": "Έκδοση", + "encyclopediaTitle": "Τίτλος Εγκυκλοπαίδειας", + "episodeNumber": "Αριθμός Επεισοδίου", + "extra": "Επιπλέον", + "filingDate": "Filing Date", + "firstPage": "Πρώτη Σελίδα", + "format": "Μορφή", + "forumTitle": "Forum/Listserv Title", + "genre": "Είδος", + "history": "History", + "identifier": "Identifier", + "institution": "Ίδρυμα", + "interviewMedium": "Μέσο", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Τεύχος", + "issueDate": "Ημερομηνία Έκδοσης", + "issuingAuthority": "Issuing Authority", + "itemType": "Τύπος Στοιχείου", + "journalAbbreviation": "Συντομογραφία περιοδικού", + "label": "Ετικέτα", + "language": "Γλώσσα", + "legalStatus": "Νομική Υπόσταση", + "legislativeBody": "Νομοθετικό Σώμα", + "letterType": "Τύπος", + "libraryCatalog": "Κατάλογος Βιβλιοθήκης", + "manuscriptType": "Τύπος", + "mapType": "Τύπος", + "medium": "Μέσο", + "meetingName": "Όνομα Σύσκεψης", + "nameOfAct": "Name of Act", + "network": "Δίκτυο", + "number": "Αριθμός", + "numberOfVolumes": "# Τόμων", + "numPages": "# από Σελίδες", + "organization": "Organization", + "pages": "Σελίδες", + "patentNumber": "Αριθμός Ευρεσιτεχνίας", + "place": "Τόπος", + "postType": "Post Type", + "presentationType": "Τύπος", + "priorityNumbers": "Αριθμοί προτεραιότητας", + "proceedingsTitle": "Proceedings Title", + "programmingLanguage": "Γλώσσα προγραμ.", + "programTitle": "Program Title", + "publicationTitle": "Δημοσίευμα", + "publicLawNumber": "Public Law Number", + "publisher": "Εκδότης", + "references": "Αναφορές", + "reporter": "Ρεπόρτερ", + "reporterVolume": "Reporter Volume", + "reportNumber": "Αριθμός Αναφοράς", + "reportType": "Τύπος Αναφοράς", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Δικαιώματα", + "runningTime": "Running Time", + "scale": "Κλίμακα", + "section": "Ενότητα", + "series": "Σειρά", + "seriesNumber": "Αριθμός Σειράς", + "seriesText": "Series Text", + "seriesTitle": "Τίτλος Σειράς", + "session": "Ενότητα", + "shortTitle": "Short Title", + "status": "Status", + "studio": "Στούντιο", + "subject": "Θέμα", + "system": "Σύστημα", + "thesisType": "Τύπος", + "title": "Τίτλος", + "type": "Τύπος", + "university": "Πανεπιστήμιο", + "url": "URL", + "versionNumber": "Έκδοση", + "videoRecordingFormat": "Μορφή", + "volume": "Τόμος", + "websiteTitle": "Τίτλος Ιστότοπου", + "websiteType": "Τύπος Ιστότοπου" + }, + "creatorTypes": { + "artist": "Καλλιτέχνης", + "attorneyAgent": "Attorney/Agent", + "author": "Συγγραφέας", + "bookAuthor": "Συγγραφέας Βιβλίου", + "cartographer": "Χαρτογράφος", + "castMember": "Μέλος του καστ", + "commenter": "Σχολιαστής", + "composer": "Συνθέτης", + "contributor": "Contributor", + "cosponsor": "Συντονιστής", + "counsel": "Counsel", + "director": "Σκηνοθέτης", + "editor": "Συντάκτης", + "guest": "Guest", + "interviewee": "Συνέντευξη με", + "interviewer": "Δημοσιογράφος", + "inventor": "Inventor", + "performer": "Ερμηνευτής", + "podcaster": "Podcaster", + "presenter": "Παρουσιαστής", + "producer": "Παραγωγός", + "programmer": "Προγραμματιστής", + "recipient": "Recipient", + "reviewedAuthor": "Reviewed Author", + "scriptwriter": "Scriptwriter", + "seriesEditor": "Series Editor", + "sponsor": "Sponsor", + "translator": "Μετάφραση", + "wordsBy": "Words By" + } + }, + "en-GB": { + "itemTypes": { + "annotation": "Annotation", + "artwork": "Artwork", + "attachment": "Attachment", + "audioRecording": "Audio Recording", + "bill": "Bill", + "blogPost": "Blog Post", + "book": "Book", + "bookSection": "Book Section", + "case": "Case", + "computerProgram": "Software", + "conferencePaper": "Conference Paper", + "dataset": "Dataset", + "dictionaryEntry": "Dictionary Entry", + "document": "Document", + "email": "E-mail", + "encyclopediaArticle": "Encyclopedia Article", + "film": "Film", + "forumPost": "Forum Post", + "hearing": "Hearing", + "instantMessage": "Instant Message", + "interview": "Interview", + "journalArticle": "Journal Article", + "letter": "Letter", + "magazineArticle": "Magazine Article", + "manuscript": "Manuscript", + "map": "Map", + "newspaperArticle": "Newspaper Article", + "note": "Note", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Presentation", + "radioBroadcast": "Radio Broadcast", + "report": "Report", + "standard": "Standard", + "statute": "Statute", + "thesis": "Thesis", + "tvBroadcast": "TV Broadcast", + "videoRecording": "Video Recording", + "webpage": "Web Page" + }, + "fields": { + "abstractNote": "Abstract", + "accessDate": "Accessed", + "applicationNumber": "Application Number", + "archive": "Archive", + "archiveID": "Archive ID", + "archiveLocation": "Loc. in Archive", + "artworkMedium": "Medium", + "artworkSize": "Artwork Size", + "assignee": "Assignee", + "audioFileType": "File Type", + "audioRecordingFormat": "Format", + "authority": "Authority", + "billNumber": "Bill Number", + "blogTitle": "Blog Title", + "bookTitle": "Book Title", + "callNumber": "Call Number", + "caseName": "Case Name", + "citationKey": "Citation Key", + "code": "Code", + "codeNumber": "Code Number", + "codePages": "Code Pages", + "codeVolume": "Code Volume", + "committee": "Committee", + "company": "Company", + "conferenceName": "Conference Name", + "country": "Country", + "court": "Court", + "date": "Date", + "dateAdded": "Date Added", + "dateDecided": "Date Decided", + "dateEnacted": "Date Enacted", + "dateModified": "Modified", + "dictionaryTitle": "Dictionary Title", + "distributor": "Distributor", + "docketNumber": "Docket Number", + "documentNumber": "Document Number", + "DOI": "DOI", + "edition": "Edition", + "encyclopediaTitle": "Encyclopedia Title", + "episodeNumber": "Episode Number", + "extra": "Extra", + "filingDate": "Filing Date", + "firstPage": "First Page", + "format": "Format", + "forumTitle": "Forum/Listserv Title", + "genre": "Genre", + "history": "History", + "identifier": "Identifier", + "institution": "Institution", + "interviewMedium": "Medium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Issue", + "issueDate": "Issue Date", + "issuingAuthority": "Issuing Authority", + "itemType": "Item Type", + "journalAbbreviation": "Journal Abbr", + "label": "Label", + "language": "Language", + "legalStatus": "Legal Status", + "legislativeBody": "Legislative Body", + "letterType": "Type", + "libraryCatalog": "Library Catalogue", + "manuscriptType": "Type", + "mapType": "Type", + "medium": "Medium", + "meetingName": "Meeting Name", + "nameOfAct": "Name of Act", + "network": "Network", + "number": "Number", + "numberOfVolumes": "# of Volumes", + "numPages": "# of Pages", + "organization": "Organization", + "pages": "Pages", + "patentNumber": "Patent Number", + "place": "Place", + "postType": "Post Type", + "presentationType": "Type", + "priorityNumbers": "Priority Numbers", + "proceedingsTitle": "Proceedings Title", + "programmingLanguage": "Prog. Language", + "programTitle": "Program Title", + "publicationTitle": "Publication", + "publicLawNumber": "Public Law Number", + "publisher": "Publisher", + "references": "References", + "reporter": "Reporter", + "reporterVolume": "Reporter Volume", + "reportNumber": "Report Number", + "reportType": "Report Type", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Rights", + "runningTime": "Running Time", + "scale": "Scale", + "section": "Section", + "series": "Series", + "seriesNumber": "Series Number", + "seriesText": "Series Text", + "seriesTitle": "Series Title", + "session": "Session", + "shortTitle": "Short Title", + "status": "Status", + "studio": "Studio", + "subject": "Subject", + "system": "System", + "thesisType": "Type", + "title": "Title", + "type": "Type", + "university": "University", + "url": "URL", + "versionNumber": "Version", + "videoRecordingFormat": "Format", + "volume": "Volume", + "websiteTitle": "Website Title", + "websiteType": "Website Type" + }, + "creatorTypes": { + "artist": "Artist", + "attorneyAgent": "Attorney/Agent", + "author": "Author", + "bookAuthor": "Book Author", + "cartographer": "Cartographer", + "castMember": "Cast Member", + "commenter": "Commenter", + "composer": "Composer", + "contributor": "Contributor", + "cosponsor": "Cosponsor", + "counsel": "Counsel", + "director": "Director", + "editor": "Editor", + "guest": "Guest", + "interviewee": "Interview With", + "interviewer": "Interviewer", + "inventor": "Inventor", + "performer": "Performer", + "podcaster": "Podcaster", + "presenter": "Presenter", + "producer": "Producer", + "programmer": "Programmer", + "recipient": "Recipient", + "reviewedAuthor": "Reviewed Author", + "scriptwriter": "Scriptwriter", + "seriesEditor": "Series Editor", + "sponsor": "Sponsor", + "translator": "Translator", + "wordsBy": "Words By" + } + }, + "en-US": { + "itemTypes": { + "annotation": "Annotation", + "artwork": "Artwork", + "attachment": "Attachment", + "audioRecording": "Audio Recording", + "bill": "Bill", + "blogPost": "Blog Post", + "book": "Book", + "bookSection": "Book Section", + "case": "Case", + "computerProgram": "Software", + "conferencePaper": "Conference Paper", + "dataset": "Dataset", + "dictionaryEntry": "Dictionary Entry", + "document": "Document", + "email": "E-mail", + "encyclopediaArticle": "Encyclopedia Article", + "film": "Film", + "forumPost": "Forum Post", + "hearing": "Hearing", + "instantMessage": "Instant Message", + "interview": "Interview", + "journalArticle": "Journal Article", + "letter": "Letter", + "magazineArticle": "Magazine Article", + "manuscript": "Manuscript", + "map": "Map", + "newspaperArticle": "Newspaper Article", + "note": "Note", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Presentation", + "radioBroadcast": "Radio Broadcast", + "report": "Report", + "standard": "Standard", + "statute": "Statute", + "thesis": "Thesis", + "tvBroadcast": "TV Broadcast", + "videoRecording": "Video Recording", + "webpage": "Web Page" + }, + "fields": { + "abstractNote": "Abstract", + "accessDate": "Accessed", + "applicationNumber": "Application Number", + "archive": "Archive", + "archiveID": "Archive ID", + "archiveLocation": "Loc. in Archive", + "artworkMedium": "Medium", + "artworkSize": "Artwork Size", + "assignee": "Assignee", + "audioFileType": "File Type", + "audioRecordingFormat": "Format", + "authority": "Authority", + "billNumber": "Bill Number", + "blogTitle": "Blog Title", + "bookTitle": "Book Title", + "callNumber": "Call Number", + "caseName": "Case Name", + "citationKey": "Citation Key", + "code": "Code", + "codeNumber": "Code Number", + "codePages": "Code Pages", + "codeVolume": "Code Volume", + "committee": "Committee", + "company": "Company", + "conferenceName": "Conference Name", + "country": "Country", + "court": "Court", + "date": "Date", + "dateAdded": "Date Added", + "dateDecided": "Date Decided", + "dateEnacted": "Date Enacted", + "dateModified": "Modified", + "dictionaryTitle": "Dictionary Title", + "distributor": "Distributor", + "docketNumber": "Docket Number", + "documentNumber": "Document Number", + "DOI": "DOI", + "edition": "Edition", + "encyclopediaTitle": "Encyclopedia Title", + "episodeNumber": "Episode Number", + "extra": "Extra", + "filingDate": "Filing Date", + "firstPage": "First Page", + "format": "Format", + "forumTitle": "Forum/Listserv Title", + "genre": "Genre", + "history": "History", + "identifier": "Identifier", + "institution": "Institution", + "interviewMedium": "Medium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Issue", + "issueDate": "Issue Date", + "issuingAuthority": "Issuing Authority", + "itemType": "Item Type", + "journalAbbreviation": "Journal Abbr", + "label": "Label", + "language": "Language", + "legalStatus": "Legal Status", + "legislativeBody": "Legislative Body", + "letterType": "Type", + "libraryCatalog": "Library Catalog", + "manuscriptType": "Type", + "mapType": "Type", + "medium": "Medium", + "meetingName": "Meeting Name", + "nameOfAct": "Name of Act", + "network": "Network", + "number": "Number", + "numberOfVolumes": "# of Volumes", + "numPages": "# of Pages", + "organization": "Organization", + "pages": "Pages", + "patentNumber": "Patent Number", + "place": "Place", + "postType": "Post Type", + "presentationType": "Type", + "priorityNumbers": "Priority Numbers", + "proceedingsTitle": "Proceedings Title", + "programmingLanguage": "Prog. Language", + "programTitle": "Program Title", + "publicationTitle": "Publication", + "publicLawNumber": "Public Law Number", + "publisher": "Publisher", + "references": "References", + "reporter": "Reporter", + "reporterVolume": "Reporter Volume", + "reportNumber": "Report Number", + "reportType": "Report Type", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Rights", + "runningTime": "Running Time", + "scale": "Scale", + "section": "Section", + "series": "Series", + "seriesNumber": "Series Number", + "seriesText": "Series Text", + "seriesTitle": "Series Title", + "session": "Session", + "shortTitle": "Short Title", + "status": "Status", + "studio": "Studio", + "subject": "Subject", + "system": "System", + "thesisType": "Type", + "title": "Title", + "type": "Type", + "university": "University", + "url": "URL", + "versionNumber": "Version", + "videoRecordingFormat": "Format", + "volume": "Volume", + "websiteTitle": "Website Title", + "websiteType": "Website Type" + }, + "creatorTypes": { + "artist": "Artist", + "attorneyAgent": "Attorney/Agent", + "author": "Author", + "bookAuthor": "Book Author", + "cartographer": "Cartographer", + "castMember": "Cast Member", + "commenter": "Commenter", + "composer": "Composer", + "contributor": "Contributor", + "cosponsor": "Cosponsor", + "counsel": "Counsel", + "director": "Director", + "editor": "Editor", + "guest": "Guest", + "interviewee": "Interview With", + "interviewer": "Interviewer", + "inventor": "Inventor", + "performer": "Performer", + "podcaster": "Podcaster", + "presenter": "Presenter", + "producer": "Producer", + "programmer": "Programmer", + "recipient": "Recipient", + "reviewedAuthor": "Reviewed Author", + "scriptwriter": "Scriptwriter", + "seriesEditor": "Series Editor", + "sponsor": "Sponsor", + "translator": "Translator", + "wordsBy": "Words By" + } + }, + "es-ES": { + "itemTypes": { + "annotation": "Anotación", + "artwork": "Obra de arte", + "attachment": "Adjunto", + "audioRecording": "Grabación de sonido", + "bill": "Propuesta de ley", + "blogPost": "Entrada de blog", + "book": "Libro", + "bookSection": "Sección de un libro", + "case": "Caso", + "computerProgram": "Software", + "conferencePaper": "Artículo en conferencia", + "dataset": "Conjunto de datos", + "dictionaryEntry": "Entrada de diccionario", + "document": "Documento", + "email": "Correo electrónico", + "encyclopediaArticle": "Artículo de enciclopedia", + "film": "Película", + "forumPost": "Mensaje en un foro", + "hearing": "Audiencia", + "instantMessage": "Mensaje instantáneo", + "interview": "Entrevista", + "journalArticle": "Artículo de revista académica", + "letter": "Carta", + "magazineArticle": "Artículo de revista", + "manuscript": "Manuscrito", + "map": "Mapa", + "newspaperArticle": "Artículo de periódico", + "note": "Nota", + "patent": "Patente", + "podcast": "Pódcast", + "preprint": "Preimpresión", + "presentation": "Presentación", + "radioBroadcast": "Emisión de radio", + "report": "Informe", + "standard": "Estándar", + "statute": "Estatuto", + "thesis": "Tesis", + "tvBroadcast": "Emisión de TV", + "videoRecording": "Grabación de vídeo", + "webpage": "Página web" + }, + "fields": { + "abstractNote": "Resumen", + "accessDate": "Accedido", + "applicationNumber": "Número de solicitud", + "archive": "Archivo", + "archiveID": "ID de archivo", + "archiveLocation": "Posición en archivo", + "artworkMedium": "Medio", + "artworkSize": "Tamaño de la obra", + "assignee": "Responsable", + "audioFileType": "Tipo de archivo", + "audioRecordingFormat": "Formato", + "authority": "Autoridad", + "billNumber": "Número de propuesta de ley", + "blogTitle": "Título del blog", + "bookTitle": "Título del libro", + "callNumber": "Signatura", + "caseName": "Nombre del caso", + "citationKey": "Clave de cita", + "code": "Código", + "codeNumber": "Número de código", + "codePages": "Páginas del código", + "codeVolume": "Volumen del código", + "committee": "Comité", + "company": "Compañía", + "conferenceName": "Nombre de la conferencia", + "country": "País", + "court": "Juzgado", + "date": "Fecha", + "dateAdded": "Fecha de adición", + "dateDecided": "Fecha de sentencia", + "dateEnacted": "Fecha de entrada en vigor", + "dateModified": "Modificado", + "dictionaryTitle": "Título del diccionario", + "distributor": "Distribuidor", + "docketNumber": "Número de expediente", + "documentNumber": "Número de documento", + "DOI": "DOI", + "edition": "Edición", + "encyclopediaTitle": "Título de la enciclopedia", + "episodeNumber": "Número de episodio", + "extra": "Adicional", + "filingDate": "Fecha de solicitud", + "firstPage": "Primera página", + "format": "Formato", + "forumTitle": "Título de foro o lista de correo", + "genre": "Género", + "history": "Historia", + "identifier": "Identificador", + "institution": "Institución", + "interviewMedium": "Medio", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Número", + "issueDate": "Fecha de publicación", + "issuingAuthority": "Entidad emisora", + "itemType": "Tipo de elemento", + "journalAbbreviation": "Abrev. de revista", + "label": "Etiqueta", + "language": "Idioma", + "legalStatus": "Estado legal", + "legislativeBody": "Cuerpo legislativo", + "letterType": "Tipo", + "libraryCatalog": "Catálogo de biblioteca", + "manuscriptType": "Tipo", + "mapType": "Tipo", + "medium": "Medio", + "meetingName": "Nombre de la reunión", + "nameOfAct": "Nombre de la ley", + "network": "Red", + "number": "Número", + "numberOfVolumes": "Número de volúmenes", + "numPages": "Número de páginas", + "organization": "Organización", + "pages": "Páginas", + "patentNumber": "Número de patente", + "place": "Lugar", + "postType": "Tipo de mensaje", + "presentationType": "Tipo", + "priorityNumbers": "Números de prioridad", + "proceedingsTitle": "Título de las actas", + "programmingLanguage": "Lenguaje de programación", + "programTitle": "Título del programa", + "publicationTitle": "Publicación", + "publicLawNumber": "Número de ley pública", + "publisher": "Editorial", + "references": "Referencias", + "reporter": "Acta judicial", + "reporterVolume": "Volumen de las actas", + "reportNumber": "Número de informe", + "reportType": "Tipo de informe", + "repository": "Repositorio", + "repositoryLocation": "Ubicación del repositorio", + "rights": "Derechos", + "runningTime": "Duración", + "scale": "Escala", + "section": "Sección", + "series": "Serie", + "seriesNumber": "Número de la serie", + "seriesText": "Texto de la serie", + "seriesTitle": "Título de la serie", + "session": "Sesión", + "shortTitle": "Título corto", + "status": "Estado", + "studio": "Estudio", + "subject": "Asunto", + "system": "Sistema", + "thesisType": "Tipo", + "title": "Título", + "type": "Tipo", + "university": "Universidad", + "url": "URL", + "versionNumber": "Versión", + "videoRecordingFormat": "Formato", + "volume": "Volumen", + "websiteTitle": "Título de página web", + "websiteType": "Tipo de página Web" + }, + "creatorTypes": { + "artist": "Artista", + "attorneyAgent": "Abogado/Representante", + "author": "Autor", + "bookAuthor": "Autor del libro", + "cartographer": "Cartógrafo", + "castMember": "Miembro del reparto", + "commenter": "Comentador", + "composer": "Compositor", + "contributor": "Contribuidor", + "cosponsor": "Copatrocinador", + "counsel": "Consejero", + "director": "Director", + "editor": "Editor", + "guest": "Invitado", + "interviewee": "Entrevista con", + "interviewer": "Entrevistador", + "inventor": "Inventor", + "performer": "Intérprete", + "podcaster": "Podcaster", + "presenter": "Presentador", + "producer": "Productor", + "programmer": "Programador", + "recipient": "Receptor", + "reviewedAuthor": "Autor revisado", + "scriptwriter": "Guionista", + "seriesEditor": "Editor de la serie", + "sponsor": "Patrocinador", + "translator": "Traductor", + "wordsBy": "Palabras de" + } + }, + "et-EE": { + "itemTypes": { + "annotation": "Annotatsioon", + "artwork": "Kunstiteos", + "attachment": "Manus", + "audioRecording": "Helisalvestis", + "bill": "Arve", + "blogPost": "Blogipostitus", + "book": "Raamat", + "bookSection": "Osa raamatust", + "case": "Kaasus", + "computerProgram": "Software", + "conferencePaper": "Ettekanne", + "dataset": "Dataset", + "dictionaryEntry": "Kirje sõnaraamatus", + "document": "Dokument", + "email": "E-mail", + "encyclopediaArticle": "Entsüklopeediaartikkel", + "film": "Film", + "forumPost": "Foorumi postitus", + "hearing": "Istung", + "instantMessage": "Välksõnum", + "interview": "Intervjuu", + "journalArticle": "Artikkel", + "letter": "Kiri", + "magazineArticle": "Ajakirjaartikkel (mitteakad.)", + "manuscript": "Käsikiri", + "map": "Kaart", + "newspaperArticle": "Ajaleheartikkel", + "note": "Märkus", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Esitlus", + "radioBroadcast": "Raadiosaade", + "report": "Raport", + "standard": "Standard", + "statute": "Statuut", + "thesis": "Väitekiri", + "tvBroadcast": "Telesaade", + "videoRecording": "Videosalvestis", + "webpage": "Veebilehekülg" + }, + "fields": { + "abstractNote": "Abstrakt", + "accessDate": "Vaadatud", + "applicationNumber": "Taotluse number", + "archive": "Arhiiv", + "archiveID": "Archive ID", + "archiveLocation": "Asukoht arhiivis", + "artworkMedium": "Kandja", + "artworkSize": "Kunstiteose suurus", + "assignee": "Ülesande täitja", + "audioFileType": "Faili tüüp", + "audioRecordingFormat": "Formaat", + "authority": "Authority", + "billNumber": "Arvenumber", + "blogTitle": "Blogi nimi", + "bookTitle": "Raamatupealkiri", + "callNumber": "Kohaviit", + "caseName": "Kaasuse nimi", + "citationKey": "Citation Key", + "code": "Koodeks", + "codeNumber": "Koodeksinumber", + "codePages": "Koodeksi leheküljed", + "codeVolume": "Koodeksi köide", + "committee": "Kommitee", + "company": "Firma", + "conferenceName": "Konverentsi nimi", + "country": "Maa", + "court": "Kohus", + "date": "Aeg", + "dateAdded": "Lisamise aeg", + "dateDecided": "Otsustamise aeg", + "dateEnacted": "Jõustumise kuupäev", + "dateModified": "Muudetud", + "dictionaryTitle": "Sõnaraamatu pealkiri", + "distributor": "Levitaja", + "docketNumber": "Päevakorra number", + "documentNumber": "Dokumendi number", + "DOI": "DOI", + "edition": "Trükk", + "encyclopediaTitle": "Entsüklopeedia pealkiri", + "episodeNumber": "Episoodi number", + "extra": "Lisa", + "filingDate": "Arhiveerimiskuupäev", + "firstPage": "Esimene lehekülg", + "format": "Formaat", + "forumTitle": "Foorumi/Listi pealkir", + "genre": "Žanr", + "history": "Ajalugu", + "identifier": "Identifier", + "institution": "Asutus", + "interviewMedium": "Kandja", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Väljalase", + "issueDate": "Väljalaske aeg", + "issuingAuthority": "Väljaandja", + "itemType": "Kirje tüüp", + "journalAbbreviation": "Ajakirja lüh.", + "label": "Silt", + "language": "Keel", + "legalStatus": "Õiguslik seis", + "legislativeBody": "Seadusandlik keha", + "letterType": "Tüüp", + "libraryCatalog": "Raamatukogukataloog", + "manuscriptType": "Tüüp", + "mapType": "Tüüp", + "medium": "Kandja", + "meetingName": "Kohtumise nimi", + "nameOfAct": "Akti nimi", + "network": "Võrk", + "number": "Number", + "numberOfVolumes": "# köidet", + "numPages": "# lk", + "organization": "Organization", + "pages": "Leheküljed", + "patentNumber": "Patendi number", + "place": "Koht", + "postType": "Postituse tüüp", + "presentationType": "Tüüp", + "priorityNumbers": "Prioriteedi numbrid", + "proceedingsTitle": "Toimetise pealkiri", + "programmingLanguage": "Prog. Language", + "programTitle": "Programmi nimi", + "publicationTitle": "Trükis", + "publicLawNumber": "Avaliku seaduse number(?)", + "publisher": "Väljaandja", + "references": "Viited", + "reporter": "Teavitaja", + "reporterVolume": "Raporteerija köide(?)", + "reportNumber": "Raportinumber", + "reportType": "Raportitüüp", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Õigused", + "runningTime": "Kestvus", + "scale": "Suurus", + "section": "Osa", + "series": "Seeria", + "seriesNumber": "Seeria number", + "seriesText": "Seeria tekst", + "seriesTitle": "Seeria pealkiri", + "session": "Sessioon", + "shortTitle": "Lühendatud pealkiri", + "status": "Status", + "studio": "Stuudio", + "subject": "Subjekt", + "system": "Süsteem", + "thesisType": "Tüüp", + "title": "Pealkiri", + "type": "Tüüp", + "university": "Ülikool", + "url": "URL", + "versionNumber": "Versioon", + "videoRecordingFormat": "Formaat", + "volume": "Köide", + "websiteTitle": "Veebilehekülje pealkiri", + "websiteType": "Veebilehe tüüp" + }, + "creatorTypes": { + "artist": "Kunstnik", + "attorneyAgent": "Esindaja/Agent", + "author": "Autor", + "bookAuthor": "Raamatu autor", + "cartographer": "Kartograaf", + "castMember": "Osatäitja", + "commenter": "Kommentaator", + "composer": "Helilooja", + "contributor": "Kaastööline", + "cosponsor": "Kaas-sponsor", + "counsel": "Nõustaja", + "director": "Režissöör", + "editor": "Toimetaja", + "guest": "Külaline", + "interviewee": "Intervjueeritav", + "interviewer": "Intervjueerija", + "inventor": "Leiutaja", + "performer": "Esitaja", + "podcaster": "Podcaster", + "presenter": "Esitaja", + "producer": "Produtsent", + "programmer": "Programmeerija", + "recipient": "Saaja", + "reviewedAuthor": "Arvustatud autor", + "scriptwriter": "Käsikirja autor", + "seriesEditor": "Seeria toimetaja", + "sponsor": "Sponsor", + "translator": "Tõlkija", + "wordsBy": "Sõnade autor" + } + }, + "eu-ES": { + "itemTypes": { + "annotation": "Oharpena", + "artwork": "Artelana", + "attachment": "Eranskina", + "audioRecording": "Audio grabaketa", + "bill": "Lege proiektua", + "blogPost": "Blog albistea", + "book": "Liburua", + "bookSection": "Kapitulua", + "case": "Kasu legala", + "computerProgram": "Softwarea", + "conferencePaper": "Kongresu artikulua", + "dataset": "Datu-multzoa", + "dictionaryEntry": "Hiztegi-sarrera", + "document": "Dokumentua", + "email": "E-posta", + "encyclopediaArticle": "Entziklopedia artikulua", + "film": "Filma", + "forumPost": "Foro bateko bidalketa", + "hearing": "Bista", + "instantMessage": "Zuzeneko mezua", + "interview": "Elkarrizketa", + "journalArticle": "Aldizkaria artikulu", + "letter": "Gutuna", + "magazineArticle": "Prentsa artikulua", + "manuscript": "Eskuizkribua", + "map": "Mapa", + "newspaperArticle": "Egunkariko albistea", + "note": "Oharra", + "patent": "Patentea", + "podcast": "Podcasta", + "preprint": "Imprimatu aurrekoa", + "presentation": "Aurkezpena", + "radioBroadcast": "Irrati saioa", + "report": "Txostena", + "standard": "Estandarra", + "statute": "Estatutua", + "thesis": "Tesia", + "tvBroadcast": "Telebista saioa", + "videoRecording": "Bideo grabaketa", + "webpage": "Web-orria" + }, + "fields": { + "abstractNote": "Laburpena", + "accessDate": "Atzipen data", + "applicationNumber": "Aplikazio zenbakia", + "archive": "Artxiboa", + "archiveID": "Artxibo IDa", + "archiveLocation": "Kokapena artxiboan", + "artworkMedium": "Hedabidea", + "artworkSize": "Artelanaren neurriak", + "assignee": "Nori esleitua", + "audioFileType": "Fitxategi mota", + "audioRecordingFormat": "Formatua", + "authority": "Agintaritza", + "billNumber": "Proiektuaren zbk", + "blogTitle": "Blogaren izenburua", + "bookTitle": "Liburuaren izenburua", + "callNumber": "Erref. Zenbakia", + "caseName": "Kasu izena", + "citationKey": "Aipu-gakoa", + "code": "Kodea", + "codeNumber": "Kode zenbakia", + "codePages": "Kode orrialdeak", + "codeVolume": "Kodearen Alea", + "committee": "Batzordea", + "company": "Enpresa", + "conferenceName": "Kongresuaren titulua", + "country": "Herrialdea", + "court": "Auzitegia", + "date": "Data", + "dateAdded": "Noiz gehitua", + "dateDecided": "Erabakiaren data", + "dateEnacted": "Noiz antzeztua", + "dateModified": "Noiz aldatua", + "dictionaryTitle": "Hiztegiaren izenburua", + "distributor": "Banatzailea", + "docketNumber": "Docket zbk.", + "documentNumber": "Dokumentu zbk.", + "DOI": "DOI", + "edition": "Edizioa", + "encyclopediaTitle": "Entziklopediaren izenburua", + "episodeNumber": "Saio zbk.", + "extra": "Estra", + "filingDate": "Noiz aurkeztua", + "firstPage": "Lehen orrialdea", + "format": "Formatua", + "forumTitle": "Forum/Listserv izenburua", + "genre": "Generoa", + "history": "Historia", + "identifier": "Identifikatzailea", + "institution": "Instituzioa", + "interviewMedium": "Komunikabidea", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Zenbakia", + "issueDate": "Zenbakiaren data", + "issuingAuthority": "Agintaritza jaulkitzailea", + "itemType": "Elementu mota", + "journalAbbreviation": "Aldizkaria labur.", + "label": "Disketxea", + "language": "Hizkuntza", + "legalStatus": "Egoera legala", + "legislativeBody": "Erakunde legegintzailea", + "letterType": "Mota", + "libraryCatalog": "Liburutegi katalogoa", + "manuscriptType": "Mota", + "mapType": "Mota", + "medium": "Komunikabidea", + "meetingName": "Bilkuraren titulua", + "nameOfAct": "Ekitaldiaren izena", + "network": "Irrati/TB-sare", + "number": "Zenbakia", + "numberOfVolumes": "Ale kopurua", + "numPages": "orr.kopurua", + "organization": "Erakundea", + "pages": "Orrialdeak", + "patentNumber": "Patente zenbakia", + "place": "Tokia", + "postType": "Posta mota", + "presentationType": "Mota", + "priorityNumbers": "Lehentasun zenbakiak", + "proceedingsTitle": "Proceedings izenburua", + "programmingLanguage": "Prog. lengoaia", + "programTitle": "Programaren izenburua", + "publicationTitle": "Agerkaria", + "publicLawNumber": "Lege publiko zenbakia", + "publisher": "Argitaratzailea", + "references": "Erreferentziak", + "reporter": "Erreportaria", + "reporterVolume": "Berriemailearen alea", + "reportNumber": "Txostenaren zenbakia", + "reportType": "Txosten mota", + "repository": "Biltegia", + "repositoryLocation": "Errepositorioaren kokapena", + "rights": "Eskubideak", + "runningTime": "Luzapena", + "scale": "Eskala", + "section": "Atala", + "series": "Serie", + "seriesNumber": "Serie-zenbakia", + "seriesText": "Serie-testua", + "seriesTitle": "Serie-izenburua", + "session": "Saioa", + "shortTitle": "Izenburu laburra", + "status": "Egoera", + "studio": "Estudioa", + "subject": "Gaia", + "system": "Sistema", + "thesisType": "Mota", + "title": "Izenburua", + "type": "Mota", + "university": "Unibertsitatea", + "url": "URLa", + "versionNumber": "Bertsioa", + "videoRecordingFormat": "Formatua", + "volume": "Alea", + "websiteTitle": "Webgunearen izenburua", + "websiteType": "Webgune mota" + }, + "creatorTypes": { + "artist": "Artista", + "attorneyAgent": "Abokatua/Agentea", + "author": "Autorea", + "bookAuthor": "Liburuaren autorea", + "cartographer": "Kartografialaria", + "castMember": "Aktorea", + "commenter": "Esataria", + "composer": "Konposatzailea", + "contributor": "Kolaboratzaile", + "cosponsor": "Laguntzailea", + "counsel": "Kontseilua", + "director": "Zuzendaria", + "editor": "Editore", + "guest": "Gonbidatua", + "interviewee": "Elkarrizketatua", + "interviewer": "Elkarrizketatzaile", + "inventor": "Asmatzailea", + "performer": "Antzezlea", + "podcaster": "Podcast egilea", + "presenter": "Aurkezlea", + "producer": "Ekoizlea", + "programmer": "Programatzailea", + "recipient": "Hartzailea", + "reviewedAuthor": "Berrikusitako autorea", + "scriptwriter": "Gidoi-idazle", + "seriesEditor": "Seriearen editore", + "sponsor": "Babeslea", + "translator": "Itzultzaile", + "wordsBy": "Hitzak" + } + }, + "fa": { + "itemTypes": { + "annotation": "حاشیه‌نویسی", + "artwork": "اثر هنری", + "attachment": "پیوست", + "audioRecording": "صدای ضبط شده", + "bill": "قانون", + "blogPost": "پست بلاگ", + "book": "کتاب", + "bookSection": "فصل کتاب", + "case": "پرونده", + "computerProgram": "Software", + "conferencePaper": "مقاله کنفرانس", + "dataset": "Dataset", + "dictionaryEntry": "مدخل لغتنامه", + "document": "سند", + "email": "ایمیل", + "encyclopediaArticle": "مقاله دانشنامه", + "film": "فیلم", + "forumPost": "پست فروم", + "hearing": "استماع", + "instantMessage": "پیام فوری", + "interview": "مصاحبه", + "journalArticle": "مقاله", + "letter": "نامه", + "magazineArticle": "مقاله مجله", + "manuscript": "دست‌نوشته", + "map": "نقشه", + "newspaperArticle": "مقاله روزنامه", + "note": "یادداشت", + "patent": "ثبت اختراع", + "podcast": "پادکست", + "preprint": "Preprint", + "presentation": "ارائه", + "radioBroadcast": "برنامه رادیویی", + "report": "گزارش", + "standard": "استاندارد", + "statute": "مجسمه", + "thesis": "پایان‌نامه", + "tvBroadcast": "برنامه تلویزیونی", + "videoRecording": "تصویر ضبط شده", + "webpage": "صفحه وب" + }, + "fields": { + "abstractNote": "چکیده", + "accessDate": "تاریخ دسترسی", + "applicationNumber": "شماره درخواست", + "archive": "آرشیو", + "archiveID": "Archive ID", + "archiveLocation": "محل در آرشیو", + "artworkMedium": "رسانه", + "artworkSize": "اندازه کار هنری", + "assignee": "نماینده قانونی", + "audioFileType": "نوع پرونده", + "audioRecordingFormat": "قالب", + "authority": "Authority", + "billNumber": "Bill Number", + "blogTitle": "عنوان بلاگ", + "bookTitle": "عنوان کتاب", + "callNumber": "شماره فراخوانی", + "caseName": "نام پرونده", + "citationKey": "Citation Key", + "code": "کد", + "codeNumber": "شماره کد", + "codePages": "Code Pages", + "codeVolume": "Code Volume", + "committee": "کمیته", + "company": "شرکت", + "conferenceName": "نام کنفرانس", + "country": "کشور", + "court": "دادگاه", + "date": "تاریخ", + "dateAdded": "تاریخ افزودن", + "dateDecided": "Date Decided", + "dateEnacted": "تاریخ تصویب", + "dateModified": "تاریخ اصلاح", + "dictionaryTitle": "عنوان لغتنامه", + "distributor": "‌توزیع‌کننده", + "docketNumber": "شماره دفتر", + "documentNumber": "شماره سند", + "DOI": "شناسه DOI", + "edition": "ویرایش", + "encyclopediaTitle": "عنوان دانشنامه", + "episodeNumber": "شماره اپیزود", + "extra": "اطلاعات اضافه", + "filingDate": "تاریخ بایگانی", + "firstPage": "صفحه اول", + "format": "فرمت", + "forumTitle": "عنوان انجمن گفتگو", + "genre": "ژانر", + "history": "تاریخچه", + "identifier": "Identifier", + "institution": "موسسه", + "interviewMedium": "رسانه", + "ISBN": "شابک", + "ISSN": "شابن", + "issue": "شماره", + "issueDate": "تاریخ شماره", + "issuingAuthority": "مرجع صادر کننده", + "itemType": "نوع آیتم", + "journalAbbreviation": "نام مختصر مجله", + "label": "برچسب", + "language": "زبان", + "legalStatus": "وضعیت حقوقی", + "legislativeBody": "هیات قانون‌گذاری", + "letterType": "نوع", + "libraryCatalog": "فهرست کتابخانه", + "manuscriptType": "نوع", + "mapType": "نوع", + "medium": "رسانه", + "meetingName": "نام نشست", + "nameOfAct": "نام قانون", + "network": "شبکه", + "number": "عدد", + "numberOfVolumes": "تعداد جلد", + "numPages": "تعداد صفحه", + "organization": "Organization", + "pages": "صفحات", + "patentNumber": "شماره ثبت اختراع", + "place": "مکان", + "postType": "نوع پست", + "presentationType": "نوع", + "priorityNumbers": "شماره‌های اولویت", + "proceedingsTitle": "عنوان مجموعه مقالات", + "programmingLanguage": "Prog. Language", + "programTitle": "عنوان برنامه", + "publicationTitle": "انتشار", + "publicLawNumber": "شماره قانون عمومی", + "publisher": "ناشر", + "references": "مراجع", + "reporter": "گزارشگر", + "reporterVolume": "Reporter Volume", + "reportNumber": "شماره گزارش", + "reportType": "نوع گزارش", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "حقوق", + "runningTime": "زمان اجرا", + "scale": "مقیاس", + "section": "بخش", + "series": "مجموعه (سری)", + "seriesNumber": "شماره مجموعه", + "seriesText": "متن مجموعه", + "seriesTitle": "عنوان مجموعه", + "session": "جلسه", + "shortTitle": "عنوان کوتاه", + "status": "Status", + "studio": "استودیو", + "subject": "موضوع", + "system": "سامانه", + "thesisType": "نوع", + "title": "عنوان", + "type": "نوع", + "university": "دانشگاه", + "url": "نشانی وب", + "versionNumber": "نگارش", + "videoRecordingFormat": "قالب", + "volume": "جلد", + "websiteTitle": "عنوان وب‌گاه", + "websiteType": "نوع وب‌گاه" + }, + "creatorTypes": { + "artist": "هنرمند", + "attorneyAgent": "وکیل/نماینده", + "author": "نویسنده", + "bookAuthor": "نویسنده کتاب", + "cartographer": "نقشه‌کش", + "castMember": "عضو گروه", + "commenter": "مفسر", + "composer": "آهنگساز", + "contributor": "پدیدآور", + "cosponsor": "پشتیبان دوم", + "counsel": "مشاور", + "director": "کارگردان", + "editor": "ویرایشگر", + "guest": "مهمان", + "interviewee": "مصاحبه با", + "interviewer": "مصاحبه‌گر", + "inventor": "مخترع", + "performer": "مجری", + "podcaster": "Podcaster", + "presenter": "ارائه‌دهنده", + "producer": "تولیدکننده", + "programmer": "برنامه‌نویس", + "recipient": "گیرنده", + "reviewedAuthor": "Reviewed Author", + "scriptwriter": "نمایشنامه‌نویس", + "seriesEditor": "ویرایشگر مجموعه", + "sponsor": "پشتیبان", + "translator": "مترجم", + "wordsBy": "کلام از" + } + }, + "fi-FI": { + "itemTypes": { + "annotation": "Huomautus", + "artwork": "Taideteos", + "attachment": "Liite", + "audioRecording": "Äänite", + "bill": "Lakiesitys", + "blogPost": "Blogikirjoitus", + "book": "Kirja", + "bookSection": "Kirjan osa", + "case": "Oikeusjuttu", + "computerProgram": "Ohjelmisto", + "conferencePaper": "Konferenssiartikkeli", + "dataset": "Tietoaineisto", + "dictionaryEntry": "Sanakirjan hakusana", + "document": "Asiakirja", + "email": "S-posti", + "encyclopediaArticle": "Tietosanakirja-artikkeli", + "film": "Filmi", + "forumPost": "Foorumiviesti", + "hearing": "Kuuleminen", + "instantMessage": "Pikaviestimen viesti", + "interview": "Haastattelu", + "journalArticle": "Aikakausjulkaisun artikkeli", + "letter": "Kirje", + "magazineArticle": "Aikakauslehden artikkeli", + "manuscript": "Käsikirjoitus", + "map": "Kartta", + "newspaperArticle": "Sanomalehden artikkeli", + "note": "Muistiinpano", + "patent": "Patentti", + "podcast": "Podcast", + "preprint": "Käsikirjoitusversio", + "presentation": "Esitelmä", + "radioBroadcast": "Radiolähetys", + "report": "Raportti", + "standard": "Vakio", + "statute": "Säädös", + "thesis": "Opinnäytetyö", + "tvBroadcast": "Tv-lähetys", + "videoRecording": "Videotallenne", + "webpage": "Web-sivu" + }, + "fields": { + "abstractNote": "Tiivistelmä", + "accessDate": "Luettu", + "applicationNumber": "Hakemusnumero", + "archive": "Arkisto", + "archiveID": "Arkistotunniste (Archive ID)", + "archiveLocation": "Paik. arkistossa", + "artworkMedium": "Materiaali", + "artworkSize": "Teoksen koko", + "assignee": "Valtuutettu", + "audioFileType": "Tiedostomuoto", + "audioRecordingFormat": "Muoto", + "authority": "Organisaatio", + "billNumber": "Lakiesityksen numero", + "blogTitle": "Blogin nimi", + "bookTitle": "Kirjan nimi", + "callNumber": "Hyllypaikka", + "caseName": "Tapauksen nimi", + "citationKey": "Viitteen tunniste", + "code": "Koodi", + "codeNumber": "Koodinumero", + "codePages": "Koodin sivut", + "codeVolume": "Koodisarja", + "committee": "Komitea", + "company": "Yritys", + "conferenceName": "Konferenssin nimi", + "country": "Maa", + "court": "Tuomioistuin", + "date": "Päiväys", + "dateAdded": "Lisäyspäivä", + "dateDecided": "Päätöspäivämäärä", + "dateEnacted": "Täytäntöönpanopäivä", + "dateModified": "Muokattu", + "dictionaryTitle": "Sanakirjan otsake", + "distributor": "Jakelija", + "docketNumber": "Esityslistan numero", + "documentNumber": "Asiakirjan numero", + "DOI": "DOI", + "edition": "Painos", + "encyclopediaTitle": "Tietosanakirjan otsake", + "episodeNumber": "Jakson numero", + "extra": "Ylim.", + "filingDate": "Arkistointipäivä", + "firstPage": "Ensimmäinen sivu", + "format": "Muoto", + "forumTitle": "Foorumin/listan nimi", + "genre": "Genre", + "history": "Historia", + "identifier": "Tunniste", + "institution": "Laitos", + "interviewMedium": "Tallennusväline", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Numero", + "issueDate": "Hakupäiväys", + "issuingAuthority": "Myöntänyt viranomainen", + "itemType": "Nimikkeen tyyppi", + "journalAbbreviation": "Julkaisun lyhenne", + "label": "Otsake", + "language": "Kieli", + "legalStatus": "Statustiedot", + "legislativeBody": "Lainsäätäjä", + "letterType": "Tyyppi", + "libraryCatalog": "Kirjastokatalogi", + "manuscriptType": "Käsikirjoitustyyppi", + "mapType": "Tyyppi", + "medium": "Viestintäväline", + "meetingName": "Tapaamisen nimi", + "nameOfAct": "Laki", + "network": "Verkko", + "number": "Määrä", + "numberOfVolumes": "Niteiden lkm.", + "numPages": "Sivumäärä", + "organization": "Organisaatio", + "pages": "Sivut", + "patentNumber": "Patenttinumero", + "place": "Paikka", + "postType": "Tyyppi", + "presentationType": "Tyyppi", + "priorityNumbers": "Etuoikeusnumerot", + "proceedingsTitle": "Konferenssijulkaisun otsikko", + "programmingLanguage": "Ohjelmointikieli", + "programTitle": "Ohjelman nimi", + "publicationTitle": "Julkaisu", + "publicLawNumber": "Lakinumero", + "publisher": "Julkaisija", + "references": "Viittaukset", + "reporter": "Toimittaja", + "reporterVolume": "Raporttivuosikerta", + "reportNumber": "Raportti numero", + "reportType": "Raportin tyyppi", + "repository": "Säilö", + "repositoryLocation": "Säilön sijainti", + "rights": "Oikeudet", + "runningTime": "Soittoaika", + "scale": "Mittakaava", + "section": "Osio", + "series": "Sarja", + "seriesNumber": "Sarjan numero", + "seriesText": "Sarjan teksti", + "seriesTitle": "Sarjan nimi", + "session": "Istunto", + "shortTitle": "Lyhyt nimi", + "status": "Tila", + "studio": "Studio", + "subject": "Aihe", + "system": "Järjestelmä", + "thesisType": "Tyyppi", + "title": "Otsake", + "type": "Tyyppi", + "university": "Yliopisto", + "url": "URL", + "versionNumber": "Versio", + "videoRecordingFormat": "Muoto", + "volume": "Vuosikerta", + "websiteTitle": "Websivu", + "websiteType": "Web-sivustotyyppi" + }, + "creatorTypes": { + "artist": "Taiteilija", + "attorneyAgent": "Asianajaja/agentti", + "author": "Tekijä", + "bookAuthor": "Kirjan tekijä", + "cartographer": "Kartoittaja", + "castMember": "Näyttelijä", + "commenter": "Kommentoija", + "composer": "Säveltäjä", + "contributor": "Muu tekijä", + "cosponsor": "Osasponsori", + "counsel": "Oikeusavustaja", + "director": "Ohjaaja", + "editor": "Toimittaja", + "guest": "Vieras", + "interviewee": "Haastattelussa", + "interviewer": "Haastattelija", + "inventor": "Keksijä", + "performer": "Esiintyjä", + "podcaster": "Podcastin tekijä", + "presenter": "Esittäjä", + "producer": "Tuottaja", + "programmer": "Ohjelmoija", + "recipient": "Vastaanottaja", + "reviewedAuthor": "Arvostelun kohde", + "scriptwriter": "Käsikirjoittaja", + "seriesEditor": "Sarjan toimittaja", + "sponsor": "Sponsori", + "translator": "Kääntäjä", + "wordsBy": "Sanoittaja" + } + }, + "fr-FR": { + "itemTypes": { + "annotation": "Annotation", + "artwork": "Illustration", + "attachment": "Pièce jointe", + "audioRecording": "Enregistrement audio", + "bill": "Projet/proposition de loi", + "blogPost": "Billet de blog", + "book": "Livre", + "bookSection": "Chapitre de livre", + "case": "Affaire", + "computerProgram": "Logiciel", + "conferencePaper": "Article de colloque", + "dataset": "Jeu de données", + "dictionaryEntry": "Entrée de dictionnaire", + "document": "Document", + "email": "Courriel", + "encyclopediaArticle": "Article d'encyclopédie", + "film": "Film", + "forumPost": "Message de forum", + "hearing": "Audience", + "instantMessage": "Message instantané", + "interview": "Interview", + "journalArticle": "Article de revue", + "letter": "Lettre", + "magazineArticle": "Article de magazine", + "manuscript": "Manuscrit", + "map": "Carte", + "newspaperArticle": "Article de journal", + "note": "Note", + "patent": "Brevet", + "podcast": "Balado (Podcast)", + "preprint": "Prépublication", + "presentation": "Présentation", + "radioBroadcast": "Émission de radio", + "report": "Rapport", + "standard": "Norme", + "statute": "Acte juridique", + "thesis": "Thèse", + "tvBroadcast": "Émission de TV", + "videoRecording": "Enregistrement vidéo", + "webpage": "Page Web" + }, + "fields": { + "abstractNote": "Résumé", + "accessDate": "Consulté le", + "applicationNumber": "N° d'application", + "archive": "Archive", + "archiveID": "Identifiant dans l'archive", + "archiveLocation": "Loc. dans l'archive", + "artworkMedium": "Support de l'illustration", + "artworkSize": "Taille d'illustration", + "assignee": "Cessionnaire", + "audioFileType": "Type de fichier", + "audioRecordingFormat": "Format", + "authority": "Autorité", + "billNumber": "N° de projet", + "blogTitle": "Titre du blog", + "bookTitle": "Titre du livre", + "callNumber": "Cote", + "caseName": "Nom de l'affaire", + "citationKey": "Clé de citation", + "code": "Code", + "codeNumber": "N° de code", + "codePages": "Pages de code", + "codeVolume": "Volume de code", + "committee": "Commission", + "company": "Société", + "conferenceName": "Intitulé du colloque", + "country": "Pays", + "court": "Tribunal", + "date": "Date", + "dateAdded": "Date d'ajout", + "dateDecided": "Date de décision", + "dateEnacted": "Promulgué le", + "dateModified": "Modifié le", + "dictionaryTitle": "Titre du dict.", + "distributor": "Distributeur", + "docketNumber": "N° de requête", + "documentNumber": "N° du document", + "DOI": "DOI", + "edition": "Édition", + "encyclopediaTitle": "Titre de l'encycl.", + "episodeNumber": "N° de l'épisode", + "extra": "Extra", + "filingDate": "Date de dépôt", + "firstPage": "Première page", + "format": "Format", + "forumTitle": "Titre du forum/listserv", + "genre": "Genre", + "history": "Histoire", + "identifier": "Identifiant", + "institution": "Institution", + "interviewMedium": "Média", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Numéro", + "issueDate": "Date de parution", + "issuingAuthority": "Autorité émettrice", + "itemType": "Type de document", + "journalAbbreviation": "Abrév. de revue", + "label": "Label", + "language": "Langue", + "legalStatus": "Statut légal", + "legislativeBody": "Corps législatif", + "letterType": "Type", + "libraryCatalog": "Catalogue de bibl.", + "manuscriptType": "Type", + "mapType": "Type", + "medium": "Média", + "meetingName": "Intitulé de la réunion", + "nameOfAct": "Nom de l'acte", + "network": "Réseau", + "number": "Numéro", + "numberOfVolumes": "Nb de volumes", + "numPages": "Nb de pages", + "organization": "Organisation", + "pages": "Pages", + "patentNumber": "N° de brevet", + "place": "Lieu", + "postType": "Type d'article", + "presentationType": "Type", + "priorityNumbers": "Numéros de priorité", + "proceedingsTitle": "Titre des actes", + "programmingLanguage": "Langage de programmation", + "programTitle": "Titre du programme", + "publicationTitle": "Publication", + "publicLawNumber": "N° officiel de l'acte", + "publisher": "Maison d’édition", + "references": "Références", + "reporter": "Recueil", + "reporterVolume": "Volume de recueil", + "reportNumber": "N° du rapport", + "reportType": "Type de rapport", + "repository": "Dépôt", + "repositoryLocation": "Loc. du dépôt", + "rights": "Autorisations", + "runningTime": "Durée", + "scale": "Échelle", + "section": "Section", + "series": "Collection", + "seriesNumber": "N° ds la coll.", + "seriesText": "Texte de la coll.", + "seriesTitle": "Titre de la coll.", + "session": "Session", + "shortTitle": "Titre abrégé", + "status": "Statut", + "studio": "Studio", + "subject": "Sujet", + "system": "Système", + "thesisType": "Type", + "title": "Titre", + "type": "Type", + "university": "Université", + "url": "URL", + "versionNumber": "Version", + "videoRecordingFormat": "Format", + "volume": "Volume", + "websiteTitle": "Titre du site Web", + "websiteType": "Type de site Web" + }, + "creatorTypes": { + "artist": "Artiste", + "attorneyAgent": "Mandataire/Agent", + "author": "Auteur", + "bookAuthor": "Auteur du livre", + "cartographer": "Cartographe", + "castMember": "Membre de la distribution", + "commenter": "Commentateur", + "composer": "Compositeur", + "contributor": "Collaborateur", + "cosponsor": "Co-parrain", + "counsel": "Conseiller", + "director": "Metteur en scène", + "editor": "Éditeur", + "guest": "Invité", + "interviewee": "Interviewé", + "interviewer": "Reporter", + "inventor": "Inventeur", + "performer": "Interprète", + "podcaster": "Diffuseur", + "presenter": "Présentateur", + "producer": "Producteur", + "programmer": "Programmeur", + "recipient": "Destinataire", + "reviewedAuthor": "Auteur recensé", + "scriptwriter": "Scénariste", + "seriesEditor": "Directeur de coll.", + "sponsor": "Auteur", + "translator": "Traducteur", + "wordsBy": "Paroles de" + } + }, + "gl-ES": { + "itemTypes": { + "annotation": "Anotación", + "artwork": "Arte", + "attachment": "Anexo", + "audioRecording": "Gravación de son", + "bill": "Factura", + "blogPost": "Entrada de blogue", + "book": "Libro", + "bookSection": "Sección de libro", + "case": "Caso", + "computerProgram": "Software", + "conferencePaper": "Publicación de congreso", + "dataset": "Conxunto de datos", + "dictionaryEntry": "Entrada de dicionario", + "document": "Documento", + "email": "Correo electrónico", + "encyclopediaArticle": "Artigo enciclopédico", + "film": "Película", + "forumPost": "Entrada de foro", + "hearing": "Audiencia", + "instantMessage": "Mensaxe instantáneo", + "interview": "Entrevista", + "journalArticle": "Artigo de publicación", + "letter": "Carta", + "magazineArticle": "Artigo de revista", + "manuscript": "Manuscrito", + "map": "Mapa", + "newspaperArticle": "Artigo de xornal", + "note": "Nota", + "patent": "Patente", + "podcast": "Podcast", + "preprint": "Pre-impresión", + "presentation": "Presentación", + "radioBroadcast": "Emisión de Radio", + "report": "Informe", + "standard": "Estándar", + "statute": "Estatuto", + "thesis": "Tese", + "tvBroadcast": "Emisión de TV", + "videoRecording": "Gravación de vídeo", + "webpage": "Páxina web" + }, + "fields": { + "abstractNote": "Resumen", + "accessDate": "Consultado", + "applicationNumber": "Número da solicitude", + "archive": "Arquivo", + "archiveID": "Arquivo ID", + "archiveLocation": "Loc. no arquivo", + "artworkMedium": "Mediano", + "artworkSize": "Tamaño das ilustracións", + "assignee": "Cesionario", + "audioFileType": "Tipo de ficheiro", + "audioRecordingFormat": "Formato", + "authority": "Autoridade", + "billNumber": "Número da factura", + "blogTitle": "Título do blogue", + "bookTitle": "Título do libro", + "callNumber": "Número de catálogo", + "caseName": "Número do caso", + "citationKey": "Clave de citación", + "code": "Código", + "codeNumber": "Número de código", + "codePages": "Páxinas de códigos", + "codeVolume": "Tomo de códigos", + "committee": "Comité", + "company": "Compañía", + "conferenceName": "Nome da congreso", + "country": "País", + "court": "Tribunal", + "date": "Data", + "dateAdded": "Data de alta", + "dateDecided": "Data decidida", + "dateEnacted": "Data de promulgación", + "dateModified": "Modificado", + "dictionaryTitle": "Título do dicionario", + "distributor": "Distribuidor", + "docketNumber": "Número de expediente", + "documentNumber": "Número do documento", + "DOI": "DOI", + "edition": "Edición", + "encyclopediaTitle": "Título da enciclopedia", + "episodeNumber": "Número de episodio", + "extra": "Extra", + "filingDate": "Data de entrada en arquivo", + "firstPage": "Primeira páxina", + "format": "Formato", + "forumTitle": "Título do foro/Listserv", + "genre": "Xénero", + "history": "Historia", + "identifier": "Identificador", + "institution": "Institución", + "interviewMedium": "Medio", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Número", + "issueDate": "Data do elemento", + "issuingAuthority": "Autoridade emisora", + "itemType": "Tipo de elemento", + "journalAbbreviation": "Abreviatura da publicación", + "label": "Rótulo", + "language": "Lingua", + "legalStatus": "Estatuto xurídico", + "legislativeBody": "Corpo lexislativo", + "letterType": "Tipo", + "libraryCatalog": "Catálogo da biblioteca", + "manuscriptType": "Tipo", + "mapType": "Tipo", + "medium": "Medio", + "meetingName": "Nome da Reunión", + "nameOfAct": "Número da acta", + "network": "Rede", + "number": "Número", + "numberOfVolumes": "Nº de tomos", + "numPages": "Nº de Páxinas", + "organization": "Organización", + "pages": "Páxinas", + "patentNumber": "Número da patente", + "place": "Lugar", + "postType": "Tipo de entrada", + "presentationType": "Tipo", + "priorityNumbers": "Números de prioridade", + "proceedingsTitle": "Título das medidas legais", + "programmingLanguage": "Ling. de programación", + "programTitle": "Título do programa", + "publicationTitle": "Publicación", + "publicLawNumber": "Número de dereito público", + "publisher": "Editorial", + "references": "Referencias", + "reporter": "Reporteiro", + "reporterVolume": "Tomo de reporteiros", + "reportNumber": "Número do informe", + "reportType": "Tipo de informe", + "repository": "Repositorio", + "repositoryLocation": "Localización do repo.", + "rights": "Dereitos", + "runningTime": "Duración", + "scale": "Escala", + "section": "Sección", + "series": "Serie", + "seriesNumber": "Número da serie", + "seriesText": "Texto da serie", + "seriesTitle": "Título da serie", + "session": "Sesión", + "shortTitle": "Título curto", + "status": "Estado", + "studio": "Estudio", + "subject": "Asunto", + "system": "Sistema", + "thesisType": "Tipo", + "title": "Título", + "type": "Tipo", + "university": "Universidade", + "url": "URL", + "versionNumber": "Versión", + "videoRecordingFormat": "Formato", + "volume": "Tomo", + "websiteTitle": "Título da páxina web", + "websiteType": "Tipo de páxina web" + }, + "creatorTypes": { + "artist": "Artista", + "attorneyAgent": "Procurador/Axente", + "author": "Autor", + "bookAuthor": "Autor do libro", + "cartographer": "Cartógrafo", + "castMember": "Membro do elenco", + "commenter": "Comentarista", + "composer": "Compositor", + "contributor": "Colaborador", + "cosponsor": "Copatrocinador", + "counsel": "Avogado", + "director": "Director", + "editor": "Editor", + "guest": "Invitado", + "interviewee": "Entrevista con", + "interviewer": "Entrevista", + "inventor": "Inventor", + "performer": "Intérprete", + "podcaster": "Fonte do podcast", + "presenter": "Presentador", + "producer": "Produtor", + "programmer": "Programador", + "recipient": "Receptor", + "reviewedAuthor": "Autor reseñado", + "scriptwriter": "Guionista", + "seriesEditor": "Editor da serie", + "sponsor": "Patrocinador", + "translator": "Tradutor", + "wordsBy": "Guión de" + } + }, + "he-IL": { + "itemTypes": { + "annotation": "הסבר", + "artwork": "יצירת אומנות", + "attachment": "קובץ מצורף", + "audioRecording": "הקלטת שמע", + "bill": "חשבון", + "blogPost": "רשומת יומן רשת", + "book": "ספר", + "bookSection": "פרק מספר", + "case": "תיק", + "computerProgram": "תוכנה", + "conferencePaper": "מסמך ועידה", + "dataset": "Dataset", + "dictionaryEntry": "ערך במילון", + "document": "מסמך", + "email": "דוא״ל", + "encyclopediaArticle": "ערך באנציקלופדיה", + "film": "סרט", + "forumPost": "רשומה בפורום", + "hearing": "שימוע", + "instantMessage": "הודעה מיידית", + "interview": "ראיון", + "journalArticle": "כתבה מכתב עת", + "letter": "מכתב", + "magazineArticle": "כתבה ממגזין", + "manuscript": "כתב־יד", + "map": "מפה", + "newspaperArticle": "כתבה מעתון", + "note": "הערה", + "patent": "פטנט", + "podcast": "פודקאסט", + "preprint": "Preprint", + "presentation": "מצגת", + "radioBroadcast": "שידור רדיו", + "report": "דוח", + "standard": "Standard", + "statute": "תקנון", + "thesis": "תזה", + "tvBroadcast": "שידור טלוויזיוני", + "videoRecording": "הקלטת וידאו", + "webpage": "דף אינטרנט" + }, + "fields": { + "abstractNote": "תקציר", + "accessDate": "מועד גישה", + "applicationNumber": "מספר בקשה", + "archive": "ארכיון", + "archiveID": "מזהה ארכיון", + "archiveLocation": "מיקום בארכיון", + "artworkMedium": "אמצעי", + "artworkSize": "גודל יצירת האומנות", + "assignee": "נמחה", + "audioFileType": "סוג קובץ", + "audioRecordingFormat": "עיצוב", + "authority": "Authority", + "billNumber": "מס׳ חשבון", + "blogTitle": "שם בלוג", + "bookTitle": "שם ספר", + "callNumber": "מספר המיון", + "caseName": "שם התיק", + "citationKey": "מפתח ציטוט", + "code": "קוד", + "codeNumber": "Code Number", + "codePages": "Code Pages", + "codeVolume": "Code Volume", + "committee": "ועדה", + "company": "חברה", + "conferenceName": "שם כנס", + "country": "מדינה", + "court": "בית משפט", + "date": "תאריך", + "dateAdded": "תאריך הוספה", + "dateDecided": "תאריך החלטה", + "dateEnacted": "Date Enacted", + "dateModified": "שונה", + "dictionaryTitle": "שם מילון", + "distributor": "מפיץ", + "docketNumber": "מספרי רשימות תיקי בית משפט", + "documentNumber": "מספר מסמך", + "DOI": "DOI", + "edition": "מהדורה", + "encyclopediaTitle": "שם אנציקלופדיה", + "episodeNumber": "מספר פרק", + "extra": "תוספת", + "filingDate": "תאריך תיוק", + "firstPage": "עמוד ראשון", + "format": "עיצוב", + "forumTitle": "Forum/Listserv Title", + "genre": "סוגה", + "history": "היסטוריה", + "identifier": "Identifier", + "institution": "מוסד", + "interviewMedium": "אמצעי", + "ISBN": "מסת״ב", + "ISSN": "ISSN", + "issue": "גיליון", + "issueDate": "תאריך הנפקה", + "issuingAuthority": "רשות מנפיקה", + "itemType": "סוג פריט", + "journalAbbreviation": "קיצורי כתב עת", + "label": "תווית", + "language": "שפה", + "legalStatus": "מצב משפטי", + "legislativeBody": "גוף מחוקק", + "letterType": "סוג", + "libraryCatalog": "קטלוג ספרייה", + "manuscriptType": "סוג", + "mapType": "סוג", + "medium": "אמצעי", + "meetingName": "שם פגישה", + "nameOfAct": "שם החוק", + "network": "רשת", + "number": "מספר", + "numberOfVolumes": "מס׳ כרכים", + "numPages": "מס׳ עמודים", + "organization": "Organization", + "pages": "עמודים", + "patentNumber": "מספר פטנט", + "place": "מקום", + "postType": "Post Type", + "presentationType": "סוג", + "priorityNumbers": "מספרי עדיפות", + "proceedingsTitle": "כותרת תביעה", + "programmingLanguage": "שפת פיתוח", + "programTitle": "כותרת תוכנית", + "publicationTitle": "הוצאה לאור", + "publicLawNumber": "Public Law Number", + "publisher": "מו״ל", + "references": "סימוכין", + "reporter": "גוף מדווח", + "reporterVolume": "Reporter Volume", + "reportNumber": "מספר דוח", + "reportType": "סוג דוח", + "repository": "מאגר", + "repositoryLocation": "Repo. Location", + "rights": "זכויות", + "runningTime": "משך ריצה", + "scale": "קנה מידה", + "section": "מקטע", + "series": "סדרה", + "seriesNumber": "מספר סדרה", + "seriesText": "טקסט סדרה", + "seriesTitle": "שם סדרה", + "session": "מפגש", + "shortTitle": "כותרת קצרה", + "status": "Status", + "studio": "סטודיו", + "subject": "נושא", + "system": "מערכת", + "thesisType": "סוג", + "title": "כותרת", + "type": "סוג", + "university": "אוניברסיטה", + "url": "כתובת", + "versionNumber": "גרסה", + "videoRecordingFormat": "עיצוב", + "volume": "כרך", + "websiteTitle": "כותרת אתר", + "websiteType": "סוג אתר" + }, + "creatorTypes": { + "artist": "אומן", + "attorneyAgent": "עורך דין/סוכן", + "author": "מחבר", + "bookAuthor": "כותב/ת הספר", + "cartographer": "קרטוגרף", + "castMember": "חבר בצוות המשתתפים", + "commenter": "מגיב/ה", + "composer": "מלחין", + "contributor": "Contributor", + "cosponsor": "תומך/ת", + "counsel": "פרקליט", + "director": "במאי", + "editor": "עורך", + "guest": "אורח", + "interviewee": "ראיון עם", + "interviewer": "מראיין", + "inventor": "ממציא", + "performer": "מבצע", + "podcaster": "שדרן או שדרנית הסכתים", + "presenter": "מציג", + "producer": "מפיק", + "programmer": "מתכנת", + "recipient": "נמען", + "reviewedAuthor": "יוצר/ת סוקר/ת", + "scriptwriter": "תסריטאי", + "seriesEditor": "עורך סדרה", + "sponsor": "נותן חסות", + "translator": "מתרגם", + "wordsBy": "מילים מאת" + } + }, + "hr-HR": { + "itemTypes": { + "annotation": "Annotation", + "artwork": "Artwork", + "attachment": "Attachment", + "audioRecording": "Audio Recording", + "bill": "Bill", + "blogPost": "Blog Post", + "book": "Book", + "bookSection": "Book Section", + "case": "Case", + "computerProgram": "Software", + "conferencePaper": "Conference Paper", + "dataset": "Dataset", + "dictionaryEntry": "Dictionary Entry", + "document": "Document", + "email": "E-mail", + "encyclopediaArticle": "Encyclopedia Article", + "film": "Film", + "forumPost": "Forum Post", + "hearing": "Hearing", + "instantMessage": "Instant Message", + "interview": "Interview", + "journalArticle": "Journal Article", + "letter": "Letter", + "magazineArticle": "Magazine Article", + "manuscript": "Manuscript", + "map": "Map", + "newspaperArticle": "Newspaper Article", + "note": "Note", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Presentation", + "radioBroadcast": "Radio Broadcast", + "report": "Report", + "standard": "Standard", + "statute": "Statute", + "thesis": "Thesis", + "tvBroadcast": "TV Broadcast", + "videoRecording": "Video Recording", + "webpage": "Web Page" + }, + "fields": { + "abstractNote": "Abstract", + "accessDate": "Accessed", + "applicationNumber": "Application Number", + "archive": "Archive", + "archiveID": "Archive ID", + "archiveLocation": "Loc. in Archive", + "artworkMedium": "Medium", + "artworkSize": "Artwork Size", + "assignee": "Assignee", + "audioFileType": "File Type", + "audioRecordingFormat": "Format", + "authority": "Authority", + "billNumber": "Bill Number", + "blogTitle": "Blog Title", + "bookTitle": "Book Title", + "callNumber": "Call Number", + "caseName": "Case Name", + "citationKey": "Citation Key", + "code": "Code", + "codeNumber": "Code Number", + "codePages": "Code Pages", + "codeVolume": "Code Volume", + "committee": "Committee", + "company": "Company", + "conferenceName": "Conference Name", + "country": "Country", + "court": "Court", + "date": "Date", + "dateAdded": "Date Added", + "dateDecided": "Date Decided", + "dateEnacted": "Date Enacted", + "dateModified": "Modified", + "dictionaryTitle": "Dictionary Title", + "distributor": "Distributor", + "docketNumber": "Docket Number", + "documentNumber": "Document Number", + "DOI": "DOI", + "edition": "Edition", + "encyclopediaTitle": "Encyclopedia Title", + "episodeNumber": "Episode Number", + "extra": "Extra", + "filingDate": "Filing Date", + "firstPage": "First Page", + "format": "Format", + "forumTitle": "Forum/Listserv Title", + "genre": "Genre", + "history": "History", + "identifier": "Identifier", + "institution": "Institution", + "interviewMedium": "Medium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Issue", + "issueDate": "Issue Date", + "issuingAuthority": "Issuing Authority", + "itemType": "Item Type", + "journalAbbreviation": "Journal Abbr", + "label": "Label", + "language": "Language", + "legalStatus": "Legal Status", + "legislativeBody": "Legislative Body", + "letterType": "Type", + "libraryCatalog": "Library Catalog", + "manuscriptType": "Type", + "mapType": "Type", + "medium": "Medium", + "meetingName": "Meeting Name", + "nameOfAct": "Name of Act", + "network": "Network", + "number": "Number", + "numberOfVolumes": "# of Volumes", + "numPages": "# of Pages", + "organization": "Organization", + "pages": "Pages", + "patentNumber": "Patent Number", + "place": "Place", + "postType": "Post Type", + "presentationType": "Type", + "priorityNumbers": "Priority Numbers", + "proceedingsTitle": "Proceedings Title", + "programmingLanguage": "Prog. Language", + "programTitle": "Program Title", + "publicationTitle": "Publication", + "publicLawNumber": "Public Law Number", + "publisher": "Publisher", + "references": "References", + "reporter": "Reporter", + "reporterVolume": "Reporter Volume", + "reportNumber": "Report Number", + "reportType": "Report Type", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Rights", + "runningTime": "Running Time", + "scale": "Scale", + "section": "Section", + "series": "Series", + "seriesNumber": "Series Number", + "seriesText": "Series Text", + "seriesTitle": "Series Title", + "session": "Session", + "shortTitle": "Short Title", + "status": "Status", + "studio": "Studio", + "subject": "Subject", + "system": "System", + "thesisType": "Type", + "title": "Title", + "type": "Type", + "university": "University", + "url": "URL", + "versionNumber": "Version", + "videoRecordingFormat": "Format", + "volume": "Volume", + "websiteTitle": "Website Title", + "websiteType": "Website Type" + }, + "creatorTypes": { + "artist": "Artist", + "attorneyAgent": "Attorney/Agent", + "author": "Author", + "bookAuthor": "Book Author", + "cartographer": "Cartographer", + "castMember": "Cast Member", + "commenter": "Commenter", + "composer": "Composer", + "contributor": "Contributor", + "cosponsor": "Cosponsor", + "counsel": "Counsel", + "director": "Director", + "editor": "Editor", + "guest": "Guest", + "interviewee": "Interview With", + "interviewer": "Interviewer", + "inventor": "Inventor", + "performer": "Performer", + "podcaster": "Podcaster", + "presenter": "Presenter", + "producer": "Producer", + "programmer": "Programmer", + "recipient": "Recipient", + "reviewedAuthor": "Reviewed Author", + "scriptwriter": "Scriptwriter", + "seriesEditor": "Series Editor", + "sponsor": "Sponsor", + "translator": "Translator", + "wordsBy": "Words By" + } + }, + "hu-HU": { + "itemTypes": { + "annotation": "Megjegyzés", + "artwork": "Műalkotás", + "attachment": "Csatolmány", + "audioRecording": "Hangfelvétel", + "bill": "Törvényjavaslat", + "blogPost": "Blogbejegyzés", + "book": "Könyv", + "bookSection": "Könyvfejezet", + "case": "Eset", + "computerProgram": "Szoftver", + "conferencePaper": "Dolgozat", + "dataset": "Dataset", + "dictionaryEntry": "Szótár szócikk", + "document": "Dokumentum", + "email": "Email", + "encyclopediaArticle": "Lexikon szócikk", + "film": "Film", + "forumPost": "Fórumbejegyzés", + "hearing": "Meghallgatás", + "instantMessage": "Azonnali üzenet", + "interview": "Interjú", + "journalArticle": "Folyóiratcikk", + "letter": "Levél", + "magazineArticle": "Magazincikk", + "manuscript": "Kézirat", + "map": "Térkép", + "newspaperArticle": "Újságcikk", + "note": "Jegyzet", + "patent": "Szabadalom", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Előadás", + "radioBroadcast": "Rádiós program", + "report": "Jelentés", + "standard": "Alapértelmezett", + "statute": "Jogszabály", + "thesis": "Szakdolgozat", + "tvBroadcast": "Televíziós program", + "videoRecording": "Videófelvétel", + "webpage": "Weboldal" + }, + "fields": { + "abstractNote": "Kivonat", + "accessDate": "Hozzáférés", + "applicationNumber": "Bejelentés száma", + "archive": "Archívum", + "archiveID": "Archive ID", + "archiveLocation": "Pontos lelőhely", + "artworkMedium": "Műalkotás médiuma", + "artworkSize": "Műalkotás mérete", + "assignee": "Felelős", + "audioFileType": "Fájl típusa", + "audioRecordingFormat": "Formátum", + "authority": "Authority", + "billNumber": "Törvényjavaslat száma", + "blogTitle": "Blog címe", + "bookTitle": "Könyv címe", + "callNumber": "Raktári jelzet", + "caseName": "Eset neve", + "citationKey": "Citation Key", + "code": "Törvénykönyv", + "codeNumber": "Törvénykönyv száma", + "codePages": "Oldalszám", + "codeVolume": "Kötet", + "committee": "Bizottság", + "company": "Cég", + "conferenceName": "Konferencia címe", + "country": "Ország", + "court": "Bíróság", + "date": "Dátum", + "dateAdded": "Hozzáadás dátuma", + "dateDecided": "Döntés dátuma", + "dateEnacted": "Hatálybalépés dátuma", + "dateModified": "Módosítás dátuma", + "dictionaryTitle": "Szótár címe", + "distributor": "Terjesztő", + "docketNumber": "Ügyiratszám", + "documentNumber": "Dokumentum száma", + "DOI": "DOI", + "edition": "Kiadás", + "encyclopediaTitle": "Lexikon címe", + "episodeNumber": "Epizód száma", + "extra": "Egyéb", + "filingDate": "Iktatás időpontja", + "firstPage": "Első oldal", + "format": "Formátum", + "forumTitle": "Fórum/listserv címe", + "genre": "Típus", + "history": "Történet", + "identifier": "Identifier", + "institution": "Intézmény", + "interviewMedium": "Médium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Szám", + "issueDate": "Kiadás dátuma", + "issuingAuthority": "Issuing Authority", + "itemType": "Forrás típusa", + "journalAbbreviation": "Folyóirat rövid neve", + "label": "Címke", + "language": "Nyelv", + "legalStatus": "Állapot", + "legislativeBody": "Törvényhozó szerv", + "letterType": "Típus", + "libraryCatalog": "Könyvtár Katalógus", + "manuscriptType": "Típus", + "mapType": "Típus", + "medium": "Médium", + "meetingName": "Találkozó neve", + "nameOfAct": "Törvény címe", + "network": "TV társaság", + "number": "Sorszám", + "numberOfVolumes": "Kötetek száma", + "numPages": "Terjedelem", + "organization": "Szervezet", + "pages": "Oldalszám", + "patentNumber": "Szabadalom száma", + "place": "Hely", + "postType": "Bejegyzés típusa", + "presentationType": "Típus", + "priorityNumbers": "Elsőbbségi sorrend", + "proceedingsTitle": "Kiadvány címe", + "programmingLanguage": "Prog. nyelv", + "programTitle": "Program címe", + "publicationTitle": "Kiadvány", + "publicLawNumber": "Törvény száma", + "publisher": "Kiadó", + "references": "Hivatkozások", + "reporter": "Döntvénytár", + "reporterVolume": "Kötet", + "reportNumber": "Jelentés száma", + "reportType": "Jelentés típusa", + "repository": "Repozitórium", + "repositoryLocation": "Repo. Location", + "rights": "Jogok", + "runningTime": "Lejátszási idő", + "scale": "Arány", + "section": "Fejezet", + "series": "Sorozat", + "seriesNumber": "Sorozatbeli sorszám", + "seriesText": "Sorozat szövege", + "seriesTitle": "Sorozat címe", + "session": "Ülésszak", + "shortTitle": "Rövid cím", + "status": "Status", + "studio": "Stúdió", + "subject": "Téma", + "system": "Rendszer", + "thesisType": "Típus", + "title": "Cím", + "type": "Típus", + "university": "Egyetem", + "url": "URL", + "versionNumber": "Verzió", + "videoRecordingFormat": "Formátum", + "volume": "Kötet", + "websiteTitle": "Website címe", + "websiteType": "Weboldal típusa" + }, + "creatorTypes": { + "artist": "Művész", + "attorneyAgent": "Ügyvéd", + "author": "Szerző", + "bookAuthor": "Könyv szerzője", + "cartographer": "Térképész", + "castMember": "Szereplő", + "commenter": "Hozzászóló", + "composer": "Zeneszerző", + "contributor": "Közreműködő", + "cosponsor": "Cosponsor", + "counsel": "Ügyvéd", + "director": "Rendező", + "editor": "Szerkesztő", + "guest": "Vendég", + "interviewee": "Interjú alanya", + "interviewer": "Interjú készítője", + "inventor": "Feltaláló", + "performer": "Előadó", + "podcaster": "Podcaster", + "presenter": "Előadó", + "producer": "Producer", + "programmer": "Programozó", + "recipient": "Alperes", + "reviewedAuthor": "Recenzált mű szerzője", + "scriptwriter": "Forgatókönyvíró", + "seriesEditor": "Sorozatszerkesztő", + "sponsor": "Benyújtó", + "translator": "Fordító", + "wordsBy": "Szövegíró" + } + }, + "id-ID": { + "itemTypes": { + "annotation": "Anotasi", + "artwork": "Karya Seni", + "attachment": "Lampiran", + "audioRecording": "Rekaman Audio", + "bill": "Tagihan", + "blogPost": "Pos Blog", + "book": "Buku", + "bookSection": "Seksi Buku", + "case": "Kasus", + "computerProgram": "Perangkat Lunak", + "conferencePaper": "Dokumen Konferensi", + "dataset": "Dataset", + "dictionaryEntry": "Entri Kamus", + "document": "Dokumen", + "email": "E-mail", + "encyclopediaArticle": "Artikel Ensiklopedia", + "film": "Film", + "forumPost": "Pos Forum", + "hearing": "Pemeriksaan", + "instantMessage": "Pesan Instan", + "interview": "Wawancara", + "journalArticle": "Artikel Jurnal", + "letter": "Surat", + "magazineArticle": "Artikel Majalah", + "manuscript": "Manuskrip", + "map": "Peta", + "newspaperArticle": "Artikel Koran", + "note": "Catatan", + "patent": "Paten", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Presentasi", + "radioBroadcast": "Siaran Radio", + "report": "Laporan", + "standard": "Standard", + "statute": "Statuta", + "thesis": "Tesis", + "tvBroadcast": "Siaran TV", + "videoRecording": "Rekaman Video", + "webpage": "Laman Web" + }, + "fields": { + "abstractNote": "Abstrak", + "accessDate": "Diakses", + "applicationNumber": "Nomor Aplikasi", + "archive": "Arsip", + "archiveID": "Archive ID", + "archiveLocation": "Lokasi di dalam Arsip", + "artworkMedium": "Media", + "artworkSize": "Ukuran Karya Seni", + "assignee": "Penerima", + "audioFileType": "Jenis Berkas", + "audioRecordingFormat": "Format", + "authority": "Authority", + "billNumber": "Nomor Tagihan", + "blogTitle": "Judul Blog", + "bookTitle": "Judul Buku", + "callNumber": "Nomor Panggilan", + "caseName": "Nama Kasus", + "citationKey": "Citation Key", + "code": "Kode", + "codeNumber": "Nomor Kode", + "codePages": "Halaman Kode", + "codeVolume": "Volume Kode", + "committee": "Komite", + "company": "Perusahaan", + "conferenceName": "Nama Konferensi", + "country": "Negara", + "court": "Pengadilan", + "date": "Tanggal", + "dateAdded": "Tanggal Ditambahkan", + "dateDecided": "Tanggal Diputuskan", + "dateEnacted": "Tanggal DIundangkan", + "dateModified": "Dimodifikasi", + "dictionaryTitle": "Judul Kamus", + "distributor": "Distributor", + "docketNumber": "Nomor Acara Pengadilan", + "documentNumber": "Nomor Dokumen", + "DOI": "DOI", + "edition": "Edisi", + "encyclopediaTitle": "Judul Ensiklopedia", + "episodeNumber": "Nomor Episode", + "extra": "Ekstra", + "filingDate": "Tanggal Pembuatan", + "firstPage": "Halaman Pertama", + "format": "Format", + "forumTitle": "Judul Forum/Listserv", + "genre": "Genre", + "history": "RIwayat", + "identifier": "Identifier", + "institution": "Institusi", + "interviewMedium": "Media", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Isu", + "issueDate": "Tanggal Keluar", + "issuingAuthority": "Otoritas yang Mengeluarkan", + "itemType": "Jenis Item", + "journalAbbreviation": "Singkatan Jurnal", + "label": "Label", + "language": "Bahasa", + "legalStatus": "Status Legal", + "legislativeBody": "Badan Legislatif", + "letterType": "Jenis", + "libraryCatalog": "Katalog Perpustakaan", + "manuscriptType": "Jenis", + "mapType": "Jenis", + "medium": "Media", + "meetingName": "Nama Pertemuan", + "nameOfAct": "Nama Putusan", + "network": "Jaringan", + "number": "Nomor", + "numberOfVolumes": "# Volume", + "numPages": "# halaman", + "organization": "Organization", + "pages": "Halaman", + "patentNumber": "Nomor Paten", + "place": "Tempat", + "postType": "Jenis Pos", + "presentationType": "Jenis", + "priorityNumbers": "Nomor Prioritas", + "proceedingsTitle": "Judul Rapat", + "programmingLanguage": "Bahasa Pemrograman", + "programTitle": "Judul Program", + "publicationTitle": "Publikasi", + "publicLawNumber": "Nomor Hukum Publik", + "publisher": "Penerbit", + "references": "Referensi", + "reporter": "Reporter", + "reporterVolume": "Volume Reporter", + "reportNumber": "Nomor Laporan", + "reportType": "Jenis Laporan", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Hak", + "runningTime": "Waktu Berjalan", + "scale": "Skala", + "section": "Bagian", + "series": "Seri", + "seriesNumber": "Nomor Seri", + "seriesText": "Teks Seri", + "seriesTitle": "Judul Seri", + "session": "Sesi", + "shortTitle": "Judul Singkat", + "status": "Status", + "studio": "Studio", + "subject": "Subjek", + "system": "Sistem", + "thesisType": "Jenis", + "title": "Judul", + "type": "Jenis", + "university": "Universitas", + "url": "URL", + "versionNumber": "Versi", + "videoRecordingFormat": "Format", + "volume": "Volume", + "websiteTitle": "Judul Website", + "websiteType": "Jenis Website" + }, + "creatorTypes": { + "artist": "Seniman", + "attorneyAgent": "Pengacara/Agen", + "author": "Penulis", + "bookAuthor": "Penulis Buku", + "cartographer": "Pembuat Peta", + "castMember": "Pemain", + "commenter": "Pemberi Komentar", + "composer": "Komposer", + "contributor": "Kontributor", + "cosponsor": "Kosponsor", + "counsel": "Advokat", + "director": "Direktur", + "editor": "Editor", + "guest": "Bintang Tamu", + "interviewee": "Wawancara dengan", + "interviewer": "Pewawancara", + "inventor": "Penemu", + "performer": "Performer", + "podcaster": "Podcaster", + "presenter": "Presenter", + "producer": "Produser", + "programmer": "Programer", + "recipient": "Penerima", + "reviewedAuthor": "Reviewed Author", + "scriptwriter": "Penulis Skrip", + "seriesEditor": "Editor Seri", + "sponsor": "Sponsor", + "translator": "Penerjemah", + "wordsBy": "Teks Oleh" + } + }, + "is-IS": { + "itemTypes": { + "annotation": "Skýring", + "artwork": "Listaverk", + "attachment": "Viðhengi", + "audioRecording": "Hljóðupptaka", + "bill": "Tilkynning", + "blogPost": "Bloggfærsla", + "book": "Bók", + "bookSection": "Bókarhluti", + "case": "Mál", + "computerProgram": "Software", + "conferencePaper": "Ráðstefnugrein", + "dataset": "Dataset", + "dictionaryEntry": "Færsla í orðabók", + "document": "Skjal", + "email": "Tölvupóstur", + "encyclopediaArticle": "Færsla í alfræðiriti", + "film": "Kvikmynd", + "forumPost": "Færsla á samskiptasvæði", + "hearing": "Réttarhöld", + "instantMessage": "Skyndiskilaboð", + "interview": "Viðtal", + "journalArticle": "Fræðigrein í tímariti", + "letter": "Bréf", + "magazineArticle": "Tímaritsgrein", + "manuscript": "Handrit", + "map": "Kort", + "newspaperArticle": "Grein í dagblaði", + "note": "Athugasemd", + "patent": "Einkaleyfi", + "podcast": "Hljóðvarp", + "preprint": "Preprint", + "presentation": "Kynning", + "radioBroadcast": "Útvarpsútsending", + "report": "Skýrsla", + "standard": "Stöðluð", + "statute": "Lög", + "thesis": "Ritgerð", + "tvBroadcast": "Sjónvarpsútsending", + "videoRecording": "Myndskeið", + "webpage": "Vefsíða" + }, + "fields": { + "abstractNote": "Ágrip", + "accessDate": "Sótt", + "applicationNumber": "Umsókn númer", + "archive": "Safnvista", + "archiveID": "Archive ID", + "archiveLocation": "Staðsetning í safni", + "artworkMedium": "Miðill", + "artworkSize": "Stærð verks", + "assignee": "Málstaki", + "audioFileType": "Skráartegund", + "audioRecordingFormat": "Hljóðupptökusnið", + "authority": "Authority", + "billNumber": "Tilkynningarnúmer", + "blogTitle": "Titill á Bloggi", + "bookTitle": "Titill bókar", + "callNumber": "Hillumerking", + "caseName": "Nafn máls", + "citationKey": "Citation Key", + "code": "Kóði", + "codeNumber": "Kóðanúmer", + "codePages": "Síður kóða", + "codeVolume": "Magn kóða", + "committee": "Nefnd", + "company": "Fyrirtæki", + "conferenceName": "Heiti ráðstefnu", + "country": "Land", + "court": "Réttur", + "date": "Dagsetning", + "dateAdded": "Dagsetning viðbótar", + "dateDecided": "Dagsetning ákvörðunar", + "dateEnacted": "Virkjunardagsetning", + "dateModified": "Breytt", + "dictionaryTitle": "Nafn orðabókar", + "distributor": "Dreifingaraðili", + "docketNumber": "Málsnúmer", + "documentNumber": "Skjalanúmer", + "DOI": "DOI", + "edition": "Útgáfa", + "encyclopediaTitle": "Nafn alfræðirits", + "episodeNumber": "Þáttur númer", + "extra": "Viðbót", + "filingDate": "Dagsetning skráningar", + "firstPage": "Fyrsta síða", + "format": "Hljóðupptökusnið", + "forumTitle": "Titill samskiptasvæðis/Listserv", + "genre": "Tegund", + "history": "Saga", + "identifier": "Identifier", + "institution": "Stofnun", + "interviewMedium": "Miðill", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Hefti", + "issueDate": "Útgáfudagsetning", + "issuingAuthority": "Útgefandi", + "itemType": "Tegund færslu", + "journalAbbreviation": "Skammstöfun fræðarits", + "label": "Merki", + "language": "Tungumál", + "legalStatus": "Lagaleg staða", + "legislativeBody": "Lagastofnun", + "letterType": "Tegund leturs", + "libraryCatalog": "Færslusafnskrá", + "manuscriptType": "Tegund ritverks", + "mapType": "Tegund korts", + "medium": "Miðill", + "meetingName": "Heiti fundar", + "nameOfAct": "Nafn laga", + "network": "Gagnanet", + "number": "Númer", + "numberOfVolumes": "Fjöldi binda", + "numPages": "# síður", + "organization": "Organization", + "pages": "Blaðsíður", + "patentNumber": "Einkaleyfi nr.", + "place": "Staðsetning", + "postType": "Póstsnið", + "presentationType": "Tegund", + "priorityNumbers": "Forgangsnúmer", + "proceedingsTitle": "Titill málstofu", + "programmingLanguage": "Prog. Language", + "programTitle": "Titill forrits", + "publicationTitle": "Útgáfa", + "publicLawNumber": "Lög númer", + "publisher": "Útgefandi", + "references": "Tilvísanir", + "reporter": "Blaðamaður", + "reporterVolume": "Fjöldi blaðamanna", + "reportNumber": "Skýrslunúmer", + "reportType": "Tegund skýrslu", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Réttindi", + "runningTime": "Lengd", + "scale": "Skali", + "section": "Hluti", + "series": "Ritröð", + "seriesNumber": "Númer ritraðar", + "seriesText": "Nafn eintaks í ritröð", + "seriesTitle": "Titill ritraðar", + "session": "Seta", + "shortTitle": "Stuttur titill", + "status": "Status", + "studio": "Stúdíó", + "subject": "Efni", + "system": "Kerfi", + "thesisType": "Tegund", + "title": "Titill", + "type": "Tegund korts", + "university": "Háskóli", + "url": "Slóð", + "versionNumber": "Útgáfa", + "videoRecordingFormat": "Upptökusnið", + "volume": "Bindi", + "websiteTitle": "Titill vefsíðu", + "websiteType": "Tegund vefs" + }, + "creatorTypes": { + "artist": "Listamaður", + "attorneyAgent": "Lögfræðingur/fulltrúi", + "author": "Höfundur", + "bookAuthor": "Höfundur bókar", + "cartographer": "Kortagerð", + "castMember": "Leikari", + "commenter": "Athugasemdir", + "composer": "Höfundur", + "contributor": "Aðili að verki", + "cosponsor": "Stuðningsþátttakandi", + "counsel": "Ráðgjöf", + "director": "Leikstjóri", + "editor": "Ritstjóri", + "guest": "Gestur", + "interviewee": "Viðtal við", + "interviewer": "Hver tók viðtalið", + "inventor": "Uppfinningamaður", + "performer": "Leikari", + "podcaster": "Hlaðvörpun", + "presenter": "Kynnandi", + "producer": "Framleiðandi", + "programmer": "Forritari", + "recipient": "Viðtakandi", + "reviewedAuthor": "Yfirlestrarhöfundur", + "scriptwriter": "Handritshöfundur", + "seriesEditor": "Ritstjóri ritraðar", + "sponsor": "Stuðningsaðili", + "translator": "Þýðandi", + "wordsBy": "Textahöfundur" + } + }, + "it-IT": { + "itemTypes": { + "annotation": "Annotazione", + "artwork": "Opera d'arte", + "attachment": "Allegato", + "audioRecording": "Registrazione audio", + "bill": "Disegno di legge", + "blogPost": "Messaggio di blog", + "book": "Libro", + "bookSection": "Sezione di libro", + "case": "Sentenza", + "computerProgram": "Software", + "conferencePaper": "Atto di convegno", + "dataset": "Dataset", + "dictionaryEntry": "Voce di dizionario", + "document": "Documento", + "email": "E-mail", + "encyclopediaArticle": "Voce di enciclopedia", + "film": "Film", + "forumPost": "Messaggio di forum", + "hearing": "Udienza", + "instantMessage": "Messaggio istantaneo", + "interview": "Intervista", + "journalArticle": "Articolo di rivista", + "letter": "Lettera", + "magazineArticle": "Articolo di rivista generalista", + "manuscript": "Manoscritto", + "map": "Mappa", + "newspaperArticle": "Articolo di giornale", + "note": "Nota", + "patent": "Brevetto", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Presentazione", + "radioBroadcast": "Trasmissione radiofonica", + "report": "Report", + "standard": "Norma", + "statute": "Legislazione", + "thesis": "Tesi", + "tvBroadcast": "Trasmissione televisiva", + "videoRecording": "Registrazione video", + "webpage": "Pagina web" + }, + "fields": { + "abstractNote": "Abstract", + "accessDate": "Consultato", + "applicationNumber": "Numero di applicazione", + "archive": "Archivio", + "archiveID": "ID dell'archivio", + "archiveLocation": "Posizione in archivio", + "artworkMedium": "Tipologia", + "artworkSize": "Dimensioni grafiche", + "assignee": "Assegnatario del brevetto", + "audioFileType": "Tipo di file", + "audioRecordingFormat": "Formato", + "authority": "Autorità", + "billNumber": "Numero della legge", + "blogTitle": "Nome del blog", + "bookTitle": "Titolo del libro", + "callNumber": "Collocazione", + "caseName": "Nome del caso", + "citationKey": "Chiave di citazione", + "code": "Codice", + "codeNumber": "Numero di codice", + "codePages": "Pagine del codice", + "codeVolume": "Volume del codice", + "committee": "Commissione", + "company": "Società", + "conferenceName": "Nome del convegno", + "country": "Nazione", + "court": "Corte", + "date": "Data", + "dateAdded": "Data inserimento", + "dateDecided": "Data della sentenza", + "dateEnacted": "Data di emanazione", + "dateModified": "Data ultima modifica", + "dictionaryTitle": "Titolo dizionario", + "distributor": "Casa di distribuzione", + "docketNumber": "Numero di inventario della sentenza", + "documentNumber": "Numero di documento", + "DOI": "DOI", + "edition": "Edizione", + "encyclopediaTitle": "Titolo enciclopedia", + "episodeNumber": "Numero di episodio", + "extra": "Extra", + "filingDate": "Data di sottomissione", + "firstPage": "Prima pagina", + "format": "Formato", + "forumTitle": "Nome del forum o listserv", + "genre": "Genere", + "history": "Cronologia", + "identifier": "Identificatore", + "institution": "Istituzione", + "interviewMedium": "Formato", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Fascicolo", + "issueDate": "Data di pubblicazione", + "issuingAuthority": "Autorità emettente", + "itemType": "Tipo di elemento", + "journalAbbreviation": "Abbreviazione rivista", + "label": "Etichetta", + "language": "Lingua", + "legalStatus": "Stato legale", + "legislativeBody": "Corpo legislativo", + "letterType": "Tipo", + "libraryCatalog": "Catalogo della biblioteca", + "manuscriptType": "Tipo", + "mapType": "Tipo", + "medium": "Medium", + "meetingName": "Nome della riunione", + "nameOfAct": "Nome dell'atto", + "network": "Rete", + "number": "Numero", + "numberOfVolumes": "Numero di volumi", + "numPages": "# di Pagine", + "organization": "Organizzazione", + "pages": "Pagine", + "patentNumber": "Numero di brevetto", + "place": "Luogo di edizione", + "postType": "Tipo di messaggio", + "presentationType": "Tipo", + "priorityNumbers": "Numero di priorità", + "proceedingsTitle": "Titolo degli atti", + "programmingLanguage": "Linguaggio di progr.", + "programTitle": "Titolo del programma", + "publicationTitle": "Titolo della pubblicazione", + "publicLawNumber": "Numero di legge pubblica", + "publisher": "Editore", + "references": "Riferimenti bibliografici", + "reporter": "Raccolta di giurisprudenza", + "reporterVolume": "Volume della raccolta", + "reportNumber": "Numero di report", + "reportType": "Tipo di report", + "repository": "Repository", + "repositoryLocation": "Indirizzo del repository", + "rights": "Diritti", + "runningTime": "Durata", + "scale": "Scala", + "section": "Sezione", + "series": "Serie", + "seriesNumber": "Numero della serie", + "seriesText": "Testo della serie", + "seriesTitle": "Titolo della serie", + "session": "Sessione", + "shortTitle": "Titolo breve", + "status": "Stato della pubblicazione", + "studio": "Studio", + "subject": "Oggetto", + "system": "Sistema", + "thesisType": "Tipo", + "title": "Titolo", + "type": "Tipo", + "university": "Università", + "url": "URL", + "versionNumber": "Versione", + "videoRecordingFormat": "Formato", + "volume": "Volume", + "websiteTitle": "Nome del sito", + "websiteType": "Tipo di sito web" + }, + "creatorTypes": { + "artist": "Artista", + "attorneyAgent": "Procuratore o agente", + "author": "Autore", + "bookAuthor": "Autore del libro", + "cartographer": "Cartografo", + "castMember": "Componente del cast", + "commenter": "Commentatore", + "composer": "Compositore", + "contributor": "Collaboratore", + "cosponsor": "Co-finanziatore", + "counsel": "Consulente legale", + "director": "Regista", + "editor": "Curatore", + "guest": "Ospite", + "interviewee": "Intervista con", + "interviewer": "Intervistatore", + "inventor": "Inventore", + "performer": "Esecutore", + "podcaster": "Autore del podcast", + "presenter": "Presentatore", + "producer": "Produttore", + "programmer": "Programmatore", + "recipient": "Destinatario", + "reviewedAuthor": "Autore recensito", + "scriptwriter": "Sceneggiatore", + "seriesEditor": "Curatore della serie", + "sponsor": "Finanziatore", + "translator": "Traduttore", + "wordsBy": "Parole di" + } + }, + "ja-JP": { + "itemTypes": { + "annotation": "注釈", + "artwork": "芸術作品", + "attachment": "添付ファイル", + "audioRecording": "録音", + "bill": "議案", + "blogPost": "ブログ記事", + "book": "書籍", + "bookSection": "書籍の章", + "case": "訴訟", + "computerProgram": "ソフトウェア", + "conferencePaper": "学会発表", + "dataset": "データセット", + "dictionaryEntry": "辞書項目", + "document": "文書", + "email": "電子メール", + "encyclopediaArticle": "百科事典項目", + "film": "映画", + "forumPost": "掲示板への投稿", + "hearing": "公聴会", + "instantMessage": "インスタントメッセージ", + "interview": "インタビュー", + "journalArticle": "学術論文", + "letter": "手紙", + "magazineArticle": "雑誌記事", + "manuscript": "原稿", + "map": "地図", + "newspaperArticle": "新聞記事", + "note": "メモ", + "patent": "特許", + "podcast": "ポッドキャスト", + "preprint": "プレプリント", + "presentation": "プレゼンテーション", + "radioBroadcast": "ラジオ放送", + "report": "レポート", + "standard": "標準", + "statute": "法律", + "thesis": "学位論文", + "tvBroadcast": "テレビ放送", + "videoRecording": "録画", + "webpage": "ウェブページ" + }, + "fields": { + "abstractNote": "抄録", + "accessDate": "アクセス日時", + "applicationNumber": "出願番号", + "archive": "アーカイブ", + "archiveID": "アーカイブ ID", + "archiveLocation": "アーカイブ番号", + "artworkMedium": "素材・技法", + "artworkSize": "芸術作品のサイズ", + "assignee": "譲受人", + "audioFileType": "ファイルの種類", + "audioRecordingFormat": "フォーマット", + "authority": "Authority", + "billNumber": "法規番号", + "blogTitle": "ブログ名", + "bookTitle": "書籍名", + "callNumber": "図書整理番号", + "caseName": "事件名", + "citationKey": "出典表記キー", + "code": "コード", + "codeNumber": "コード番号", + "codePages": "法典のページ", + "codeVolume": "法典の巻", + "committee": "委員会", + "company": "会社名", + "conferenceName": "学会名", + "country": "国名", + "court": "裁判所", + "date": "出版年月日", + "dateAdded": "追加日時", + "dateDecided": "決定期日", + "dateEnacted": "施行期日", + "dateModified": "更新日時", + "dictionaryTitle": "辞書名", + "distributor": "配布/販売している会社", + "docketNumber": "事件整理番号", + "documentNumber": "文書番号", + "DOI": "DOI", + "edition": "版", + "encyclopediaTitle": "百科事典名", + "episodeNumber": "エピソードの番号", + "extra": "その他", + "filingDate": "出願日", + "firstPage": "最初のページ", + "format": "フォーマット", + "forumTitle": "掲示板 / リストサーブの名称", + "genre": "ジャンル", + "history": "歴史", + "identifier": "識別子", + "institution": "機関", + "interviewMedium": "メディア", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "号", + "issueDate": "発行日", + "issuingAuthority": "発行機関", + "itemType": "アイテムの種類", + "journalAbbreviation": "雑誌略誌名", + "label": "レーベル", + "language": "言語", + "legalStatus": "法的地位", + "legislativeBody": "立法機関", + "letterType": "種類", + "libraryCatalog": "書誌情報", + "manuscriptType": "種類", + "mapType": "種類", + "medium": "メディア", + "meetingName": "会議名", + "nameOfAct": "法令名", + "network": "ネットワーク", + "number": "番号", + "numberOfVolumes": "巻数", + "numPages": "#ページ", + "organization": "Organization", + "pages": "ページ数", + "patentNumber": "特許番号", + "place": "都市", + "postType": "書き込みの種類", + "presentationType": "種類", + "priorityNumbers": "優先番号", + "proceedingsTitle": "紀要名", + "programmingLanguage": "プログラミング言語", + "programTitle": "プログラム名", + "publicationTitle": "雑誌", + "publicLawNumber": "法律番号", + "publisher": "出版社", + "references": "文献", + "reporter": "レポーター", + "reporterVolume": "リポーター巻", + "reportNumber": "レポート番号", + "reportType": "レポートの種類", + "repository": "リポジトリ", + "repositoryLocation": "Repo. Location", + "rights": "権利", + "runningTime": "経過時間", + "scale": "縮尺", + "section": "章", + "series": "叢書", + "seriesNumber": "叢書番号", + "seriesText": "叢書テキスト", + "seriesTitle": "叢書名", + "session": "セッション", + "shortTitle": "題名 (略)", + "status": "Status", + "studio": "スタジオ", + "subject": "件名", + "system": "システム", + "thesisType": "種類", + "title": "題名", + "type": "種類", + "university": "大学名", + "url": "URL", + "versionNumber": "バージョン", + "videoRecordingFormat": "フォーマット", + "volume": "巻", + "websiteTitle": "ウェブサイト名", + "websiteType": "ウェブサイトの種類" + }, + "creatorTypes": { + "artist": "アーティスト", + "attorneyAgent": "弁護士/代理人", + "author": "著者名", + "bookAuthor": "書籍著者名", + "cartographer": "製図家", + "castMember": "キャスト", + "commenter": "評論家", + "composer": "作曲家", + "contributor": "寄稿者名", + "cosponsor": "共同スポンサー", + "counsel": "顧問弁護士", + "director": "監督", + "editor": "編集者名", + "guest": "ゲスト", + "interviewee": "インタビュー対象:", + "interviewer": "インタビュアー", + "inventor": "発明者名", + "performer": "演奏者", + "podcaster": "ポッドキャスト送信者", + "presenter": "発表者", + "producer": "プロデューサー", + "programmer": "プログラマー", + "recipient": "受取人", + "reviewedAuthor": "レビューされた著者", + "scriptwriter": "脚本家", + "seriesEditor": "叢書編集者名", + "sponsor": "スポンサー", + "translator": "翻訳者名", + "wordsBy": "作詞" + } + }, + "km": { + "itemTypes": { + "annotation": "ចំណារពន្យល់", + "artwork": "សិល្បៈ", + "attachment": "ឯកសារកម្ជាប់", + "audioRecording": "ខ្សែអាត់សំឡេង", + "bill": "គម្រោងច្បាប់", + "blogPost": "ការផ្សាយគេហទំព័រប្លុក", + "book": "សៀវភៅ", + "bookSection": "ផ្នែកនៃសៀវភៅ", + "case": "ករណី/រឿងក្តី", + "computerProgram": "Software", + "conferencePaper": "ឯកសារសន្និសីទ", + "dataset": "Dataset", + "dictionaryEntry": "វចនានុក្រម", + "document": "ឯកសារ", + "email": "សារអេឡិចត្រូនិច", + "encyclopediaArticle": "សព្វវចនាធិប្បាយ", + "film": "ភាពយន្ត", + "forumPost": "ការផ្សាយវេទិកា", + "hearing": "សវនាការ", + "instantMessage": "សារបន្ទាន់", + "interview": "បទសម្ភាសន៍", + "journalArticle": "អត្ថបទទនានុប្បវត្តិ", + "letter": "សំបុត្រ", + "magazineArticle": "អត្ថបទទស្សនាវដ្តី", + "manuscript": "ហត្ថាអត្ថបទ", + "map": "ផែនទី", + "newspaperArticle": "អត្ថបទកាសែត", + "note": "កំណត់ចំណាំ", + "patent": "តត្តកម្ម", + "podcast": "ផដខាស្ត៍", + "preprint": "Preprint", + "presentation": "ឧទ្ទេសបទ", + "radioBroadcast": "កម្មវិធីវិទ្យុ", + "report": "របាយការណ៍", + "standard": "Standard", + "statute": "ច្បាប់", + "thesis": "និក្ខេបបទ", + "tvBroadcast": "កម្មវិធីទូរទស្សន៍", + "videoRecording": "ខ្សែអាត់វីដេអូ", + "webpage": "គេហទំព័រ" + }, + "fields": { + "abstractNote": "ខ្លឹមសារសង្ខេប", + "accessDate": "ចូលមើល", + "applicationNumber": "ពាក្យសុំលេខ", + "archive": "បណ្ណាសារ", + "archiveID": "Archive ID", + "archiveLocation": "ទីតាំងក្នុងបណ្ណាសារ", + "artworkMedium": "សារព័ត៌មាន", + "artworkSize": "សិល្បៈ", + "assignee": "អ្នទទួលភារកិច្ច", + "audioFileType": "ប្រភេទឯកសារ", + "audioRecordingFormat": "ទម្រង់", + "authority": "Authority", + "billNumber": "លេខគម្រោងច្បាប់", + "blogTitle": "ចំណងជើងគេហទំព័រប្លុក", + "bookTitle": "ចំណងជើងសៀវភៅ", + "callNumber": "លេខហៅ", + "caseName": "ចំណងជើងករណី/រឿងក្តី", + "citationKey": "Citation Key", + "code": "ក្រម", + "codeNumber": "លេខក្រម", + "codePages": "ទំព័រក្រម", + "codeVolume": "វ៉ុលក្រម", + "committee": "គណៈកម្មាធិការ", + "company": "ក្រុមហ៊ុន", + "conferenceName": "ឈ្មោះសន្និសីទកាសែត", + "country": "ប្រទេស", + "court": "តុលាការ", + "date": "កាលបរិច្ឆេទ", + "dateAdded": "កាលបរិច្ឆេទបញ្ចូល", + "dateDecided": "កាលបរិច្ឆេទសម្រេច", + "dateEnacted": "កាលបរិច្ឆេទអនុម័ត", + "dateModified": "កែតម្រូវ", + "dictionaryTitle": "ចំណងជើងវចនានុក្រម", + "distributor": "ចែកចាយ", + "docketNumber": "លេខសំណុំរឿង", + "documentNumber": "លេខឯកសារ", + "DOI": "ឌីអូអាយ", + "edition": "កំណែតម្រូវ", + "encyclopediaTitle": "ចំណងជើងសព្វវចនាធិប្បាយ", + "episodeNumber": "លេខអង្គហេតុ", + "extra": "បន្ថែម", + "filingDate": "កាលបរិច្ឆេទតម្កល់", + "firstPage": "ទំព័រទីមួយ", + "format": "ទម្រង់", + "forumTitle": "ចំណងជើងវេទិកា", + "genre": "អត្តសញ្ញាណពិសេស", + "history": "ប្រវត្តិសាស្ត្រ", + "identifier": "Identifier", + "institution": "ស្ថាប័ន", + "interviewMedium": "សារព័ត៌មាន", + "ISBN": "អាយអេសប៊ីអិន", + "ISSN": "អាយអេសអេសអិន", + "issue": "ចេញផ្សាយ", + "issueDate": "កាលបរិច្ឆទចេញផ្សាយ", + "issuingAuthority": "អាជ្ញាធរចេញផ្សាយ", + "itemType": "ប្រភេទឯកសារ", + "journalAbbreviation": "ពាក្យកាត់ទនានុបុ្បវត្តិ", + "label": "ស្លាក", + "language": "ភាសា", + "legalStatus": "លក្ខខណ្ឌច្បាប់", + "legislativeBody": "អង្គនីតិប្បញ្ញត្តិ", + "letterType": "ប្រភេទ", + "libraryCatalog": "កាតាឡុកបណ្ណាល័យ", + "manuscriptType": "ប្រភេទ", + "mapType": "ប្រភេទ", + "medium": "សារព័ត៌មាន", + "meetingName": "ឈ្មោះកិច្ចប្រជុំ", + "nameOfAct": "ចំណងជើងច្បាប់", + "network": "បណ្តាញ", + "number": "លេខ", + "numberOfVolumes": "លេខវ៉ុល", + "numPages": "លេខទំព័រ", + "organization": "Organization", + "pages": "ទំព័រ", + "patentNumber": "លេខតត្តកម្ម", + "place": "ទីតាំង", + "postType": "ប្រភេទផ្សាយ", + "presentationType": "ប្រភេទ", + "priorityNumbers": "លេខអាទិភាព", + "proceedingsTitle": "ចំណងជើងនីតិវិធី", + "programmingLanguage": "Prog. Language", + "programTitle": "ចំណងជើងកម្មវិធី", + "publicationTitle": "បោះពុម្ពផ្សាយ", + "publicLawNumber": "លេខច្បាប់", + "publisher": "អ្នកបោះពុម្ព", + "references": "កំណត់យោង", + "reporter": "អ្នកធ្វើរបាយការណ៍", + "reporterVolume": "វ៉ុលរបាយការណ៍", + "reportNumber": "លេខរបាយការណ៍", + "reportType": "ប្រភេទរបាយការណ៍", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "សិទ្ធិ", + "runningTime": "ម៉ោងដំណើរការ", + "scale": "កម្រិត", + "section": "ផ្នែក", + "series": "លេខរៀង", + "seriesNumber": "លំដាប់លេខរៀង", + "seriesText": "អត្ថបទលេខរៀង", + "seriesTitle": "ចំណងជើងលេខរៀង", + "session": "សម័យកាល", + "shortTitle": "ចំណងជើងខ្លី", + "status": "Status", + "studio": "ស្ថានីយថតសំឡេង", + "subject": "ប្រធានបទ", + "system": "ប្រព័ន្ធ", + "thesisType": "ប្រភេទ", + "title": "ចំណងជើង", + "type": "ប្រភេទ", + "university": "សាកលវិទ្យាល័យ", + "url": "គេហទំព័រ", + "versionNumber": "កំណែថ្មី", + "videoRecordingFormat": "ទម្រង់", + "volume": "វ៉ុល", + "websiteTitle": "ចំណងជើងគេហទំព័រ", + "websiteType": "ប្រភេទគេហទំព័រ" + }, + "creatorTypes": { + "artist": "សិល្បករ", + "attorneyAgent": "មេធាវី/ភ្នាក់ងារ", + "author": "អ្នកនិពន្ធ", + "bookAuthor": "អ្នកនិពន្ធសៀវភៅ", + "cartographer": "អ្នករៀបចំប្លង់", + "castMember": "តួសំដែង", + "commenter": "អ្នកផ្តល់មតិយោបល់", + "composer": "អ្នកនិពន្ធទំនុក", + "contributor": "អ្នកចូលរួម", + "cosponsor": "សហអ្នកឧបត្ថម្ភ", + "counsel": "ក្រុមប្រឹក្សា", + "director": "នាយក", + "editor": "អ្នកកែតម្រូវ", + "guest": "ភ្ញៀវ", + "interviewee": "សម្ភាសន៍ជាមួយ", + "interviewer": "អ្នកសម្ភាសន៍", + "inventor": "អ្នកបង្កើត", + "performer": "អ្នកសំដែង", + "podcaster": "អ្នកថតសំឡេងផដខាស្ត៍", + "presenter": "អ្នកអត្ថាធិប្បាយ", + "producer": "ផលិតករ", + "programmer": "អ្នករៀបចំកម្មវិធី", + "recipient": "អ្នកទទួល", + "reviewedAuthor": "អ្នកនិពន្ធត្រួតពិនិត្យ", + "scriptwriter": "អ្នកសរសេរអត្ថបទ", + "seriesEditor": "អ្នកកែតម្រូវតាមលេខរៀង", + "sponsor": "អ្នកឧបត្ថម្ភ", + "translator": "អ្នកបកប្រែ", + "wordsBy": "ពាក្យដោយ" + } + }, + "ko-KR": { + "itemTypes": { + "annotation": "주석", + "artwork": "예술품", + "attachment": "첨부", + "audioRecording": "녹음", + "bill": "의안", + "blogPost": "블로그 게시물", + "book": "서적", + "bookSection": "책 소개 면", + "case": "소송", + "computerProgram": "소프트웨어", + "conferencePaper": "회의문", + "dataset": "Dataset", + "dictionaryEntry": "사전 항목", + "document": "문서", + "email": "이메일", + "encyclopediaArticle": "백과사전 항목", + "film": "영화", + "forumPost": "토론 게시물", + "hearing": "공청회", + "instantMessage": "긴급 메시지", + "interview": "인터뷰", + "journalArticle": "저널 기사", + "letter": "편지", + "magazineArticle": "잡지 기사", + "manuscript": "원고", + "map": "지도", + "newspaperArticle": "신문 기사", + "note": "노트", + "patent": "특허", + "podcast": "팟캐스트", + "preprint": "Preprint", + "presentation": "발표", + "radioBroadcast": "라디오 방송", + "report": "보고서", + "standard": "표준", + "statute": "법령", + "thesis": "학위논문", + "tvBroadcast": "TV 방송", + "videoRecording": "녹화", + "webpage": "웹 페이지" + }, + "fields": { + "abstractNote": "요약", + "accessDate": "접근일", + "applicationNumber": "출원 번호", + "archive": "아카이브", + "archiveID": "Archive ID", + "archiveLocation": "아카이브 위치", + "artworkMedium": "소재·기법", + "artworkSize": "예술품의 크기", + "assignee": "양수인", + "audioFileType": "파일 형식", + "audioRecordingFormat": "형식", + "authority": "Authority", + "billNumber": "의안 번호", + "blogTitle": "블로그 제목", + "bookTitle": "책 제목", + "callNumber": "도서 번호", + "caseName": "사건명", + "citationKey": "Citation Key", + "code": "코드", + "codeNumber": "코드 번호", + "codePages": "법전 페이지", + "codeVolume": "법제목", + "committee": "위원회", + "company": "회사명", + "conferenceName": "협의 명", + "country": "국가", + "court": "법원", + "date": "날짜", + "dateAdded": "입력일", + "dateDecided": "판결일", + "dateEnacted": "제정일", + "dateModified": "변경일", + "dictionaryTitle": "사전 명", + "distributor": "배급자", + "docketNumber": "사건 번호", + "documentNumber": "문서 번호", + "DOI": "DOI", + "edition": "판본", + "encyclopediaTitle": "백과사전 명", + "episodeNumber": "에피소드 번호", + "extra": "추가사항", + "filingDate": "Filing Date", + "firstPage": "첫 페이지", + "format": "형식", + "forumTitle": "토론/Listserv 제목", + "genre": "장르", + "history": "역사", + "identifier": "Identifier", + "institution": "학회", + "interviewMedium": "매체", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "호", + "issueDate": "발행일", + "issuingAuthority": "Issuing Authority", + "itemType": "항목 형식", + "journalAbbreviation": "저널 약어", + "label": "레이블", + "language": "언어", + "legalStatus": "법적지위", + "legislativeBody": "입법 기관", + "letterType": "형식", + "libraryCatalog": "도서 목록", + "manuscriptType": "형식", + "mapType": "형식", + "medium": "Medium", + "meetingName": "회의명", + "nameOfAct": "법령 이름", + "network": "네트워크", + "number": "번호", + "numberOfVolumes": "권수", + "numPages": "총 페이지수", + "organization": "Organization", + "pages": "쪽", + "patentNumber": "특허 번호", + "place": "발행지", + "postType": "게시물 종류", + "presentationType": "형식", + "priorityNumbers": "우선 번호", + "proceedingsTitle": "의사록", + "programmingLanguage": "프로그래밍 언어", + "programTitle": "프로그램 제목", + "publicationTitle": "간행", + "publicLawNumber": "공법 번호", + "publisher": "출판사", + "references": "참조", + "reporter": "보고자", + "reporterVolume": "보고서 권수", + "reportNumber": "보고서 번호", + "reportType": "보고 형식", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "소유권", + "runningTime": "동작 시간", + "scale": "축척", + "section": "구역", + "series": "시리즈", + "seriesNumber": "시리즈 번호", + "seriesText": "시리즈 텍스트", + "seriesTitle": "시리즈 제목", + "session": "세션", + "shortTitle": "짧은 제목", + "status": "Status", + "studio": "스튜디오", + "subject": "부제", + "system": "시스템", + "thesisType": "형식", + "title": "제목", + "type": "형식", + "university": "대학", + "url": "URL", + "versionNumber": "버전", + "videoRecordingFormat": "형식", + "volume": "권", + "websiteTitle": "웹사이트 명", + "websiteType": "웹사이트 형식" + }, + "creatorTypes": { + "artist": "예술가", + "attorneyAgent": "변호사/대리인", + "author": "저자", + "bookAuthor": "책 저자", + "cartographer": "지도 제작자", + "castMember": "출연자", + "commenter": "비평가", + "composer": "작곡가", + "contributor": "공헌자", + "cosponsor": "Cosponsor", + "counsel": "회의", + "director": "감독", + "editor": "편집자", + "guest": "손님", + "interviewee": "인터뷰:", + "interviewer": "인터뷰진행자", + "inventor": "발명자", + "performer": "연주자", + "podcaster": "팟캐스터", + "presenter": "제출자", + "producer": "제작자", + "programmer": "프로그래머", + "recipient": "수령인", + "reviewedAuthor": "평론가", + "scriptwriter": "각본가", + "seriesEditor": "시리즈 편집자", + "sponsor": "후원자", + "translator": "번역자", + "wordsBy": "작사" + } + }, + "lt-LT": { + "itemTypes": { + "annotation": "Anotacija", + "artwork": "Iliustracija", + "attachment": "Priedas", + "audioRecording": "Garso įrašas", + "bill": "Įstatymo projektas", + "blogPost": "Tinklaraščio įrašas", + "book": "Knyga", + "bookSection": "Knygos skyrius", + "case": "Byla", + "computerProgram": "Programinė įranga", + "conferencePaper": "Pranešimas konferencijoje", + "dataset": "Dataset", + "dictionaryEntry": "Žodyno įrašas", + "document": "Dokumentas", + "email": "El. laiškas", + "encyclopediaArticle": "Straipsnelis enciklopedijoje", + "film": "Filmas", + "forumPost": "Žinutė forume", + "hearing": "Bylos nagrinėjimas, svarstymas", + "instantMessage": "Žinutė", + "interview": "Pokalbis", + "journalArticle": "Žurnalo straipsnis", + "letter": "Laiškas", + "magazineArticle": "Periodinio žurnalo straipsnis", + "manuscript": "Rankraštis", + "map": "Žemėlapis", + "newspaperArticle": "Laikraščio straipsnis", + "note": "Pastaba", + "patent": "Patentas", + "podcast": "Tinklalaidė", + "preprint": "Preprint", + "presentation": "Pateiktis", + "radioBroadcast": "Radijo laida", + "report": "Ataskaita/pranešimas", + "standard": "Įprastas", + "statute": "Įstatymas", + "thesis": "Disertacija, baigiamasis darbas", + "tvBroadcast": "TV laida", + "videoRecording": "Vaizdo įrašas", + "webpage": "Tinklalapis" + }, + "fields": { + "abstractNote": "Santrauka", + "accessDate": "Žiūrėta", + "applicationNumber": "Pareiškimo numeris", + "archive": "Archyvas", + "archiveID": "Archive ID", + "archiveLocation": "Vieta archyve", + "artworkMedium": "Laikmena", + "artworkSize": "Paveikslo dydis", + "assignee": "Atstovas", + "audioFileType": "Failo tipas", + "audioRecordingFormat": "Formatas", + "authority": "Authority", + "billNumber": "Įstatymo numeris", + "blogTitle": "Tinklaraščio pavadinimas", + "bookTitle": "Knygos pavad.", + "callNumber": "Šifras", + "caseName": "Bylos pavadinimas", + "citationKey": "Citation Key", + "code": "Kodas", + "codeNumber": "Kodekso numeris", + "codePages": "Puslapiai kodekse", + "codeVolume": "Kodekso tomas", + "committee": "Komisija", + "company": "Įmonė", + "conferenceName": "Konferencijos pavadinimas", + "country": "Valstybė", + "court": "Teismas", + "date": "Data", + "dateAdded": "Pridėta", + "dateDecided": "Sprendimo data", + "dateEnacted": "Paskelbimo data", + "dateModified": "Pakeista", + "dictionaryTitle": "Žodyno pavadinimas", + "distributor": "Platintojas", + "docketNumber": "Priedo numeris", + "documentNumber": "Dokumento numeris", + "DOI": "DOI", + "edition": "Leidimas, Nr.", + "encyclopediaTitle": "Enciklopedijos pavadinimas", + "episodeNumber": "Epizodo numeris", + "extra": "Papildoma", + "filingDate": "Užpildymo data", + "firstPage": "Pirmas puslapis", + "format": "Formatas", + "forumTitle": "Forumo pavadinimas", + "genre": "Žanras", + "history": "Istorija", + "identifier": "Identifier", + "institution": "Įstaiga", + "interviewMedium": "Laikmena", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Numeris", + "issueDate": "Išleidimo data", + "issuingAuthority": "Išdavusi įstaiga", + "itemType": "Įrašo tipas", + "journalAbbreviation": "Žurnalo santrumpa", + "label": "Etiketė", + "language": "Kalba", + "legalStatus": "Teisinis statusas", + "legislativeBody": "Įstatymų leidžiamoji valdžia", + "letterType": "Tipas", + "libraryCatalog": "Bibl. katalogas", + "manuscriptType": "Tipas", + "mapType": "Tipas", + "medium": "Laikmena", + "meetingName": "Susitikimo pavadinimas", + "nameOfAct": "Akto pavadinimas", + "network": "Tinklas", + "number": "Numeris", + "numberOfVolumes": "Tomų skaičius", + "numPages": "Puslapių kiekis", + "organization": "Organization", + "pages": "Puslapiai", + "patentNumber": "Patento numeris", + "place": "Vieta", + "postType": "Pranešimo tipas", + "presentationType": "Tipas", + "priorityNumbers": "Prioriteto numeris", + "proceedingsTitle": "Įvykio pavadinimas", + "programmingLanguage": "Prog. kalba", + "programTitle": "Programos pavadinimas", + "publicationTitle": "Leidinys", + "publicLawNumber": "Oficialaus rašto numeris", + "publisher": "Leidėjas", + "references": "Nuorodos", + "reporter": "Pranešėjas", + "reporterVolume": "Pranešimo tomas", + "reportNumber": "Pranešimo numeris", + "reportType": "Pranešimo tipas", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Teisės", + "runningTime": "Trukmė", + "scale": "Skalė", + "section": "Skirsnis", + "series": "Serija", + "seriesNumber": "Serijos Nr.", + "seriesText": "Serijos tekstas", + "seriesTitle": "Serijos pavadinimas", + "session": "Sesija", + "shortTitle": "Trumpas pavad.", + "status": "Status", + "studio": "Dirbtuvė/studija", + "subject": "Tema", + "system": "Sistema", + "thesisType": "Tipas", + "title": "Pavadinimas", + "type": "Tipas", + "university": "Universitetas", + "url": "URL", + "versionNumber": "Versija", + "videoRecordingFormat": "Formatas", + "volume": "Tomas", + "websiteTitle": "Svetainės pavadinimas", + "websiteType": "Svetainės tipas" + }, + "creatorTypes": { + "artist": "Menininkas/aktorius", + "attorneyAgent": "Įgaliotasis asmuo", + "author": "Autorius", + "bookAuthor": "Knygos autorius", + "cartographer": "Kartografas", + "castMember": "Atlikėjas/artistas", + "commenter": "Komentuotojas", + "composer": "Kūrėjas/kompozitorius", + "contributor": "Bendradarbis", + "cosponsor": "Kitas rėmėjas", + "counsel": "Advokatas", + "director": "Vadovas", + "editor": "Redaktorius", + "guest": "Svečias", + "interviewee": "Pokalbis su", + "interviewer": "Apklausėjas", + "inventor": "išradėjas", + "performer": "Atlikėjas", + "podcaster": "Transliuotojas", + "presenter": "Vedėjas", + "producer": "Prodiuseris", + "programmer": "Programuotojas", + "recipient": "Gavėjas", + "reviewedAuthor": "Peržiūrėtas autorius", + "scriptwriter": "Scenaristas", + "seriesEditor": "Serijos sudarytojas", + "sponsor": "Rėmėjas", + "translator": "Vertėjas", + "wordsBy": "Žodžiai" + } + }, + "mn-MN": { + "itemTypes": { + "annotation": "Annotation", + "artwork": "Artwork", + "attachment": "Attachment", + "audioRecording": "Audio Recording", + "bill": "Bill", + "blogPost": "Blog Post", + "book": "Book", + "bookSection": "Book Section", + "case": "Case", + "computerProgram": "Software", + "conferencePaper": "Conference Paper", + "dataset": "Dataset", + "dictionaryEntry": "Dictionary Entry", + "document": "Document", + "email": "E-mail", + "encyclopediaArticle": "Encyclopedia Article", + "film": "Film", + "forumPost": "Forum Post", + "hearing": "Hearing", + "instantMessage": "Instant Message", + "interview": "Interview", + "journalArticle": "Journal Article", + "letter": "Letter", + "magazineArticle": "Magazine Article", + "manuscript": "Manuscript", + "map": "Map", + "newspaperArticle": "Newspaper Article", + "note": "Note", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Presentation", + "radioBroadcast": "Radio Broadcast", + "report": "Report", + "standard": "Standard", + "statute": "Statute", + "thesis": "Thesis", + "tvBroadcast": "TV Broadcast", + "videoRecording": "Video Recording", + "webpage": "Web Page" + }, + "fields": { + "abstractNote": "Abstract", + "accessDate": "Accessed", + "applicationNumber": "Application Number", + "archive": "Archive", + "archiveID": "Archive ID", + "archiveLocation": "Loc. in Archive", + "artworkMedium": "Medium", + "artworkSize": "Artwork Size", + "assignee": "Assignee", + "audioFileType": "File Type", + "audioRecordingFormat": "Format", + "authority": "Authority", + "billNumber": "Bill Number", + "blogTitle": "Blog Title", + "bookTitle": "Book Title", + "callNumber": "Call Number", + "caseName": "Case Name", + "citationKey": "Citation Key", + "code": "Code", + "codeNumber": "Code Number", + "codePages": "Code Pages", + "codeVolume": "Code Volume", + "committee": "Committee", + "company": "Company", + "conferenceName": "Conference Name", + "country": "Country", + "court": "Court", + "date": "Date", + "dateAdded": "Date Added", + "dateDecided": "Date Decided", + "dateEnacted": "Date Enacted", + "dateModified": "Modified", + "dictionaryTitle": "Dictionary Title", + "distributor": "Distributor", + "docketNumber": "Docket Number", + "documentNumber": "Document Number", + "DOI": "DOI", + "edition": "Edition", + "encyclopediaTitle": "Encyclopedia Title", + "episodeNumber": "Episode Number", + "extra": "Extra", + "filingDate": "Filing Date", + "firstPage": "First Page", + "format": "Format", + "forumTitle": "Forum/Listserv Title", + "genre": "Genre", + "history": "History", + "identifier": "Identifier", + "institution": "Institution", + "interviewMedium": "Medium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Issue", + "issueDate": "Issue Date", + "issuingAuthority": "Issuing Authority", + "itemType": "Item Type", + "journalAbbreviation": "Journal Abbr", + "label": "Label", + "language": "Language", + "legalStatus": "Legal Status", + "legislativeBody": "Legislative Body", + "letterType": "Type", + "libraryCatalog": "Library Catalog", + "manuscriptType": "Type", + "mapType": "Type", + "medium": "Medium", + "meetingName": "Meeting Name", + "nameOfAct": "Name of Act", + "network": "Network", + "number": "Number", + "numberOfVolumes": "# of Volumes", + "numPages": "# of Pages", + "organization": "Organization", + "pages": "Pages", + "patentNumber": "Patent Number", + "place": "Place", + "postType": "Post Type", + "presentationType": "Type", + "priorityNumbers": "Priority Numbers", + "proceedingsTitle": "Proceedings Title", + "programmingLanguage": "Prog. Language", + "programTitle": "Program Title", + "publicationTitle": "Publication", + "publicLawNumber": "Public Law Number", + "publisher": "Publisher", + "references": "References", + "reporter": "Reporter", + "reporterVolume": "Reporter Volume", + "reportNumber": "Report Number", + "reportType": "Report Type", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Rights", + "runningTime": "Running Time", + "scale": "Scale", + "section": "Section", + "series": "Series", + "seriesNumber": "Series Number", + "seriesText": "Series Text", + "seriesTitle": "Series Title", + "session": "Session", + "shortTitle": "Short Title", + "status": "Status", + "studio": "Studio", + "subject": "Subject", + "system": "System", + "thesisType": "Type", + "title": "Title", + "type": "Type", + "university": "University", + "url": "URL", + "versionNumber": "Version", + "videoRecordingFormat": "Format", + "volume": "Volume", + "websiteTitle": "Website Title", + "websiteType": "Website Type" + }, + "creatorTypes": { + "artist": "Artist", + "attorneyAgent": "Attorney/Agent", + "author": "Author", + "bookAuthor": "Book Author", + "cartographer": "Cartographer", + "castMember": "Cast Member", + "commenter": "Commenter", + "composer": "Composer", + "contributor": "Contributor", + "cosponsor": "Cosponsor", + "counsel": "Counsel", + "director": "Director", + "editor": "Editor", + "guest": "Guest", + "interviewee": "Interview With", + "interviewer": "Interviewer", + "inventor": "Inventor", + "performer": "Performer", + "podcaster": "Podcaster", + "presenter": "Presenter", + "producer": "Producer", + "programmer": "Programmer", + "recipient": "Recipient", + "reviewedAuthor": "Reviewed Author", + "scriptwriter": "Scriptwriter", + "seriesEditor": "Series Editor", + "sponsor": "Sponsor", + "translator": "Translator", + "wordsBy": "Words By" + } + }, + "nb-NO": { + "itemTypes": { + "annotation": "Merknad", + "artwork": "Kunstverk", + "attachment": "Vedlegg", + "audioRecording": "Lydopptak", + "bill": "Lovforslag", + "blogPost": "Blogginnlegg", + "book": "Bok", + "bookSection": "Del av bok", + "case": "Sak", + "computerProgram": "Programvare", + "conferencePaper": "Konferanseinnlegg", + "dataset": "Datasett", + "dictionaryEntry": "Oppslag i ordbok", + "document": "Dokument", + "email": "E-post", + "encyclopediaArticle": "Artikkel i oppslagsverk", + "film": "Film", + "forumPost": "Foruminnlegg", + "hearing": "Høring", + "instantMessage": "Hurtigmelding", + "interview": "Intervju", + "journalArticle": "Tidsskriftsartikkel", + "letter": "Brev", + "magazineArticle": "Magasinartikkel", + "manuscript": "Manuskript", + "map": "Kart", + "newspaperArticle": "Avisartikkel", + "note": "Notat", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Forhåndstrykk", + "presentation": "Presentasjon", + "radioBroadcast": "Radiosending", + "report": "Rapport", + "standard": "Standard", + "statute": "Statutt", + "thesis": "Avhandling", + "tvBroadcast": "TV-sending", + "videoRecording": "Videoopptak", + "webpage": "Nettside" + }, + "fields": { + "abstractNote": "Sammendrag", + "accessDate": "Lest", + "applicationNumber": "Programvarenummer", + "archive": "Arkiv", + "archiveID": "Arkiv ID", + "archiveLocation": "Lokalisering i arkiv", + "artworkMedium": "Medium", + "artworkSize": "Kunstverk-størrelse", + "assignee": "Fullmektig", + "audioFileType": "Filtype", + "audioRecordingFormat": "Format", + "authority": "Myndighet", + "billNumber": "Lov-nummer", + "blogTitle": "Bloggtittel", + "bookTitle": "Boktittel", + "callNumber": "Plass-signatur", + "caseName": "Saksnavn", + "citationKey": "Henvisningsnøkkel", + "code": "Kode", + "codeNumber": "Tekst nummer", + "codePages": "Sider i tekst", + "codeVolume": "Lov-volum", + "committee": "Komité", + "company": "Selskap", + "conferenceName": "Konferansens navn", + "country": "Land", + "court": "Rett", + "date": "Dato", + "dateAdded": "Dato lagt til", + "dateDecided": "Avgjort (dato)", + "dateEnacted": "Innført (dato)", + "dateModified": "Endret", + "dictionaryTitle": "Ordbok", + "distributor": "Distributør", + "docketNumber": "Registreringsnummer", + "documentNumber": "Dokumentnummer", + "DOI": "DOI", + "edition": "Utgave", + "encyclopediaTitle": "Oppslagverk", + "episodeNumber": "Episodenummer", + "extra": "Ekstra", + "filingDate": "Innleveringsdato", + "firstPage": "Første side", + "format": "Format", + "forumTitle": "Forum-/listserv-tittel", + "genre": "Sjanger", + "history": "Historie", + "identifier": "Identifikator", + "institution": "Institusjon", + "interviewMedium": "Medium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Nummer", + "issueDate": "Kjennelsesdato", + "issuingAuthority": "Utstedende myndighet", + "itemType": "Elementtype", + "journalAbbreviation": "Tidsskriftsforkortelse", + "label": "Plateselskap", + "language": "Språk", + "legalStatus": "Rettslig status", + "legislativeBody": "Lovgivende organ", + "letterType": "Type", + "libraryCatalog": "Bibliotekskatalog", + "manuscriptType": "Type", + "mapType": "Type", + "medium": "Medium", + "meetingName": "Møtenavn", + "nameOfAct": "Navn på loven", + "network": "Nettverk", + "number": "Nummer", + "numberOfVolumes": "# av volumer", + "numPages": "# av sider", + "organization": "Organisasjon", + "pages": "Sider", + "patentNumber": "Patentnummer", + "place": "Sted", + "postType": "Posttype", + "presentationType": "Type", + "priorityNumbers": "Prioritetsnummer", + "proceedingsTitle": "Sakstittel", + "programmingLanguage": "Programmeringsspråk", + "programTitle": "Program tittel", + "publicationTitle": "Publikasjon", + "publicLawNumber": "Offentlig lov, nummer", + "publisher": "Utgiver", + "references": "Referanser", + "reporter": "Reporter", + "reporterVolume": "Reporter volum", + "reportNumber": "Rapportnummer", + "reportType": "Rapporttype", + "repository": "Oppbevaringssted", + "repositoryLocation": "Oppbevaringssted", + "rights": "Rettigheter", + "runningTime": "Lengde", + "scale": "Skala", + "section": "Seksjon", + "series": "Serie", + "seriesNumber": "Serienummer", + "seriesText": "Serietekst", + "seriesTitle": "Serietittel", + "session": "Sesjon", + "shortTitle": "Kort tittel", + "status": "Status", + "studio": "Studio", + "subject": "Emne", + "system": "System", + "thesisType": "Type", + "title": "Tittel", + "type": "Type", + "university": "Universitet", + "url": "URL", + "versionNumber": "Versjon", + "videoRecordingFormat": "Format", + "volume": "Volum", + "websiteTitle": "Nettsidens tittel", + "websiteType": "Nettstedtype" + }, + "creatorTypes": { + "artist": "Artist", + "attorneyAgent": "Advokat/Agent", + "author": "Forfatter", + "bookAuthor": "Bokforfatter", + "cartographer": "Kartograf", + "castMember": "Skuespiller", + "commenter": "Kommentator", + "composer": "Komponist", + "contributor": "Medforfatter", + "cosponsor": "Medsponsor", + "counsel": "Rådgiver", + "director": "Instruktør", + "editor": "Redaktør", + "guest": "Gjest", + "interviewee": "Intervju med", + "interviewer": "Intervjuer", + "inventor": "Oppfinner", + "performer": "Utøver", + "podcaster": "Podcaster", + "presenter": "Presentatør", + "producer": "Produsent", + "programmer": "Programmerer", + "recipient": "Mottaker", + "reviewedAuthor": "Anmeldt forfatter", + "scriptwriter": "Manusforfatter", + "seriesEditor": "Serieredaktør", + "sponsor": "Sponsor", + "translator": "Oversetter", + "wordsBy": "Tekster av" + } + }, + "nl-NL": { + "itemTypes": { + "annotation": "Annotatie", + "artwork": "Kunstwerk", + "attachment": "Bijlage", + "audioRecording": "Geluidsopname", + "bill": "Kamerstukken / Handelingen / Wetsvoorstel", + "blogPost": "Blogbericht", + "book": "Boek", + "bookSection": "Boek-sectie", + "case": "Rechtszaak", + "computerProgram": "Software", + "conferencePaper": "Conferentiebijdrage", + "dataset": "Dataset", + "dictionaryEntry": "Lemma", + "document": "Document", + "email": "E-mail", + "encyclopediaArticle": "Encyclopedie-artikel", + "film": "Film", + "forumPost": "Forumbericht", + "hearing": "Hoorzitting", + "instantMessage": "Instant message", + "interview": "Interview", + "journalArticle": "Artikel in academisch tijdschrift", + "letter": "Brief", + "magazineArticle": "Artikel in magazine", + "manuscript": "Manuscript", + "map": "Kaart", + "newspaperArticle": "Krantenartikel", + "note": "Aantekening", + "patent": "Patent / Octrooi", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Presentatie", + "radioBroadcast": "Radio-uitzending", + "report": "Rapport", + "standard": "Standaard", + "statute": "Wet", + "thesis": "Proefschrift", + "tvBroadcast": "Televisie-uitzending", + "videoRecording": "Video-opname", + "webpage": "Webpagina" + }, + "fields": { + "abstractNote": "Samenvatting", + "accessDate": "Geraadpleegd", + "applicationNumber": "Aanvraagnummer", + "archive": "Archief", + "archiveID": "Archive ID", + "archiveLocation": "Locatie in archief", + "artworkMedium": "Medium", + "artworkSize": "Afmetingen kunstwerk", + "assignee": "Rechthebbende", + "audioFileType": "Bestandstype", + "audioRecordingFormat": "Formaat", + "authority": "Authority", + "billNumber": "(Dossier)nummer", + "blogTitle": "Titel blog", + "bookTitle": "Boektitel", + "callNumber": "Indexnummer", + "caseName": "Naam rechtszaak", + "citationKey": "Citation Key", + "code": "Publicatiemedium", + "codeNumber": "... tranche van wet", + "codePages": "Nummer (binnen dossier)", + "codeVolume": "Wetgevingsjaargang", + "committee": "Commissie", + "company": "Bedrijf", + "conferenceName": "Conferentienaam", + "country": "Land", + "court": "Rechtbank", + "date": "Datum", + "dateAdded": "Datum toegevoegd", + "dateDecided": "Datum beslissing", + "dateEnacted": "Datum publicatie", + "dateModified": "Bewerkt", + "dictionaryTitle": "Woordenboek-titel", + "distributor": "Distributeur", + "docketNumber": "ECLI / Zaaknummer", + "documentNumber": "Documentnummer", + "DOI": "DOI", + "edition": "Druk", + "encyclopediaTitle": "Encyclopedie-titel", + "episodeNumber": "Afleveringsnummer", + "extra": "Extra", + "filingDate": "Indieningsdatum", + "firstPage": "Eerste pagina", + "format": "Formaat", + "forumTitle": "Naam forum", + "genre": "Genre", + "history": "Geschiedenis", + "identifier": "Identifier", + "institution": "(Onderzoeks)instituut", + "interviewMedium": "Medium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Editie", + "issueDate": "Publicatiedatum", + "issuingAuthority": "Uitgevende authoriteit", + "itemType": "Item Type", + "journalAbbreviation": "Tijdschrift-afkorting", + "label": "Label", + "language": "Taal", + "legalStatus": "Wettelijke status", + "legislativeBody": "(Wetgevend) orgaan", + "letterType": "Type", + "libraryCatalog": "Bibliotheekscatalogus", + "manuscriptType": "Type", + "mapType": "Type", + "medium": "Medium", + "meetingName": "Naam bijeenkomst", + "nameOfAct": "Citeertitel wet", + "network": "Netwerk", + "number": "Nummer", + "numberOfVolumes": "# delen", + "numPages": "Aantal pagina's", + "organization": "Organization", + "pages": "Pagina's", + "patentNumber": "Patentnummer", + "place": "Plaats", + "postType": "Type post", + "presentationType": "Type", + "priorityNumbers": "Prioriteitsnummers", + "proceedingsTitle": "Titel notulen", + "programmingLanguage": "Prog. taal", + "programTitle": "Programmatitel", + "publicationTitle": "Titel uitgave", + "publicLawNumber": "Public Law Number", + "publisher": "Uitgever", + "references": "Verwijzingen", + "reporter": "Jurisprudentietijdschrift", + "reporterVolume": "Jaargang(, Editie)", + "reportNumber": "Nummer (van het rapport)", + "reportType": "Rapport-type", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Rechten", + "runningTime": "Duur", + "scale": "Schaal", + "section": "Sectie", + "series": "Reeks", + "seriesNumber": "Nummer (binnen de reeks)", + "seriesText": "Reeks (extra tekst)", + "seriesTitle": "Titel van de reeks", + "session": "Sessie", + "shortTitle": "Korte Titel", + "status": "Status", + "studio": "Studio", + "subject": "Onderwerp", + "system": "Systeem", + "thesisType": "Type", + "title": "Titel", + "type": "Type", + "university": "Universiteit", + "url": "URL", + "versionNumber": "Versie", + "videoRecordingFormat": "Formaat", + "volume": "Deel", + "websiteTitle": "Titel webpagina", + "websiteType": "Type website" + }, + "creatorTypes": { + "artist": "Kunstenaar", + "attorneyAgent": "Advocaat/Agent", + "author": "Auteur", + "bookAuthor": "Auteur van het boek", + "cartographer": "Cartograaf", + "castMember": "Cast-member", + "commenter": "Commentator", + "composer": "Componist", + "contributor": "Coauteur", + "cosponsor": "Cosponsor", + "counsel": "Raad", + "director": "Regisseur", + "editor": "Redacteur", + "guest": "Gast", + "interviewee": "Interview met", + "interviewer": "Interviewer", + "inventor": "Uitvinder", + "performer": "Uitvoerder", + "podcaster": "Podcaster", + "presenter": "Presentator", + "producer": "Producent", + "programmer": "Programmeur", + "recipient": "Ontvanger", + "reviewedAuthor": "Besproken auteur", + "scriptwriter": "Tekstschrijver", + "seriesEditor": "Redacteur van de reeks", + "sponsor": "Sponsor", + "translator": "Vertaler", + "wordsBy": "Tekst door" + } + }, + "nn-NO": { + "itemTypes": { + "annotation": "Kommentar", + "artwork": "Kunstverk", + "attachment": "Vedlegg", + "audioRecording": "Lydopptak", + "bill": "Lovforslag", + "blogPost": "Blogginnlegg", + "book": "Bok", + "bookSection": "Del av bok", + "case": "Sak", + "computerProgram": "Software", + "conferencePaper": "Konferanseinnlegg", + "dataset": "Dataset", + "dictionaryEntry": "Ordbokoppslag", + "document": "Dokument", + "email": "E-post", + "encyclopediaArticle": "Artikkel i oppslagsverk", + "film": "Film", + "forumPost": "Foruminnlegg", + "hearing": "Høyring", + "instantMessage": "Snøggmelding", + "interview": "Intervju", + "journalArticle": "Tidsskriftartikkel", + "letter": "Brev", + "magazineArticle": "Magasinartikkel", + "manuscript": "Manuskript", + "map": "Kart", + "newspaperArticle": "Avisartikkel", + "note": "Notat", + "patent": "Patent", + "podcast": "Podkast", + "preprint": "Preprint", + "presentation": "Presentasjon", + "radioBroadcast": "Radiosending", + "report": "Rapport", + "standard": "Standard", + "statute": "Statutt", + "thesis": "Avhandling", + "tvBroadcast": "TV-sending", + "videoRecording": "Videoopptak", + "webpage": "Nettside" + }, + "fields": { + "abstractNote": "Samandrag", + "accessDate": "Lest", + "applicationNumber": "Program-nummer", + "archive": "Arkiv\\n", + "archiveID": "Archive ID", + "archiveLocation": "Lokalisering i arkiv", + "artworkMedium": "Middels", + "artworkSize": "Kunstverk-storleik", + "assignee": "Fullmektig", + "audioFileType": "Filtype", + "audioRecordingFormat": "Format", + "authority": "Authority", + "billNumber": "Lov-nummer", + "blogTitle": "Bloggtittel", + "bookTitle": "Boktittel", + "callNumber": "Plass-signatur", + "caseName": "Saksnamn", + "citationKey": "Citation Key", + "code": "Kode", + "codeNumber": "Tekst nummer", + "codePages": "Sider i tekst", + "codeVolume": "Lov-volum", + "committee": "Komité", + "company": "Selskap", + "conferenceName": "Namnet på konferansen", + "country": "Land", + "court": "Rett", + "date": "Dato", + "dateAdded": "Lagt til", + "dateDecided": "Avgjort (dato)", + "dateEnacted": "Innført (dato)", + "dateModified": "Sist endra", + "dictionaryTitle": "Ordbok", + "distributor": "Distributør", + "docketNumber": "Docket Number", + "documentNumber": "Dokumentnummer", + "DOI": "DOI", + "edition": "Utgåve", + "encyclopediaTitle": "Oppslagverk", + "episodeNumber": "Episodenummer", + "extra": "Ekstra", + "filingDate": "Arkiveringsdato", + "firstPage": "Første side", + "format": "Format", + "forumTitle": "Forum-/listserv-tittel", + "genre": "Sjanger", + "history": "Historie", + "identifier": "Identifier", + "institution": "Institusjon", + "interviewMedium": "Middels", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Nummer", + "issueDate": "Kjennelsesdato", + "issuingAuthority": "Issuing Authority", + "itemType": "Type", + "journalAbbreviation": "Tidsskriftforkorting", + "label": "Plateselskap", + "language": "Språk", + "legalStatus": "Rettsleg status", + "legislativeBody": "Lovgjevande organ", + "letterType": "Type", + "libraryCatalog": "Bibliotek-katalog", + "manuscriptType": "Type", + "mapType": "Type", + "medium": "Middels", + "meetingName": "Møtenamn", + "nameOfAct": "Namn på lova", + "network": "Nettverk", + "number": "Nummer", + "numberOfVolumes": "# av volum", + "numPages": "Tal sider", + "organization": "Organization", + "pages": "Sidetal", + "patentNumber": "Patentnummer", + "place": "Stad", + "postType": "Posttype", + "presentationType": "Type", + "priorityNumbers": "Prioritetnummer", + "proceedingsTitle": "Sakstittel", + "programmingLanguage": "Prog. Language", + "programTitle": "Programtittel", + "publicationTitle": "Publikasjon", + "publicLawNumber": "Offentleg lov, nummer", + "publisher": "Utgjevar", + "references": "Referansar", + "reporter": "Reporter", + "reporterVolume": "Reporter volum", + "reportNumber": "Rapportnummer", + "reportType": "Rapporttype", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Rettar", + "runningTime": "Lengd", + "scale": "Skala", + "section": "Seksjon", + "series": "Serie", + "seriesNumber": "Serienummer", + "seriesText": "Serietekst", + "seriesTitle": "Serietittel", + "session": "Sesjon", + "shortTitle": "Kort tittel", + "status": "Status", + "studio": "Studio", + "subject": "Emne", + "system": "System", + "thesisType": "Type", + "title": "Tittel", + "type": "Type", + "university": "Universitet", + "url": "URL", + "versionNumber": "Versjon", + "videoRecordingFormat": "Format", + "volume": "Volum", + "websiteTitle": "Nettstadtittel", + "websiteType": "Nettstadtype" + }, + "creatorTypes": { + "artist": "Artist", + "attorneyAgent": "Advokat/Agent", + "author": "Forfattar", + "bookAuthor": "Bokforfattar", + "cartographer": "Kartograf", + "castMember": "Skodespelar", + "commenter": "Kommentator", + "composer": "Komponist", + "contributor": "Medforfatter", + "cosponsor": "Medsponsor", + "counsel": "Rådgjevar", + "director": "Instruktør", + "editor": "Redaktør", + "guest": "Gjest", + "interviewee": "Intervju med", + "interviewer": "Intervjuar", + "inventor": "Oppfinnar", + "performer": "Utøvar", + "podcaster": "Podkastar", + "presenter": "Presentatør", + "producer": "Produsent", + "programmer": "Programmerar", + "recipient": "Mottakar", + "reviewedAuthor": "Meld forfattar", + "scriptwriter": "Manusforfattar", + "seriesEditor": "Serieredaktør", + "sponsor": "Sponsor", + "translator": "Omsetjar", + "wordsBy": "Tekstar av" + } + }, + "pl-PL": { + "itemTypes": { + "annotation": "Adnotacja", + "artwork": "Dzieło sztuki", + "attachment": "Załącznik", + "audioRecording": "Nagranie audio", + "bill": "Projekt ustawy", + "blogPost": "Wpis w blogu", + "book": "Książka", + "bookSection": "Rozdział", + "case": "Sprawa sądowa", + "computerProgram": "Oprogramowanie", + "conferencePaper": "Materiał konferencyjny", + "dataset": "Zestaw danych", + "dictionaryEntry": "Hasło słownikowe", + "document": "Dokument", + "email": "E-mail", + "encyclopediaArticle": "Artykuł w encyklopedii", + "film": "Film", + "forumPost": "Wpis na forum", + "hearing": "Rozprawa", + "instantMessage": "Krótka wiadomość", + "interview": "Wywiad", + "journalArticle": "Artykuł z czasopisma", + "letter": "List", + "magazineArticle": "Artykuł z magazynu", + "manuscript": "Rękopis", + "map": "Mapa", + "newspaperArticle": "Artykuł z gazety", + "note": "Notatka", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Prezentacja", + "radioBroadcast": "Audycja radiowa", + "report": "Raport", + "standard": "Standardowy", + "statute": "Statut", + "thesis": "Praca dyplomowa", + "tvBroadcast": "Program telewizyjny", + "videoRecording": "Nagranie wideo", + "webpage": "Strona internetowa" + }, + "fields": { + "abstractNote": "Krótki opis", + "accessDate": "Dostęp", + "applicationNumber": "Numer zgłoszenia", + "archive": "Archiwum", + "archiveID": "Identyfikator archiwum", + "archiveLocation": "Miejsce w archiwum", + "artworkMedium": "Technika", + "artworkSize": "Wielkość dzieła", + "assignee": "Beneficjent", + "audioFileType": "Typ pliku", + "audioRecordingFormat": "Format", + "authority": "Zarządca", + "billNumber": "Numer projektu ustawy", + "blogTitle": "Tytuł blogu", + "bookTitle": "Tytuł książki", + "callNumber": "Nr klasyfikacyjny", + "caseName": "Tytuł sprawy", + "citationKey": "Klucz cytowania", + "code": "Kod", + "codeNumber": "Numer kodu", + "codePages": "Kod stron", + "codeVolume": "Kod tomu", + "committee": "Komitet", + "company": "Firma", + "conferenceName": "Nazwa konferencji", + "country": "Kraj", + "court": "Sąd", + "date": "Data", + "dateAdded": "Data dodania", + "dateDecided": "Data decyzji", + "dateEnacted": "Data wydania", + "dateModified": "Zmodyfikowany", + "dictionaryTitle": "Tytuł słownika", + "distributor": "Dystrybutor", + "docketNumber": "Numer wokandy", + "documentNumber": "Numer dokumentu", + "DOI": "DOI", + "edition": "Wydanie", + "encyclopediaTitle": "Tytuł encyklopedii", + "episodeNumber": "Numer odcinka", + "extra": "Dodatkowe", + "filingDate": "Data wypełnienia", + "firstPage": "Pierwsza strona", + "format": "Format", + "forumTitle": "Nazwa Forum/Listserv", + "genre": "Rodzaj", + "history": "Historia", + "identifier": "Identyfikator", + "institution": "Instytucja", + "interviewMedium": "Nośnik", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Numer", + "issueDate": "Data wydania", + "issuingAuthority": "Organ wydający", + "itemType": "Typ elementu", + "journalAbbreviation": "Skrót czasopisma", + "label": "Etykieta", + "language": "Język", + "legalStatus": "Status prawny", + "legislativeBody": "Ciało ustawodawcze", + "letterType": "Typ", + "libraryCatalog": "Usługa katalogowa", + "manuscriptType": "Typ", + "mapType": "Typ", + "medium": "Medium", + "meetingName": "Nazwa spotkania", + "nameOfAct": "Tytuł aktu", + "network": "Sieć", + "number": "Numer", + "numberOfVolumes": "Liczba tomów", + "numPages": "Liczba stron", + "organization": "Organizacja", + "pages": "Strony", + "patentNumber": "Numer patentu", + "place": "Miejsce", + "postType": "Typ wpisu", + "presentationType": "Typ", + "priorityNumbers": "Numery priorytetu", + "proceedingsTitle": "Tytuł sprawozdania", + "programmingLanguage": "Jęz. programowania", + "programTitle": "Tytuł programu", + "publicationTitle": "Publikacja", + "publicLawNumber": "Numer prawa publicznego", + "publisher": "Wydawca", + "references": "Referencje", + "reporter": "Zbiór orzecznictwa", + "reporterVolume": "Tom w zbiorze orzecznictwa", + "reportNumber": "Numer raportu", + "reportType": "Typ raportu", + "repository": "Repozytorium", + "repositoryLocation": "Lokalizacja repozytorium", + "rights": "Przepisy/Prawa", + "runningTime": "Czas trwania", + "scale": "Skala", + "section": "Sekcja", + "series": "Seria", + "seriesNumber": "Numer serii", + "seriesText": "Tekst serii", + "seriesTitle": "Tytuł serii", + "session": "Sesja", + "shortTitle": "Krótki tytuł", + "status": "Stan", + "studio": "Studio", + "subject": "Temat", + "system": "System", + "thesisType": "Typ", + "title": "Tytuł", + "type": "Typ", + "university": "Uniwersytet", + "url": "Adres URL", + "versionNumber": "Wersja", + "videoRecordingFormat": "Format", + "volume": "Tom", + "websiteTitle": "Tytuł strony", + "websiteType": "Typ witryny" + }, + "creatorTypes": { + "artist": "Artysta", + "attorneyAgent": "Adwokat/Agent", + "author": "Autor", + "bookAuthor": "Autor książki", + "cartographer": "Kartograf", + "castMember": "Aktor", + "commenter": "Komentator", + "composer": "Kompozytor", + "contributor": "Współautor", + "cosponsor": "Współsponsor", + "counsel": "Prawnik", + "director": "Reżyser", + "editor": "Redaktor", + "guest": "Gość", + "interviewee": "Wywiad z", + "interviewer": "Prowadzący wywiad", + "inventor": "Wynalazca", + "performer": "Odtwórca", + "podcaster": "Autor podcastu", + "presenter": "Prezenter", + "producer": "Producent", + "programmer": "Programista", + "recipient": "Odbiorca", + "reviewedAuthor": "Autor recenzji", + "scriptwriter": "Scenarzysta", + "seriesEditor": "Redaktor serii", + "sponsor": "Fundator", + "translator": "Tłumacz", + "wordsBy": "Autor słów" + } + }, + "pt-BR": { + "itemTypes": { + "annotation": "Anotação", + "artwork": "Obra de arte", + "attachment": "Anexo", + "audioRecording": "Gravação de áudio", + "bill": "Legislação", + "blogPost": "Envio de blog", + "book": "Livro", + "bookSection": "Seção de livro", + "case": "Caso", + "computerProgram": "Programa", + "conferencePaper": "Conferência", + "dataset": "Dataset", + "dictionaryEntry": "Verbete de dicionário", + "document": "Documento", + "email": "Correio eletrônico", + "encyclopediaArticle": "Verbete de enciclopédia", + "film": "Filme", + "forumPost": "Envio de fórum", + "hearing": "Audiência", + "instantMessage": "Mensagem instantânea", + "interview": "Entrevista", + "journalArticle": "Artigo de periódico", + "letter": "Carta", + "magazineArticle": "Artigo de revista", + "manuscript": "Manuscrito", + "map": "Mapa", + "newspaperArticle": "Artigo de jornal", + "note": "Nota", + "patent": "Patente", + "podcast": "Podcast", + "preprint": "Pré-impressão", + "presentation": "Apresentação", + "radioBroadcast": "Transmissão de rádio", + "report": "Relatório", + "standard": "Padrão", + "statute": "Estatuto", + "thesis": "Tese", + "tvBroadcast": "Transmissão de TV", + "videoRecording": "Gravação de vídeo", + "webpage": "Página web" + }, + "fields": { + "abstractNote": "Resumo", + "accessDate": "Data de acesso", + "applicationNumber": "Número da inscrição", + "archive": "Arquivo", + "archiveID": "ID do Arquivo", + "archiveLocation": "Localização no arquivo", + "artworkMedium": "Suporte", + "artworkSize": "Dimensões", + "assignee": "Beneficiário", + "audioFileType": "Tipo de arquivo", + "audioRecordingFormat": "Formato", + "authority": "Autoridade", + "billNumber": "Número da lei", + "blogTitle": "Título do blog", + "bookTitle": "Título do livro", + "callNumber": "Número de chamada", + "caseName": "Nome do caso", + "citationKey": "Chave de Citação", + "code": "Código", + "codeNumber": "Número de código", + "codePages": "Páginas do código", + "codeVolume": "Volume do código", + "committee": "Comitê", + "company": "Companhia", + "conferenceName": "Nome da conferência", + "country": "País", + "court": "Corte", + "date": "Data", + "dateAdded": "Data de adição", + "dateDecided": "Data da decisão", + "dateEnacted": "Data de aprovação", + "dateModified": "Data de modificação", + "dictionaryTitle": "Título do dicionário", + "distributor": "Distribuidor", + "docketNumber": "Número da ata", + "documentNumber": "Número do documento", + "DOI": "DOI", + "edition": "Número da edição", + "encyclopediaTitle": "Título da enciclopédia", + "episodeNumber": "Número do episódio", + "extra": "Extra", + "filingDate": "Data de arquivamento", + "firstPage": "Primeira página", + "format": "Formato", + "forumTitle": "Título do fórum", + "genre": "Gênero", + "history": "Histórico", + "identifier": "Identificador", + "institution": "Instituição", + "interviewMedium": "Suporte", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Edição", + "issueDate": "Data da edição", + "issuingAuthority": "Autoridade emissora", + "itemType": "Tipo do item", + "journalAbbreviation": "Abreviatura do periódico", + "label": "Etiqueta", + "language": "Idioma", + "legalStatus": "Estatuto legal", + "legislativeBody": "Corpo legislativo", + "letterType": "Tipo", + "libraryCatalog": "Catálogo de biblioteca", + "manuscriptType": "Tipo", + "mapType": "Tipo", + "medium": "Suporte", + "meetingName": "Nome do evento", + "nameOfAct": "Nome da lei", + "network": "Rede", + "number": "Número", + "numberOfVolumes": "# de volumes", + "numPages": "# de páginas", + "organization": "Organização", + "pages": "Páginas", + "patentNumber": "Número da Patente", + "place": "Lugar", + "postType": "Tipo de envio", + "presentationType": "Tipo", + "priorityNumbers": "Números prioritários", + "proceedingsTitle": "Título dos anais", + "programmingLanguage": "Linguagem de programação", + "programTitle": "Título do programa", + "publicationTitle": "Título da publicação", + "publicLawNumber": "Número da lei", + "publisher": "Editor", + "references": "Referências", + "reporter": "Relator", + "reporterVolume": "Volume do Reporter", + "reportNumber": "Número do relatório", + "reportType": "Tipo de relatório", + "repository": "Repositório", + "repositoryLocation": "Repo. Location", + "rights": "Direitos", + "runningTime": "Tempo de execução", + "scale": "Escala", + "section": "Seção", + "series": "Série", + "seriesNumber": "Número na série", + "seriesText": "Texto da série", + "seriesTitle": "Título da série", + "session": "Sessão", + "shortTitle": "Título curto", + "status": "Status", + "studio": "Estúdio", + "subject": "Assunto", + "system": "Sistema", + "thesisType": "Tipo", + "title": "Título", + "type": "Tipo", + "university": "Universidade", + "url": "URL", + "versionNumber": "Versão", + "videoRecordingFormat": "Formato", + "volume": "Volume", + "websiteTitle": "Título do site", + "websiteType": "Tipo de site" + }, + "creatorTypes": { + "artist": "Artista", + "attorneyAgent": "Procurador/Agente", + "author": "Autor", + "bookAuthor": "Autor do livro", + "cartographer": "Cartógrafo", + "castMember": "Membro do elenco", + "commenter": "Comentarista", + "composer": "Compositor", + "contributor": "Contribuidor", + "cosponsor": "Co-patrocinador", + "counsel": "Conselho", + "director": "Diretor", + "editor": "Organizador", + "guest": "Convidado", + "interviewee": "Entrevista com", + "interviewer": "Entrevistador", + "inventor": "Inventor", + "performer": "Ator", + "podcaster": "Fonte do podcast", + "presenter": "Apresentador", + "producer": "Produtor", + "programmer": "Programador", + "recipient": "Destinatário", + "reviewedAuthor": "Autor resenhado", + "scriptwriter": "Roteirista", + "seriesEditor": "Editor da série", + "sponsor": "Propositor", + "translator": "Tradutor", + "wordsBy": "Escrito por" + } + }, + "pt-PT": { + "itemTypes": { + "annotation": "Anotação", + "artwork": "Obra de Arte", + "attachment": "Anexo", + "audioRecording": "Gravação Áudio", + "bill": "Diploma Legal", + "blogPost": "Entrada em Blogue", + "book": "Livro", + "bookSection": "Secção de Livro", + "case": "Caso", + "computerProgram": "Programa de Computador", + "conferencePaper": "Artigo em Conferência", + "dataset": "Dataset", + "dictionaryEntry": "Verbete de Dicionário", + "document": "Documento", + "email": "Mensagem de Correio Electrónico", + "encyclopediaArticle": "Artigo de Enciclopédia", + "film": "Filme", + "forumPost": "Entrada em Fórum", + "hearing": "Audição", + "instantMessage": "Mensagem Instantânea", + "interview": "Entrevista", + "journalArticle": "Artigo em Revista Científica", + "letter": "Carta", + "magazineArticle": "Artigo em Revista", + "manuscript": "Manuscrito", + "map": "Mapa", + "newspaperArticle": "Artigo em Jornal", + "note": "Nota", + "patent": "Patente", + "podcast": "Emissão Pod", + "preprint": "Pré-impressão", + "presentation": "Apresentação", + "radioBroadcast": "Emissão Radiofónica", + "report": "Relatório", + "standard": "Norma", + "statute": "Estatuto", + "thesis": "Dissertação", + "tvBroadcast": "Emissão Televisiva", + "videoRecording": "Gravação Vídeo", + "webpage": "Página Web" + }, + "fields": { + "abstractNote": "Resumo", + "accessDate": "Acedido", + "applicationNumber": "Número da Candidatura", + "archive": "Arquivo", + "archiveID": "ID do Arquivo", + "archiveLocation": "Localização no Arquivo", + "artworkMedium": "Suporte Artístico", + "artworkSize": "Dimensão da Obra de Arte", + "assignee": "Responsável", + "audioFileType": "Tipo do Arquivo", + "audioRecordingFormat": "Formato", + "authority": "Autoridade", + "billNumber": "Número do Diploma Legal", + "blogTitle": "Título do Blogue", + "bookTitle": "Título do Livro", + "callNumber": "Número de Chamada", + "caseName": "Nome do Caso", + "citationKey": "Chave de Citação", + "code": "Código", + "codeNumber": "Número de Código", + "codePages": "Páginas do Código", + "codeVolume": "Volume do Código", + "committee": "Comité", + "company": "Empresa", + "conferenceName": "Nome da Conferência", + "country": "País", + "court": "Tribunal", + "date": "Data", + "dateAdded": "Data de Adição", + "dateDecided": "Data da Decisão", + "dateEnacted": "Data de Promulgação", + "dateModified": "Modificado", + "dictionaryTitle": "Título do Dicionário", + "distributor": "Distribuidor", + "docketNumber": "Número de Expediente", + "documentNumber": "Número do Documento", + "DOI": "DOI", + "edition": "Edição", + "encyclopediaTitle": "Título da Enciclopédia", + "episodeNumber": "Número do Episódio", + "extra": "Extra", + "filingDate": "Data de Arquivo", + "firstPage": "Primeira Página", + "format": "Formato", + "forumTitle": "Título do Fórum/Lista de Correio Electrónico", + "genre": "Género", + "history": "História", + "identifier": "Identificador", + "institution": "Instituição", + "interviewMedium": "Suporte", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Número", + "issueDate": "Data de Emissão", + "issuingAuthority": "Autoridade Emissora", + "itemType": "Tipo de Item", + "journalAbbreviation": "Abreviatura da Publicação", + "label": "Etiqueta", + "language": "Língua", + "legalStatus": "Estado Legal", + "legislativeBody": "Entidade Legislativa", + "letterType": "Tipo", + "libraryCatalog": "Catálogo de Biblioteca", + "manuscriptType": "Tipo", + "mapType": "Tipo", + "medium": "Meio", + "meetingName": "Nome da Reunião", + "nameOfAct": "Nome do Decreto", + "network": "Rede", + "number": "Número", + "numberOfVolumes": "N.º de Volumes", + "numPages": "N.º de Páginas", + "organization": "Organização", + "pages": "Páginas", + "patentNumber": "Número de Patente", + "place": "Local", + "postType": "Pós-Tipo", + "presentationType": "Tipo", + "priorityNumbers": "Números de Prioridade", + "proceedingsTitle": "Título das Actas", + "programmingLanguage": "Linguagem de Programação", + "programTitle": "Título do Programa", + "publicationTitle": "Publicação", + "publicLawNumber": "Número da Lei Pública", + "publisher": "Editora", + "references": "Referências", + "reporter": "Relator", + "reporterVolume": "Volume do Relator", + "reportNumber": "Número do Relatório", + "reportType": "Tipo de Relatório", + "repository": "Repositório", + "repositoryLocation": "Repo. Location", + "rights": "Direitos", + "runningTime": "Duração", + "scale": "Escala", + "section": "Secção", + "series": "Série", + "seriesNumber": "Número da Série", + "seriesText": "Texto da Série", + "seriesTitle": "Título da Série", + "session": "Sessão", + "shortTitle": "Título Curto", + "status": "Status", + "studio": "Estúdio", + "subject": "Assunto", + "system": "Sistema", + "thesisType": "Tipo", + "title": "Título", + "type": "Tipo", + "university": "Universidade", + "url": "URL", + "versionNumber": "Versão", + "videoRecordingFormat": "Formato", + "volume": "Volume", + "websiteTitle": "Título da Página Web", + "websiteType": "Tipo de Página Web" + }, + "creatorTypes": { + "artist": "Artista", + "attorneyAgent": "Advogado/Agente", + "author": "Autor", + "bookAuthor": "Autor do Livro", + "cartographer": "Cartógrafo", + "castMember": "Membro do Elenco", + "commenter": "Comentador", + "composer": "Compositor", + "contributor": "Colaborador", + "cosponsor": "Co-patrocinador", + "counsel": "Conselho", + "director": "Realizador", + "editor": "Editor", + "guest": "Convidado", + "interviewee": "Entrevista Com", + "interviewer": "Entrevistador", + "inventor": "Inventor", + "performer": "Performer", + "podcaster": "Locutor de Emissão Pod", + "presenter": "Apresentador", + "producer": "Produtor", + "programmer": "Programador", + "recipient": "Receptor", + "reviewedAuthor": "Autor Revisto", + "scriptwriter": "Guionista", + "seriesEditor": "Editor da Série", + "sponsor": "Patrocinador", + "translator": "Tradutor", + "wordsBy": "Texto De" + } + }, + "ro-RO": { + "itemTypes": { + "annotation": "Adnotare", + "artwork": "Lucrare de artă", + "attachment": "Anexă", + "audioRecording": "Înregistrare audio", + "bill": "Proiect de lege", + "blogPost": "Articol blog", + "book": "Carte", + "bookSection": "Secțiune de carte", + "case": "Proces", + "computerProgram": "Software", + "conferencePaper": "Conferință", + "dataset": "Dataset", + "dictionaryEntry": "Articol de dicționar", + "document": "Document", + "email": "E-mail", + "encyclopediaArticle": "Articol de enciclopedie", + "film": "Film", + "forumPost": "Comentariu forum", + "hearing": "Audiere", + "instantMessage": "Mesaj instantaneu", + "interview": "Interviu", + "journalArticle": "Articol de revistă", + "letter": "Scrisoare", + "magazineArticle": "Articol de revistă magazin", + "manuscript": "Manuscris", + "map": "Hartă", + "newspaperArticle": "Articol de ziar", + "note": "Notă", + "patent": "Brevet", + "podcast": "Multimedia", + "preprint": "Preprint", + "presentation": "Prezentare", + "radioBroadcast": "Emisiune radio", + "report": "Raport", + "standard": "Standard", + "statute": "Statut", + "thesis": "Teză", + "tvBroadcast": "Emisiune TV", + "videoRecording": "Înregistrare video", + "webpage": "Pagină web" + }, + "fields": { + "abstractNote": "Rezumat", + "accessDate": "Data accesării", + "applicationNumber": "Număr aplicație", + "archive": "Arhivă", + "archiveID": "ID Arhivă", + "archiveLocation": "Locație în arhivă", + "artworkMedium": "Mediu", + "artworkSize": "Mărime lucrare de artă", + "assignee": "Reprezentant", + "audioFileType": "Tip de fișier", + "audioRecordingFormat": "Formatare", + "authority": "Autoritate", + "billNumber": "Număr proiect de lege", + "blogTitle": "Titlu blog", + "bookTitle": "Titlu carte", + "callNumber": "Număr de tel.", + "caseName": "Nume proces", + "citationKey": "Cheie citare", + "code": "Cod", + "codeNumber": "Număr de cod", + "codePages": "Cod pagini", + "codeVolume": "Cod volum", + "committee": "Comitet", + "company": "Companie", + "conferenceName": "Titlu conferință", + "country": "Țară", + "court": "Curte", + "date": "Dată", + "dateAdded": "Adăugat la data", + "dateDecided": "Data deciziei", + "dateEnacted": "Dată decret", + "dateModified": "Modificat", + "dictionaryTitle": "Titlu dicționar", + "distributor": "Distribuitor", + "docketNumber": "Număr agendă de birou", + "documentNumber": "Număr document", + "DOI": "DOI", + "edition": "Ediție", + "encyclopediaTitle": "Titlu enciclopedie", + "episodeNumber": "Număr episod", + "extra": "Extra", + "filingDate": "Data completării", + "firstPage": "Prima pagină", + "format": "Format", + "forumTitle": "Titlu forum", + "genre": "Gen", + "history": "Istorie", + "identifier": "Identificator", + "institution": "Instituție", + "interviewMedium": "Mediu", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Număr", + "issueDate": "Data apariției", + "issuingAuthority": "Autoritate emitentă", + "itemType": "Tip de înregistrare", + "journalAbbreviation": "Abreviere jurnal", + "label": "Etichetă", + "language": "Limbă", + "legalStatus": "Statut legal", + "legislativeBody": "Corp legislativ", + "letterType": "Tip", + "libraryCatalog": "Catalog bibliotecă", + "manuscriptType": "Tip", + "mapType": "Tip", + "medium": "Mediu", + "meetingName": "Nume de contact", + "nameOfAct": "Nume act", + "network": "Rețea", + "number": "Număr", + "numberOfVolumes": "Nr. de volume", + "numPages": "Nr. de pagini", + "organization": "Organizație", + "pages": "Pagini", + "patentNumber": "Număr brevet", + "place": "Loc", + "postType": "Tip de comentariu", + "presentationType": "Tip", + "priorityNumbers": "Numere de prioritate", + "proceedingsTitle": "Titlu dare de seamă", + "programmingLanguage": "Limbaj de programare", + "programTitle": "Titlu program", + "publicationTitle": "Publicație", + "publicLawNumber": "Număr lege", + "publisher": "Editură", + "references": "Referințe", + "reporter": "Reporter", + "reporterVolume": "Volum reporter", + "reportNumber": "Număr raport", + "reportType": "Tip de raport", + "repository": "Depozit", + "repositoryLocation": "Repo. Location", + "rights": "Drepturi", + "runningTime": "Timp de funcționare", + "scale": "Scară", + "section": "Secțiune", + "series": "Colecție", + "seriesNumber": "Număr colecție", + "seriesText": "Text colecție", + "seriesTitle": "Titlu colecție", + "session": "Sesiune", + "shortTitle": "Titlu scurt", + "status": "Stare", + "studio": "Studio", + "subject": "Subiect", + "system": "Sistem", + "thesisType": "Tip", + "title": "Titlu", + "type": "Tip", + "university": "Universitate", + "url": "URL", + "versionNumber": "Versiune", + "videoRecordingFormat": "Formatare", + "volume": "Volum", + "websiteTitle": "Titlu site web", + "websiteType": "Tip de site web" + }, + "creatorTypes": { + "artist": "Artist", + "attorneyAgent": "Avocat/Agent", + "author": "Autor", + "bookAuthor": "Autor carte", + "cartographer": "Cartograf", + "castMember": "Membru în distribuție", + "commenter": "Comentator", + "composer": "Compozitor", + "contributor": "Colaborator", + "cosponsor": "Sponsor asociat", + "counsel": "Consiliu", + "director": "Director", + "editor": "Editor (coord.)", + "guest": "Oaspete", + "interviewee": "Interviu cu", + "interviewer": "Interviu de", + "inventor": "Inventator", + "performer": "Interpret", + "podcaster": "Autor multimedia", + "presenter": "Prezentator", + "producer": "Producător", + "programmer": "Programator", + "recipient": "Recipient", + "reviewedAuthor": "Autor recenzat", + "scriptwriter": "Scriitor (de mână)", + "seriesEditor": "Coordonator colecție", + "sponsor": "Sponsor", + "translator": "Traducător", + "wordsBy": "Cuvinte de" + } + }, + "ru-RU": { + "itemTypes": { + "annotation": "Аннотация", + "artwork": "Художественная работа", + "attachment": "Вложение", + "audioRecording": "Звукозапись", + "bill": "Законопроект", + "blogPost": "Сообщение в блоге", + "book": "Книга", + "bookSection": "Раздел книги", + "case": "Дело", + "computerProgram": "Компьютерная программа", + "conferencePaper": "Документ конференции", + "dataset": "Набор данных", + "dictionaryEntry": "Словарная статья", + "document": "Документ", + "email": "Электронная почта", + "encyclopediaArticle": "Статья из энциклопедии", + "film": "Фильм", + "forumPost": "Сообщение на форуме", + "hearing": "Слушание", + "instantMessage": "Мгновенное сообщение", + "interview": "Интервью", + "journalArticle": "Статья из рецензируемого журнала", + "letter": "Письмо", + "magazineArticle": "Статья из прочей периодики", + "manuscript": "Рукопись", + "map": "Карта", + "newspaperArticle": "Газетная статья", + "note": "Заметка", + "patent": "Патент", + "podcast": "Подкаст", + "preprint": "Препринт", + "presentation": "Презентация", + "radioBroadcast": "Радиопередача", + "report": "Отчет", + "standard": "Стандартный", + "statute": "Норм. прав. акт", + "thesis": "Диссертация", + "tvBroadcast": "Телепередача", + "videoRecording": "Видеозапись", + "webpage": "Веб-страница" + }, + "fields": { + "abstractNote": "Аннотация", + "accessDate": "Дата доступа", + "applicationNumber": "Номер заявки", + "archive": "Архив", + "archiveID": "ID на archive.org", + "archiveLocation": "Место в архиве", + "artworkMedium": "Худож. средство", + "artworkSize": "Размер работы", + "assignee": "Представитель", + "audioFileType": "Тип файла", + "audioRecordingFormat": "Формат", + "authority": "Организация\\Гос. орган", + "billNumber": "Номер законопр.", + "blogTitle": "Название блога", + "bookTitle": "Название книги", + "callNumber": "Шифр (номер вызова)", + "caseName": "Номер дела", + "citationKey": "Ключ цитирования", + "code": "Кодекс/сборник", + "codeNumber": "Том кодекса", + "codePages": "Страницы кодекса", + "codeVolume": "Том кодекса", + "committee": "Комитет", + "company": "Компания", + "conferenceName": "Назв. конфер.", + "country": "Страна", + "court": "Суд", + "date": "Дата", + "dateAdded": "Добавлен", + "dateDecided": "Дата решения", + "dateEnacted": "Дата акта", + "dateModified": "Изменён", + "dictionaryTitle": "Назв. словаря", + "distributor": "Распределитель", + "docketNumber": "Номер выписки", + "documentNumber": "Номер документа", + "DOI": "ЦИО/DOI", + "edition": "Издание", + "encyclopediaTitle": "Назв. энцикл.", + "episodeNumber": "Номер эпизода", + "extra": "Дополнительно", + "filingDate": "Дата заявки", + "firstPage": "Первая стр.", + "format": "Формат", + "forumTitle": "Форум/Listserv", + "genre": "Жанр", + "history": "История", + "identifier": "Идентификатор", + "institution": "Учреждение", + "interviewMedium": "Средство", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Выпуск", + "issueDate": "Дата выпуска", + "issuingAuthority": "Кем выдан", + "itemType": "Тип записи", + "journalAbbreviation": "Сокращ. журнала", + "label": "Надпись", + "language": "Язык", + "legalStatus": "Правовой статус", + "legislativeBody": "Законод. орган", + "letterType": "Тип письма", + "libraryCatalog": "Библ. каталог", + "manuscriptType": "Тип рукописи", + "mapType": "Тип карты", + "medium": "Средство", + "meetingName": "Назв. встречи", + "nameOfAct": "Назв. акта.", + "network": "Сеть", + "number": "Номер", + "numberOfVolumes": "Кол-во томов", + "numPages": "Число страниц", + "organization": "Организация", + "pages": "Страницы", + "patentNumber": "Номер патента", + "place": "Место", + "postType": "Тип сообщения", + "presentationType": "Тип", + "priorityNumbers": "Номера приоритетов", + "proceedingsTitle": "Назв. трудов", + "programmingLanguage": "Прогр. яз.", + "programTitle": "Назв. программы", + "publicationTitle": "Заголовок публикации", + "publicLawNumber": "Номер акта", + "publisher": "Издатель", + "references": "Ссылки", + "reporter": "Сборник суд. реш.", + "reporterVolume": "Том отчета", + "reportNumber": "Номер отчета", + "reportType": "Тип отчета", + "repository": "Репозиторий", + "repositoryLocation": "Репозиторий. Расположение", + "rights": "Права", + "runningTime": "Продолжит.", + "scale": "Масштаб", + "section": "Раздел", + "series": "Серия", + "seriesNumber": "Номер в серии", + "seriesText": "Текст серии", + "seriesTitle": "Название серии", + "session": "Сессия", + "shortTitle": "Краткое назв.", + "status": "Статус", + "studio": "Студия", + "subject": "Тема", + "system": "Система", + "thesisType": "Тип", + "title": "Название", + "type": "Тип", + "university": "Университет", + "url": "URL-адрес", + "versionNumber": "Версия", + "videoRecordingFormat": "Формат", + "volume": "Том", + "websiteTitle": "Назв. веб-сайта", + "websiteType": "Тип веб-сайта" + }, + "creatorTypes": { + "artist": "Художник", + "attorneyAgent": "Адвокат/Агент", + "author": "Автор", + "bookAuthor": "Автор книги", + "cartographer": "Картограф", + "castMember": "Актер", + "commenter": "Комментатор", + "composer": "Композитор", + "contributor": "Соавтор", + "cosponsor": "Совм. спонсор", + "counsel": "Советник", + "director": "Режиссер", + "editor": "Редактор", + "guest": "Гость", + "interviewee": "Интервью с", + "interviewer": "Интервьюер", + "inventor": "Изобретатель", + "performer": "Исполнитель", + "podcaster": "Подкастер", + "presenter": "Докладчик", + "producer": "Продюсер", + "programmer": "Программист", + "recipient": "Получатель", + "reviewedAuthor": "Реценз. автор", + "scriptwriter": "Сценарист", + "seriesEditor": "Редактор серии", + "sponsor": "Спонсор", + "translator": "Переводчик", + "wordsBy": "Автор слов" + } + }, + "sk-SK": { + "itemTypes": { + "annotation": "Anotácia", + "artwork": "Umelecké dielo", + "attachment": "Príloha", + "audioRecording": "Audionahrávka", + "bill": "Legislatívny dokument", + "blogPost": "Príspevok na blogu", + "book": "Kniha", + "bookSection": "Časť knihy", + "case": "Prípad (súdny)", + "computerProgram": "Počítačový program", + "conferencePaper": "Príspevok na konferenciu", + "dataset": "Dataset", + "dictionaryEntry": "Heslo v slovníku", + "document": "Dokument", + "email": "E-mail", + "encyclopediaArticle": "Článok v encyklopédii", + "film": "Film", + "forumPost": "Príspevok do fóra", + "hearing": "Výsluch (konanie)", + "instantMessage": "Chatová správa", + "interview": "Osobná komunikácia", + "journalArticle": "Článok v odbornom časopise", + "letter": "List", + "magazineArticle": "Článok v populárnom časopise", + "manuscript": "Rukopis", + "map": "Mapa", + "newspaperArticle": "Článok v novinách", + "note": "Poznámka", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Prezentácia", + "radioBroadcast": "Rádio", + "report": "Správa", + "standard": "Štandard", + "statute": "Nariadenie", + "thesis": "Záverečná práca", + "tvBroadcast": "Televízne vysielanie", + "videoRecording": "Videonahrávka", + "webpage": "Webová stránka" + }, + "fields": { + "abstractNote": "Abstrakt", + "accessDate": "Citované", + "applicationNumber": "Číslo prihlášky", + "archive": "Archív", + "archiveID": "Archive ID", + "archiveLocation": "Lokácia", + "artworkMedium": "Médium", + "artworkSize": "Rozmery diela", + "assignee": "Prihlasovateľ", + "audioFileType": "Typ súboru", + "audioRecordingFormat": "Formát", + "authority": "Authority", + "billNumber": "Číslo", + "blogTitle": "Názov blogu", + "bookTitle": "Názov knihy", + "callNumber": "Signatúra", + "caseName": "Názov prípadu", + "citationKey": "Citation Key", + "code": "Zákonník", + "codeNumber": "Kódové číslo", + "codePages": "Strany", + "codeVolume": "Ročník", + "committee": "Výbor/porota", + "company": "Spoločnosť", + "conferenceName": "Názov konferencie", + "country": "Štát", + "court": "Súd", + "date": "Dátum", + "dateAdded": "Pridané", + "dateDecided": "Dátum rozhodnutia", + "dateEnacted": "D. vstúp. do platnosti", + "dateModified": "Zmenené", + "dictionaryTitle": "Názov slovníka", + "distributor": "Distribútor", + "docketNumber": "Číslo konania", + "documentNumber": "Číslo dokumentu", + "DOI": "DOI", + "edition": "Vydanie", + "encyclopediaTitle": "Názov encyklopédie", + "episodeNumber": "Číslo epizódy", + "extra": "Extra", + "filingDate": "Dátum zápisu", + "firstPage": "Prvá strana", + "format": "Formát", + "forumTitle": "Názov fóra/disk. sk.", + "genre": "Žáner", + "history": "História", + "identifier": "Identifier", + "institution": "Inštitúcia", + "interviewMedium": "Médium", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Číslo", + "issueDate": "Dátum vydania", + "issuingAuthority": "Vydávajúci úrad", + "itemType": "Typ záznamu", + "journalAbbreviation": "Skratka časopisu", + "label": "Vydavateľstvo", + "language": "Jazyk", + "legalStatus": "Právny status", + "legislativeBody": "Legislatívny orgán", + "letterType": "Druh listu", + "libraryCatalog": "Knižničný katalóg", + "manuscriptType": "Druh rukopisu", + "mapType": "Druh mapy", + "medium": "Nosič", + "meetingName": "Názov stretnutia", + "nameOfAct": "Názov zákona", + "network": "Sieť", + "number": "Číslo", + "numberOfVolumes": "Počet zväzkov", + "numPages": "Počet strán", + "organization": "Organization", + "pages": "Strany", + "patentNumber": "Číslo patentu", + "place": "Miesto", + "postType": "Druh príspevku", + "presentationType": "Typ prezentácie", + "priorityNumbers": "Čísla priority", + "proceedingsTitle": "Názov zborníka", + "programmingLanguage": "Program. jazyk", + "programTitle": "Názov programu", + "publicationTitle": "Názov publikácie", + "publicLawNumber": "Číslo zákona", + "publisher": "Vydavateľ", + "references": "Odkazy", + "reporter": "Zbierka súd. rozhodnutí", + "reporterVolume": "Ročník", + "reportNumber": "Číslo správy", + "reportType": "Druh správy", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Práva", + "runningTime": "Dĺžka", + "scale": "Mierka", + "section": "Sekcia", + "series": "Edícia", + "seriesNumber": "Číslo edície", + "seriesText": "Text edície", + "seriesTitle": "Názov edície", + "session": "Zasadnutie", + "shortTitle": "Krátky názov", + "status": "Status", + "studio": "Štúdio", + "subject": "Predmet", + "system": "Operačný systém", + "thesisType": "Druh záv. práce", + "title": "Názov", + "type": "Druh rukopisu", + "university": "Univerzita", + "url": "URL", + "versionNumber": "Verzia", + "videoRecordingFormat": "Formát", + "volume": "Zväzok", + "websiteTitle": "Názov stránky", + "websiteType": "Druh sídla" + }, + "creatorTypes": { + "artist": "Umelec", + "attorneyAgent": "Advokát/Zástupca", + "author": "Autor", + "bookAuthor": "Autor knihy", + "cartographer": "Kartograf", + "castMember": "Účinkujúci", + "commenter": "Komentátor", + "composer": "Skladateľ", + "contributor": "Prispievateľ", + "cosponsor": "Spolusponzor", + "counsel": "Právny zástupca", + "director": "Režisér", + "editor": "Zostavovateľ", + "guest": "Hosť", + "interviewee": "Rozhovor s", + "interviewer": "Spytujúci sa", + "inventor": "Vynálezca", + "performer": "Interpret", + "podcaster": "Autor podcastu", + "presenter": "Prezentujúci", + "producer": "Producent", + "programmer": "Programátor", + "recipient": "Príjemca", + "reviewedAuthor": "Recenzent", + "scriptwriter": "Scenárista", + "seriesEditor": "Zostavovateľ edície", + "sponsor": "Navrhovateľ", + "translator": "Prekladateľ", + "wordsBy": "Autor textu" + } + }, + "sl-SI": { + "itemTypes": { + "annotation": "Zaznamek", + "artwork": "Umetniško delo", + "attachment": "Priponka", + "audioRecording": "Zvočni posnetek", + "bill": "Gledališki list", + "blogPost": "Objava na blogu", + "book": "Knjiga", + "bookSection": "Odsek knjige", + "case": "Primer", + "computerProgram": "Programje", + "conferencePaper": "Konferenčni članek", + "dataset": "Nabor podatkov", + "dictionaryEntry": "Slovarski vnos", + "document": "Dokument", + "email": "E-pismo", + "encyclopediaArticle": "Enciklopedični članek", + "film": "Film", + "forumPost": "Objava na forumu", + "hearing": "Zaslišanje", + "instantMessage": "Neposredno sporočilo", + "interview": "Intervju", + "journalArticle": "Strokovni članek", + "letter": "Pismo", + "magazineArticle": "Revijalni članek", + "manuscript": "Rokopis", + "map": "Zemljevid", + "newspaperArticle": "Časopisni članek", + "note": "Opomba", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Predobjava", + "presentation": "Predstavitev", + "radioBroadcast": "Radijska oddaja", + "report": "Poročilo", + "standard": "Standardno", + "statute": "Statut", + "thesis": "Teza", + "tvBroadcast": "TV oddaja", + "videoRecording": "Videoposnetek", + "webpage": "Spletna stran" + }, + "fields": { + "abstractNote": "Povzetek", + "accessDate": "Dostopano", + "applicationNumber": "Številka vloge", + "archive": "Arhiv", + "archiveID": "ID arhiva", + "archiveLocation": "Mesto v arhivu", + "artworkMedium": "Medij", + "artworkSize": "Velikost umetniškega dela", + "assignee": "Dodeljeni", + "audioFileType": "Vrsta datoteke", + "audioRecordingFormat": "Zapis", + "authority": "Avtoriteta", + "billNumber": "Številka računa", + "blogTitle": "Naslov bloga", + "bookTitle": "Naslov knjige", + "callNumber": "Številka klica", + "caseName": "Ime primera", + "citationKey": "Ključ citata", + "code": "Koda", + "codeNumber": "Številka kode", + "codePages": "Strani kode", + "codeVolume": "Zbirka kode", + "committee": "Odbor", + "company": "Družba", + "conferenceName": "Ime konference", + "country": "Država", + "court": "Sodišče", + "date": "Datum", + "dateAdded": "Dodano dne", + "dateDecided": "Datum odločbe", + "dateEnacted": "Datum uveljavitve", + "dateModified": "Spremenjeno", + "dictionaryTitle": "Naslov slovarja", + "distributor": "Distributer", + "docketNumber": "Seznamska številka", + "documentNumber": "Številka dokumenta", + "DOI": "DOI", + "edition": "Edicija", + "encyclopediaTitle": "Naslov enciklopedije", + "episodeNumber": "Številka epizode", + "extra": "Dodatno", + "filingDate": "Datum vknjižbe", + "firstPage": "Naslovnica", + "format": "Oblika", + "forumTitle": "Naslov foruma", + "genre": "Žanr", + "history": "Zgodovina", + "identifier": "Identifikator", + "institution": "Ustanova", + "interviewMedium": "Medij", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Številka", + "issueDate": "Datum objave", + "issuingAuthority": "Izdajatelj", + "itemType": "Vrsta vnosa", + "journalAbbreviation": "Okraj. revije", + "label": "Vrsta", + "language": "Jezik", + "legalStatus": "Pravni status", + "legislativeBody": "Zakonodajno telo", + "letterType": "Vrsta", + "libraryCatalog": "Knjižnični katalog", + "manuscriptType": "Vrsta", + "mapType": "Vrsta", + "medium": "Medij", + "meetingName": "Ime srečanja", + "nameOfAct": "Ime akta", + "network": "TV postaja", + "number": "Številka", + "numberOfVolumes": "Št. letnikov", + "numPages": "Št. strani", + "organization": "Organizacija", + "pages": "Strani", + "patentNumber": "Številka patenta", + "place": "Kraj", + "postType": "Vrsta objave", + "presentationType": "Vrsta", + "priorityNumbers": "Številke prioritete", + "proceedingsTitle": "Naslov zapisnika razprave", + "programmingLanguage": "Programski jezik", + "programTitle": "Naslov programa", + "publicationTitle": "Publikacija", + "publicLawNumber": "Javna pravna številka", + "publisher": "Izdajatelj", + "references": "Sklici", + "reporter": "Poročevalec", + "reporterVolume": "Zbirka poročil", + "reportNumber": "Številka poročila", + "reportType": "Vrsta poročila", + "repository": "Skladišče", + "repositoryLocation": "Mesto hrambe", + "rights": "Pravice", + "runningTime": "Dolžina", + "scale": "Merilo", + "section": "Odsek", + "series": "Zbirka", + "seriesNumber": "Številka zbirke", + "seriesText": "Besedilo zbirke", + "seriesTitle": "Naslov zbirke", + "session": "Zasedanje", + "shortTitle": "Kratki naslov", + "status": "Stanje", + "studio": "Studio", + "subject": "Zadeva", + "system": "Sistem", + "thesisType": "Vrsta", + "title": "Naslov", + "type": "Vrsta", + "university": "Univerza", + "url": "URL", + "versionNumber": "Različica", + "videoRecordingFormat": "Zapis", + "volume": "Letnik", + "websiteTitle": "Naslov spletne strani", + "websiteType": "Vrsta spletnega mesta" + }, + "creatorTypes": { + "artist": "Umetnik", + "attorneyAgent": "Odvetnik/agent", + "author": "Avtor", + "bookAuthor": "Avtor knjige", + "cartographer": "Kartograf", + "castMember": "Nastopajoči", + "commenter": "Komentator", + "composer": "Skladatelj", + "contributor": "Avtor prispevka", + "cosponsor": "Sosponzor", + "counsel": "Odvetnik", + "director": "Režiser", + "editor": "Urednik", + "guest": "Gost", + "interviewee": "Intervju z", + "interviewer": "Intervju opravil", + "inventor": "Izumitelj", + "performer": "Izvajalec", + "podcaster": "Avtor podcasta", + "presenter": "Predstavitelj", + "producer": "Producent", + "programmer": "Programer", + "recipient": "Prejemnik", + "reviewedAuthor": "Ocenjeni avtor", + "scriptwriter": "Scenarist", + "seriesEditor": "Urednik zbirke", + "sponsor": "Sponzor", + "translator": "Prevajalec", + "wordsBy": "Pisec besedila" + } + }, + "sr-RS": { + "itemTypes": { + "annotation": "Забелешка", + "artwork": "Уметничко дело", + "attachment": "Прилог", + "audioRecording": "Звучни снимак", + "bill": "Рачун", + "blogPost": "Блог порука", + "book": "Књига", + "bookSection": "Поглавље у књизи", + "case": "Случај", + "computerProgram": "Software", + "conferencePaper": "Папир са конференције", + "dataset": "Dataset", + "dictionaryEntry": "Унос из речника", + "document": "Документ", + "email": "Е-пошта", + "encyclopediaArticle": "Чланак из енциклопедије", + "film": "Филм", + "forumPost": "Порука на форуму", + "hearing": "Саслушање", + "instantMessage": "Брза порука", + "interview": "Интервју", + "journalArticle": "Чланак у часопису", + "letter": "Писмо", + "magazineArticle": "Чланак у магазину", + "manuscript": "Рукопис", + "map": "Мапа", + "newspaperArticle": "Чланак из новина", + "note": "Белешка", + "patent": "Патент", + "podcast": "Подкаст", + "preprint": "Preprint", + "presentation": "Презентација", + "radioBroadcast": "Радио пренос", + "report": "Извештај", + "standard": "Уобичајени", + "statute": "Уредба", + "thesis": "Теза", + "tvBroadcast": "ТВ пренос", + "videoRecording": "Видео снимак", + "webpage": "Веб страница" + }, + "fields": { + "abstractNote": "Сажетак", + "accessDate": "Приступљено", + "applicationNumber": "Број апликације", + "archive": "Архива", + "archiveID": "Archive ID", + "archiveLocation": "Место у архиви", + "artworkMedium": "Медијум", + "artworkSize": "Величина уметничког дела", + "assignee": "Пуномоћник", + "audioFileType": "Врста датотеке", + "audioRecordingFormat": "Формат", + "authority": "Authority", + "billNumber": "Број рачуна", + "blogTitle": "Наслов блога", + "bookTitle": "Наслов књиге", + "callNumber": "Сигнатура", + "caseName": "Број случаја", + "citationKey": "Citation Key", + "code": "Код", + "codeNumber": "Број кода", + "codePages": "Код страница", + "codeVolume": "Код тома", + "committee": "Комисија", + "company": "Предузеће", + "conferenceName": "Име конференције", + "country": "Држава", + "court": "Суд", + "date": "Датум", + "dateAdded": "Датум додавања", + "dateDecided": "Датум одлуке", + "dateEnacted": "Датум озакоњена", + "dateModified": "Датум измене", + "dictionaryTitle": "Наслов речника", + "distributor": "Дистрибутер", + "docketNumber": "Docket Number", + "documentNumber": "Број документа", + "DOI": "ДОИ", + "edition": "Едиција", + "encyclopediaTitle": "Наслов енциклопедије", + "episodeNumber": "Број епизоде", + "extra": "Додатни подаци", + "filingDate": "Filing Date", + "firstPage": "Прва страница", + "format": "Формат", + "forumTitle": "Наслов форума или listserv-а", + "genre": "Жанр", + "history": "Историја", + "identifier": "Identifier", + "institution": "Институција", + "interviewMedium": "Медијум", + "ISBN": "ИСБН", + "ISSN": "ИССН", + "issue": "Брoj издања", + "issueDate": "Датум издања", + "issuingAuthority": "Issuing Authority", + "itemType": "Врста ставке", + "journalAbbreviation": "Скраћеница часописа", + "label": "Ознака", + "language": "Језик", + "legalStatus": "Правни статус", + "legislativeBody": "Законодавно тело", + "letterType": "Врста", + "libraryCatalog": "Каталог библиотеке", + "manuscriptType": "Врста", + "mapType": "Врста", + "medium": "Медијум", + "meetingName": "Име састанка", + "nameOfAct": "Име указа", + "network": "Мрежа", + "number": "Број", + "numberOfVolumes": "Бр. томова", + "numPages": "Брoj страница", + "organization": "Organization", + "pages": "Странице", + "patentNumber": "Број патента", + "place": "Место", + "postType": "Врста поруке", + "presentationType": "Врста", + "priorityNumbers": "Бројеви приоритета", + "proceedingsTitle": "Наслов зборника", + "programmingLanguage": "Prog. Language", + "programTitle": "Назив програма", + "publicationTitle": "Издање", + "publicLawNumber": "Број јавног закона", + "publisher": "Издавач", + "references": "Референце", + "reporter": "Известилац", + "reporterVolume": "Том известиоца", + "reportNumber": "Број извештаја", + "reportType": "Врста извештаја", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Права", + "runningTime": "Дужина трајања", + "scale": "Опсег", + "section": "Секција", + "series": "Серије", + "seriesNumber": "Број серије", + "seriesText": "Текст серије", + "seriesTitle": "Наслов серије", + "session": "Сесија", + "shortTitle": "Скраћени наслов", + "status": "Status", + "studio": "Студио", + "subject": "Субјекат", + "system": "Систем", + "thesisType": "Врста", + "title": "Наслов", + "type": "Врста", + "university": "Универзитет", + "url": "УРЛ", + "versionNumber": "Верзија", + "videoRecordingFormat": "Формат", + "volume": "Том", + "websiteTitle": "Наслов веб странице", + "websiteType": "Врста веб места" + }, + "creatorTypes": { + "artist": "Уметник", + "attorneyAgent": "Адвокат/Представник", + "author": "Аутор", + "bookAuthor": "Аутор књиге", + "cartographer": "Картограф", + "castMember": "Глумац", + "commenter": "Коментатор", + "composer": "Композитор", + "contributor": "Сарадник", + "cosponsor": "Cosponsor", + "counsel": "Савет", + "director": "Директор", + "editor": "Уредник", + "guest": "Гост", + "interviewee": "Разговор са", + "interviewer": "Водич интервјуа", + "inventor": "Проналазач", + "performer": "Извођач", + "podcaster": "Подкастер", + "presenter": "Презентер", + "producer": "Продуцент", + "programmer": "Програмер", + "recipient": "Прималац", + "reviewedAuthor": "Оцењени аутор", + "scriptwriter": "Сценариста", + "seriesEditor": "Уредник серије", + "sponsor": "Спонзор", + "translator": "Преводилац", + "wordsBy": "Речи написао" + } + }, + "sv-SE": { + "itemTypes": { + "annotation": "Kommentar", + "artwork": "Konstverk", + "attachment": "Bilaga", + "audioRecording": "Ljudinspelning", + "bill": "Lagförarbete", + "blogPost": "Blogginlägg", + "book": "Bok", + "bookSection": "Bokavsnitt", + "case": "Rättsfall", + "computerProgram": "Programvara", + "conferencePaper": "Konferensartikel", + "dataset": "Dataset", + "dictionaryEntry": "Uppslag i ordbok", + "document": "Dokument", + "email": "E-postbrev", + "encyclopediaArticle": "Artikel i uppslagsverk", + "film": "Film", + "forumPost": "Foruminlägg", + "hearing": "Offentlig utfrågning", + "instantMessage": "Chattmeddelande", + "interview": "Intervju", + "journalArticle": "Tidskriftsartikel", + "letter": "Brev", + "magazineArticle": "Magasinsartikel", + "manuscript": "Manuskript", + "map": "Karta", + "newspaperArticle": "Dagstidningsartikel", + "note": "Anteckning", + "patent": "Patent", + "podcast": "Poddsändning", + "preprint": "Preprint", + "presentation": "Presentation", + "radioBroadcast": "Radiosändning", + "report": "Rapport", + "standard": "Standard", + "statute": "Författning", + "thesis": "Uppsats", + "tvBroadcast": "TV-sändning", + "videoRecording": "Videoinspelning", + "webpage": "Webbsida" + }, + "fields": { + "abstractNote": "Sammanfattning", + "accessDate": "Hämtad den", + "applicationNumber": "Anmälningsnummer", + "archive": "Arkiv", + "archiveID": "Archive ID", + "archiveLocation": "Plats i arkiv", + "artworkMedium": "Medium för konstverk", + "artworkSize": "Storlek på konstverk", + "assignee": "Representant", + "audioFileType": "Filtyp", + "audioRecordingFormat": "Format", + "authority": "Authority", + "billNumber": "Förarbetets ref. nr.", + "blogTitle": "Bloggnamn", + "bookTitle": "Boktitel", + "callNumber": "Hyllkod", + "caseName": "Rättsfallsnamn", + "citationKey": "Citation Key", + "code": "Författningssamling", + "codeNumber": "Författningsnummer", + "codePages": "Sidkod", + "codeVolume": "Lagband", + "committee": "Kommitté", + "company": "Företag", + "conferenceName": "Namn på konferens", + "country": "Land", + "court": "Domstol", + "date": "Datum", + "dateAdded": "Tillagd den", + "dateDecided": "Avgörandedatum", + "dateEnacted": "Datum för ikraftträdande", + "dateModified": "Ändrad den", + "dictionaryTitle": "Ordbokstitel", + "distributor": "Distributör", + "docketNumber": "Målnummer", + "documentNumber": "Dokumentnummer", + "DOI": "DOI", + "edition": "Upplaga", + "encyclopediaTitle": "Uppslagsverkstitel", + "episodeNumber": "Avsnittsnummer", + "extra": "Extra", + "filingDate": "Ansökningsdatum", + "firstPage": "Första sida", + "format": "Format", + "forumTitle": "Titel på forum/listserver", + "genre": "Genre", + "history": "Historia", + "identifier": "Identifier", + "institution": "Institution", + "interviewMedium": "Media", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Nummer", + "issueDate": "Utgivningsdatum", + "issuingAuthority": "Utgivare", + "itemType": "Källtyp", + "journalAbbreviation": "Tidskriftsförkortning", + "label": "Stämpel", + "language": "Språk", + "legalStatus": "Rättslig status", + "legislativeBody": "Lagstiftande organ", + "letterType": "Brevtyp", + "libraryCatalog": "Bibliotekskatalog", + "manuscriptType": "Manustyp", + "mapType": "Karttyp", + "medium": "Media", + "meetingName": "Namn på möte", + "nameOfAct": "Författningens namn", + "network": "Nätverk", + "number": "Nummer", + "numberOfVolumes": "# volymer", + "numPages": "# sidor", + "organization": "Organization", + "pages": "Sidor", + "patentNumber": "Patentnummer", + "place": "Ort", + "postType": "Källtyp", + "presentationType": "Presentationstyp", + "priorityNumbers": "Prioritetsnummer", + "proceedingsTitle": "Protokolltitel", + "programmingLanguage": "Prog. språk", + "programTitle": "Programtitel", + "publicationTitle": "Publikation", + "publicLawNumber": "Public Law Number", + "publisher": "Utgivare", + "references": "Källhänvisningar", + "reporter": "Referatsamling", + "reporterVolume": "Referattyp", + "reportNumber": "Rapportnummer", + "reportType": "Rapporttyp", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Rättigheter", + "runningTime": "Inspelningslängd", + "scale": "Skala", + "section": "Avsnitt", + "series": "Bokserie", + "seriesNumber": "Nummer i bokserie", + "seriesText": "Bokseries text", + "seriesTitle": "Titel på bokserie", + "session": "Session", + "shortTitle": "Kort titel", + "status": "Status", + "studio": "Studio", + "subject": "Ämne", + "system": "System", + "thesisType": "Uppsatstyp", + "title": "Titel", + "type": "Typ", + "university": "Lärosäte", + "url": "Webbadress", + "versionNumber": "Version", + "videoRecordingFormat": "Format", + "volume": "Band/Årgång", + "websiteTitle": "Titel på webbplats", + "websiteType": "Webbplatstyp" + }, + "creatorTypes": { + "artist": "Konstnär", + "attorneyAgent": "Ombud/Agent", + "author": "Författare", + "bookAuthor": "Bokförfattare", + "cartographer": "Kartograf", + "castMember": "Skådespelare", + "commenter": "Kommentator", + "composer": "Kompositör", + "contributor": "Medarbetare", + "cosponsor": "Medsponsor", + "counsel": "Handledare", + "director": "Regissör", + "editor": "Redaktör", + "guest": "Gäst", + "interviewee": "Intervju med", + "interviewer": "Intervjuare", + "inventor": "Uppfinnare", + "performer": "Artist", + "podcaster": "Poddsändare", + "presenter": "Presentatör", + "producer": "Producent", + "programmer": "Programmerare", + "recipient": "Mottagare", + "reviewedAuthor": "Recenserad författare", + "scriptwriter": "Manusförfattare", + "seriesEditor": "Redaktör för bokserie", + "sponsor": "Förslagsläggare", + "translator": "Översättare", + "wordsBy": "Text av" + } + }, + "th-TH": { + "itemTypes": { + "annotation": "ความเห็นประกอบ", + "artwork": "งานศิลป์", + "attachment": "แฟ้มแนบ", + "audioRecording": "โสตวัสดุ", + "bill": "เอกสารกฎหมาย", + "blogPost": "บทความบล็อก", + "book": "หนังสือ", + "bookSection": "บทหนึ่งในหนังสือ", + "case": "เหตุการณ์/คดี", + "computerProgram": "Software", + "conferencePaper": "เอกสารประชุมวิชาการ", + "dataset": "Dataset", + "dictionaryEntry": "พจนานุกรม", + "document": "เอกสาร", + "email": "อีเมล", + "encyclopediaArticle": "บทความสารานุกรม", + "film": "ภาพยนตร์", + "forumPost": "ข้อความในฟอรั่ม", + "hearing": "การฟังความคิดเห็น", + "instantMessage": "ข้อความด่วน", + "interview": "บทสัมภาษณ์", + "journalArticle": "บทความวารสาร", + "letter": "จดหมาย", + "magazineArticle": "บทความนิตยสาร", + "manuscript": "เอกสารต้นฉบับ", + "map": "แผนที่", + "newspaperArticle": "บทความหนังสือพิมพ์", + "note": "บันทึก", + "patent": "สิทธิบัตร", + "podcast": "พอดคาสต์", + "preprint": "Preprint", + "presentation": "เอกสารการนำเสนอ", + "radioBroadcast": "รายการวิทยุ", + "report": "รายงาน", + "standard": "Standard", + "statute": "บัญญัติ", + "thesis": "วิทยานิพนธ์", + "tvBroadcast": "รายการโทรทัศน์", + "videoRecording": "วีดิทัศน์", + "webpage": "หน้าเว็บ" + }, + "fields": { + "abstractNote": "บทคัดย่อ", + "accessDate": "สืบค้นเมื่อ", + "applicationNumber": "หมายเลขคำขอ", + "archive": "เอกสารสำคัญ", + "archiveID": "Archive ID", + "archiveLocation": "ที่เก็บเอกสารสำคัญ", + "artworkMedium": "สื่อ", + "artworkSize": "ขนาดอาร์ตเวิร์ก", + "assignee": "ผู้รับโอนสิทธิ์", + "audioFileType": "ประเภทแฟ้ม", + "audioRecordingFormat": "รูปแบบ", + "authority": "Authority", + "billNumber": "หมายเลขเอกสารกฎหมาย", + "blogTitle": "ชื่อบล็อก", + "bookTitle": "ชื่อหนังสือ", + "callNumber": "หมายเลขหิ้งหนังสือ", + "caseName": "หมายเลขคดี", + "citationKey": "Citation Key", + "code": "ประมวลกฎหมาย", + "codeNumber": "หมายเลขประมวลกฎหมาย", + "codePages": "เลขหน้าประมวลกฎหมาย", + "codeVolume": "หมวดประมวลกฎหมาย", + "committee": "คณะกรรมการ", + "company": "บริษัท", + "conferenceName": "ชื่อการประชุม", + "country": "ประเทศ", + "court": "ศาล", + "date": "วันที่", + "dateAdded": "วันที่เพิ่ม", + "dateDecided": "วันที่พิจารณา", + "dateEnacted": "วันที่ออกกฎหมาย", + "dateModified": "แก้ไข", + "dictionaryTitle": "ชื่อพจนานุกรม", + "distributor": "ผู้แจกจ่าย", + "docketNumber": "หมายเลขคำพิพากษา", + "documentNumber": "หมายเลขเอกสาร", + "DOI": "DOI", + "edition": "ครั้งที่พิมพ์", + "encyclopediaTitle": "ชื่อสารานุกรม", + "episodeNumber": "ตอนที่", + "extra": "สิ่งที่เพิ่มเติม", + "filingDate": "วันที่เข้าแฟ้ม", + "firstPage": "หน้าแรก", + "format": "รูปแบบ", + "forumTitle": "ชื่อฟอรั่ม", + "genre": "ประเภท", + "history": "ประวัติ", + "identifier": "Identifier", + "institution": "สถาบัน", + "interviewMedium": "สื่อ", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "ฉบับที่", + "issueDate": "วันที่ออกหนังสือ", + "issuingAuthority": "อำนาจการออกเอกสาร", + "itemType": "ประเภทรายการ", + "journalAbbreviation": "ชื่อย่อวารสาร", + "label": "ป้าย", + "language": "ภาษา", + "legalStatus": "สถานภาพตามกฎหมาย", + "legislativeBody": "สภานิติบัญญัติ", + "letterType": "ประเภท", + "libraryCatalog": "ฐานข้อมูลห้องสมุด", + "manuscriptType": "ประเภท", + "mapType": "ประเภท", + "medium": "สื่อ", + "meetingName": "ชื่อการประชุม", + "nameOfAct": "ชื่อพ.ร.บ.", + "network": "เครือข่าย", + "number": "หมายเลข", + "numberOfVolumes": "จำนวนเล่ม", + "numPages": "จำนวนหน้า", + "organization": "Organization", + "pages": "เลขหน้า", + "patentNumber": "หมายเลขสิทธิบัตร", + "place": "สถานที่พิมพ์", + "postType": "ประเภทข้อความ", + "presentationType": "ประเภท", + "priorityNumbers": "หมายเลขลำดับก่อน", + "proceedingsTitle": "ชื่อเอกสารการประชุม", + "programmingLanguage": "Prog. Language", + "programTitle": "ชื่อโปรแกรม", + "publicationTitle": "สิ่งพิมพ์เผยแพร่", + "publicLawNumber": "หมายเลขกฎหมายมหาชน", + "publisher": "สำนักพิมพ์", + "references": "เอกสารอ้างอิง", + "reporter": "ผู้รายงาน", + "reporterVolume": "รายงานเล่มที่", + "reportNumber": "หมายเลขรายงาน", + "reportType": "ประเภทรายงาน", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "ลิขสิทธิ์", + "runningTime": "ระยะเวลาเล่นต่อเนื่อง", + "scale": "มาตราส่วน", + "section": "ส่วน", + "series": "ชุด", + "seriesNumber": "หมายเลขชุด", + "seriesText": "หัวข้อชุด", + "seriesTitle": "ชื่อชุด", + "session": "สมัยประชุม", + "shortTitle": "ชื่อย่อเรื่อง", + "status": "Status", + "studio": "สตูดิโอ", + "subject": "เรื่อง", + "system": "ระบบ", + "thesisType": "ประเภท", + "title": "ชื่อเรื่อง", + "type": "ประเภท", + "university": "มหาวิทยาลัย", + "url": "URL", + "versionNumber": "รุ่น", + "videoRecordingFormat": "รูปแบบ", + "volume": "ปีที่พิมพ์", + "websiteTitle": "ชื่อเว็บไซต์", + "websiteType": "ประเภทเว็บไซต์" + }, + "creatorTypes": { + "artist": "ศิลปิน", + "attorneyAgent": "ผู้รับมอบอำนาจ/ตัวแทน", + "author": "ผู้แต่ง", + "bookAuthor": "ผู้แต่งหนังสือ", + "cartographer": "ผู้ทำแผนที่", + "castMember": "นักแสดง", + "commenter": "ผู้ออกความเห็น", + "composer": "นักแต่งเพลง", + "contributor": "ผู้ช่วยเหลือ", + "cosponsor": "ผู้อุปถัมภ์ร่วม", + "counsel": "ทนายความ", + "director": "ผู้อำนวยการ", + "editor": "บรรณาธิการ", + "guest": "ผู้รับเชิญ", + "interviewee": "สัมภาษณ์กับ", + "interviewer": "ผู้สัมภาษณ์", + "inventor": "ผู้ประดิษฐ์", + "performer": "นักแสดง", + "podcaster": "ผู้สร้างพอดคาสต์", + "presenter": "ผู้นำเสนอ", + "producer": "ผู้กำกับ", + "programmer": "นักเขียนโปรแกรม", + "recipient": "ผู้รับ", + "reviewedAuthor": "ผู้เขียนบทวิจารณ์", + "scriptwriter": "ผู้เขียนบท", + "seriesEditor": "บรรณาธิการชุดย่อย", + "sponsor": "ผู้อุปถัมภ์", + "translator": "ผู้แปล", + "wordsBy": "สุนทรพจน์โดย" + } + }, + "tr-TR": { + "itemTypes": { + "annotation": "Ek Açıklama", + "artwork": "Sanat eseri", + "attachment": "Ek", + "audioRecording": "Ses Kaydı", + "bill": "Kanun önergesi", + "blogPost": "Günlük Yazısı", + "book": "Kitap", + "bookSection": "Kitap Bölümü", + "case": "Dava", + "computerProgram": "Yazılım", + "conferencePaper": "Konferans Bildirisi", + "dataset": "Veri kümesi", + "dictionaryEntry": "Sözlük Girdisi", + "document": "Doküman", + "email": "E-posta", + "encyclopediaArticle": "Ansiklopedi Makalesi", + "film": "Film", + "forumPost": "Forum İletisi", + "hearing": "Kurul ifadesi", + "instantMessage": "Anlık İleti", + "interview": "Görüşme", + "journalArticle": "Bilimsel Dergi Makalesi", + "letter": "Mektup", + "magazineArticle": "Genel Dergi Makalesi", + "manuscript": "El Yazması", + "map": "Harita", + "newspaperArticle": "Gazete Makalesi", + "note": "Not", + "patent": "Patent", + "podcast": "Podcast", + "preprint": "Ön Baskı", + "presentation": "Sunum", + "radioBroadcast": "Radyo Yayını", + "report": "Rapor", + "standard": "Standart", + "statute": "Kanun", + "thesis": "Tez", + "tvBroadcast": "TV Yayını", + "videoRecording": "Video Kaydı", + "webpage": "Web Sayfası" + }, + "fields": { + "abstractNote": "Özet", + "accessDate": "Son Erişim", + "applicationNumber": "Uygulama Numarası", + "archive": "Arşiv", + "archiveID": "Arşiv Kimlik Numarası", + "archiveLocation": "Arşivdeki Yeri", + "artworkMedium": "Sanat Eseri Ortamı", + "artworkSize": "Sanat Eserinin Boyutu", + "assignee": "Devralan", + "audioFileType": "Dosya Türü", + "audioRecordingFormat": "Biçim", + "authority": "Otorite", + "billNumber": "Kanun Önerge Numarası", + "blogTitle": "Blog Başlığı", + "bookTitle": "Kitap Başlığı", + "callNumber": "Yer Numarası", + "caseName": "Dava Adı", + "citationKey": "Alıntı Anahtarı", + "code": "Kanun", + "codeNumber": "Kanun Numarası", + "codePages": "Kanun Sayfası", + "codeVolume": "Kanun Cildi", + "committee": "Kurul", + "company": "Şirket", + "conferenceName": "Konferans Adı", + "country": "Ülke", + "court": "Mahkeme", + "date": "Tarih", + "dateAdded": "Eklendiği Tarih", + "dateDecided": "Kesin Tarih", + "dateEnacted": "Kabul Tarihi", + "dateModified": "Değiştirme", + "dictionaryTitle": "Sözlük Başlığı", + "distributor": "Dağıtımcı", + "docketNumber": "Dava Numarası", + "documentNumber": "Doküman Numarası", + "DOI": "DOI", + "edition": "Baskı", + "encyclopediaTitle": "Ansiklopedi Başlığı", + "episodeNumber": "Bölüm Numarası", + "extra": "İlave", + "filingDate": "Başvuru Tarihi", + "firstPage": "İlk Sayfa", + "format": "Biçim", + "forumTitle": "Forum/Liste Başlığı", + "genre": "Çeşit", + "history": "Tarihçe", + "identifier": "Tanımlayıcı", + "institution": "Kurum", + "interviewMedium": "Ortam", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Sayı", + "issueDate": "Yayın Tarihi", + "issuingAuthority": "Düzenleyen Makam", + "itemType": "Eser Türü", + "journalAbbreviation": "Dergi Kısaltması", + "label": "Plak şirketi", + "language": "Dil", + "legalStatus": "Hukuki Durum", + "legislativeBody": "Yasama Organı", + "letterType": "Tür", + "libraryCatalog": "Kütüphane Kataloğu", + "manuscriptType": "Tür", + "mapType": "Tür", + "medium": "Ortam", + "meetingName": "Toplantı Adı", + "nameOfAct": "Kanun Adı", + "network": "Ağ", + "number": "Numara", + "numberOfVolumes": "Cilt Sayısı", + "numPages": "Sayfa Sayısı", + "organization": "Kurum", + "pages": "Sayfa", + "patentNumber": "Patent Numarası", + "place": "Yayın Yeri", + "postType": "Post Türü", + "presentationType": "Tür", + "priorityNumbers": "Rüçhan Numarası", + "proceedingsTitle": "Bildiriler Başlığı", + "programmingLanguage": "Prog. Dili", + "programTitle": "Program Başlığı", + "publicationTitle": "Yayın", + "publicLawNumber": "Kamu Hukuku Numarası", + "publisher": "Yayıncı", + "references": "Kaynakça", + "reporter": "Raporlayan Kitap", + "reporterVolume": "Raporlayon Kitabın Cildi", + "reportNumber": "Rapor Numarası", + "reportType": "Rapor Türü", + "repository": "Depo", + "repositoryLocation": "Arşiv/Depo Yeri", + "rights": "Telif", + "runningTime": "Çalma Süresi", + "scale": "Boyutları", + "section": "Bölüm", + "series": "Dizi", + "seriesNumber": "Dizi Numarası", + "seriesText": "Dizi Metni", + "seriesTitle": "Dizi Başlığı", + "session": "Oturum", + "shortTitle": "Kısa Başlık", + "status": "Durum", + "studio": "Stüdyo", + "subject": "Konu", + "system": "Sistem", + "thesisType": "Tür", + "title": "Başlık", + "type": "Tür", + "university": "Üniversite", + "url": "URL", + "versionNumber": "Sürüm", + "videoRecordingFormat": "Biçim", + "volume": "Cilt", + "websiteTitle": "Web sitesi Başlığı", + "websiteType": "Website Türü" + }, + "creatorTypes": { + "artist": "Sanatçı", + "attorneyAgent": "Avukat/Vekil", + "author": "Yazar", + "bookAuthor": "Kitap Yazarı", + "cartographer": "Haritacı", + "castMember": "Oyuncu", + "commenter": "Yorumcu", + "composer": "Besteci", + "contributor": "Katkıda Bulunan", + "cosponsor": "Birlikte Destekleyen", + "counsel": "Avukat", + "director": "Yönetmen", + "editor": "Editör", + "guest": "Konuk", + "interviewee": "Görüşme Yapılan", + "interviewer": "Görüşmeci", + "inventor": "Buluş Sahibi", + "performer": "Yorumcu", + "podcaster": "Podcast yapan", + "presenter": "Sunucu", + "producer": "Yapımcı", + "programmer": "Programcı", + "recipient": "Alıcı", + "reviewedAuthor": "Eleştirilen Yazar", + "scriptwriter": "Senaryo Yazarı", + "seriesEditor": "Dizi Editörü", + "sponsor": "Destekleyen", + "translator": "Çevirmen", + "wordsBy": "Yazan" + } + }, + "uk-UA": { + "itemTypes": { + "annotation": "Анотація", + "artwork": "Витвір мистецтва", + "attachment": "Вкладення", + "audioRecording": "Аудіозапис", + "bill": "Законопроект", + "blogPost": "Запис в блозі", + "book": "Книга", + "bookSection": "Глава книги", + "case": "Справа", + "computerProgram": "Software", + "conferencePaper": "Документ конференції", + "dataset": "Dataset", + "dictionaryEntry": "Стаття зі словника", + "document": "Документ", + "email": "E-mail", + "encyclopediaArticle": "Стаття з екциклопедії", + "film": "Фільм", + "forumPost": "Запис на форумі", + "hearing": "Слухання", + "instantMessage": "Миттєве повідомлення", + "interview": "Інтерв'ю", + "journalArticle": "Стаття з журналу", + "letter": "Лист", + "magazineArticle": "Стаття з періодики", + "manuscript": "Рукопис", + "map": "Карта", + "newspaperArticle": "Стаття з газети", + "note": "Примітка", + "patent": "Патент", + "podcast": "Подкаст", + "preprint": "Preprint", + "presentation": "Презентація", + "radioBroadcast": "Радіо передача", + "report": "Звіт", + "standard": "Стандарт", + "statute": "Статут", + "thesis": "Дисертація", + "tvBroadcast": "Телевізійна передача", + "videoRecording": "Відео запис", + "webpage": "Веб сторінка" + }, + "fields": { + "abstractNote": "Анотація", + "accessDate": "Дата доступу", + "applicationNumber": "Номер заявки", + "archive": "Архів", + "archiveID": "Archive ID", + "archiveLocation": "Місце в архіві", + "artworkMedium": "Художній засіб", + "artworkSize": "Розмір роботи", + "assignee": "Представник", + "audioFileType": "Тип файлу", + "audioRecordingFormat": "Формат", + "authority": "Authority", + "billNumber": "Номер законопр.", + "blogTitle": "Назва блогу", + "bookTitle": "Назва книги", + "callNumber": "Шифр", + "caseName": "Номер справи", + "citationKey": "Citation Key", + "code": "Код", + "codeNumber": "Номер коду", + "codePages": "Код сторінки", + "codeVolume": "Код тому", + "committee": "Комітет", + "company": "Компанія", + "conferenceName": "Назва конфер.", + "country": "Країна", + "court": "Суд", + "date": "Дата", + "dateAdded": "Дата додавання", + "dateDecided": "Дата рішення", + "dateEnacted": "Дата постанови", + "dateModified": "Дата зміни", + "dictionaryTitle": "Назва словника", + "distributor": "Бібл. каталог", + "docketNumber": "Номер виставки", + "documentNumber": "Номер документа", + "DOI": "DOI", + "edition": "Видання", + "encyclopediaTitle": "Назва енцикл.", + "episodeNumber": "Номер епізоду", + "extra": "Додатково", + "filingDate": "Дата заявки", + "firstPage": "Перша стор.", + "format": "Формат", + "forumTitle": "Форум/Listserv", + "genre": "Жанр", + "history": "Історія", + "identifier": "Identifier", + "institution": "Заклад", + "interviewMedium": "Засіб", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Випуск", + "issueDate": "Дата випуску", + "issuingAuthority": "Ким видана", + "itemType": "Тип документа", + "journalAbbreviation": "Журнал скор.", + "label": "Напис", + "language": "Мова", + "legalStatus": "Правовий статус", + "legislativeBody": "Законотвор. орган", + "letterType": "Тип", + "libraryCatalog": "Бібл. каталог", + "manuscriptType": "Тип", + "mapType": "Тип", + "medium": "Засіб", + "meetingName": "Назва зустрічі", + "nameOfAct": "Назва постанови", + "network": "Мережа", + "number": "Номер", + "numberOfVolumes": "Кільк. томів", + "numPages": "Кільк. сторінок", + "organization": "Organization", + "pages": "Сторінки", + "patentNumber": "Номер патенту", + "place": "Місце", + "postType": "Тип повідомлення", + "presentationType": "Тип", + "priorityNumbers": "Номер пріоритету", + "proceedingsTitle": "Назва праць", + "programmingLanguage": "Prog. Language", + "programTitle": "Назва програми", + "publicationTitle": "Публікація", + "publicLawNumber": "Номер закону", + "publisher": "Видавник", + "references": "Посилання", + "reporter": "Репортер", + "reporterVolume": "Том звіту", + "reportNumber": "Номер звіту", + "reportType": "Тип звіту", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Права", + "runningTime": "Тривалість", + "scale": "Масштаб", + "section": "Розділ", + "series": "Серія", + "seriesNumber": "Номер серії", + "seriesText": "Текст серії", + "seriesTitle": "Назва серії", + "session": "Сесія", + "shortTitle": "Скор. назва", + "status": "Status", + "studio": "Студія", + "subject": "Тема", + "system": "Система", + "thesisType": "Тип", + "title": "Назва", + "type": "Тип", + "university": "Університет", + "url": "URL", + "versionNumber": "Версія", + "videoRecordingFormat": "Формат", + "volume": "Том", + "websiteTitle": "Назва веб-сайту\\n", + "websiteType": "Тип веб-сайту" + }, + "creatorTypes": { + "artist": "Художник", + "attorneyAgent": "Адвокат/Агент", + "author": "Автор", + "bookAuthor": "Автор книги", + "cartographer": "Картограф", + "castMember": "Актор", + "commenter": "Коментатор", + "composer": "Композитор", + "contributor": "Співавтор", + "cosponsor": "Спонсор", + "counsel": "Радник", + "director": "Режисер", + "editor": "Редактор", + "guest": "Гість", + "interviewee": "Співбесіда з", + "interviewer": "Інтерв'юер", + "inventor": "Винахідник", + "performer": "Виконавець", + "podcaster": "Підкастер", + "presenter": "Доповідач", + "producer": "Продюсер", + "programmer": "Програміст", + "recipient": "Отримувач", + "reviewedAuthor": "Реценз. автор", + "scriptwriter": "Сценарист", + "seriesEditor": "Редактор серії", + "sponsor": "Спонсор", + "translator": "Перекладач", + "wordsBy": "Автор слів" + } + }, + "vi-VN": { + "itemTypes": { + "annotation": "Ghi chú", + "artwork": "Minh họa", + "attachment": "Phần đính kèm", + "audioRecording": "Ghi âm", + "bill": "Dự thảo luật", + "blogPost": "Bài viết trên Blog", + "book": "Sách", + "bookSection": "Đoạn Sách", + "case": "Vụ việc", + "computerProgram": "Software", + "conferencePaper": "Báo cáo Hội thảo", + "dataset": "Dataset", + "dictionaryEntry": "Mục từ trong Từ điển", + "document": "Tài liệu", + "email": "Thư điện tử", + "encyclopediaArticle": "Bài viết trong Bách khoa toàn thư", + "film": "Phim", + "forumPost": "Bài viết trên Diễn đàn", + "hearing": "Phiên xét xử", + "instantMessage": "Tin nhắn", + "interview": "Phỏng vấn", + "journalArticle": "Bài viết trong Tập san", + "letter": "Thư", + "magazineArticle": "Bài viết trong Tạp chí", + "manuscript": "Bản thảo", + "map": "Bản đồ", + "newspaperArticle": "Bài viết trên Báo", + "note": "Ghi chép", + "patent": "Bằng sáng chế/Giấy phép độc quyền", + "podcast": "Podcast", + "preprint": "Preprint", + "presentation": "Trình bày", + "radioBroadcast": "Tiết mục Truyền thanh", + "report": "Phóng sự/Báo cáo", + "standard": "Chuẩn", + "statute": "Quy chế", + "thesis": "Luận văn", + "tvBroadcast": "Tiết mục Truyền hình", + "videoRecording": "Ghi hình", + "webpage": "Trang Web" + }, + "fields": { + "abstractNote": "Tóm tắt", + "accessDate": "Ngày truy cập", + "applicationNumber": "Số đơn", + "archive": "Lưu", + "archiveID": "Archive ID", + "archiveLocation": "Vị trí trong Lưu trữ", + "artworkMedium": "Chất liệu của tác phẩm", + "artworkSize": "Kích thước tác phẩm", + "assignee": "Bên được ủy quyền", + "audioFileType": "Kiểu Tập tin", + "audioRecordingFormat": "Định dạng", + "authority": "Authority", + "billNumber": "Số Dự thảo", + "blogTitle": "Nhan đề Blog", + "bookTitle": "Nhan đề sách", + "callNumber": "Ký hiệu Xếp giá", + "caseName": "Tên của Vụ việc", + "citationKey": "Citation Key", + "code": "Mã", + "codeNumber": "Code Number", + "codePages": "Trang", + "codeVolume": "Số tập trong Bộ luật", + "committee": "Ủy ban", + "company": "Công ty", + "conferenceName": "Tên Hội thảo", + "country": "Quốc gia", + "court": "Tòa án", + "date": "Ngày", + "dateAdded": "Ngày Tạo lập", + "dateDecided": "Ngày Phán Xử", + "dateEnacted": "Ngày có Hiệu lực", + "dateModified": "Ngày Thay đổi", + "dictionaryTitle": "Tên của Từ Điển", + "distributor": "Nhà phân phối", + "docketNumber": "Docket Number", + "documentNumber": "Số Văn bản", + "DOI": "DOI", + "edition": "Ấn bản", + "encyclopediaTitle": "Tên của Bách Khoa Toàn Thư", + "episodeNumber": "Số Hồi", + "extra": "Phần bổ sung", + "filingDate": "Filing Date", + "firstPage": "Trang đầu", + "format": "Định dạng", + "forumTitle": "Tên của Diễn đàn/Danh sách Thư điện tử", + "genre": "Thể loại", + "history": "Lịch sử", + "identifier": "Identifier", + "institution": "Tổ chức/Cơ quan", + "interviewMedium": "Phương tiện", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "Lần phát hành", + "issueDate": "Ngày cấp", + "issuingAuthority": "Issuing Authority", + "itemType": "Loại tham khảo", + "journalAbbreviation": "Tên rút ngắn của Tập san", + "label": "Nhãn", + "language": "Ngôn ngữ", + "legalStatus": "Tình trạng Pháp lý", + "legislativeBody": "Cơ quan Lập pháp", + "letterType": "Kiểu", + "libraryCatalog": "Loại thư viện", + "manuscriptType": "Kiểu", + "mapType": "Kiểu", + "medium": "Trung bình", + "meetingName": "Tên Cuộc họp", + "nameOfAct": "Tên của Bộ Luật", + "network": "Mạng", + "number": "Số", + "numberOfVolumes": "Số Tập", + "numPages": "# of Pages", + "organization": "Organization", + "pages": "Trang", + "patentNumber": "Số Bắng sáng chế", + "place": "Nơi xuất bản", + "postType": "Kiểu Bài viết", + "presentationType": "Kiểu", + "priorityNumbers": "Số Ưu tiên", + "proceedingsTitle": "Nhan đề của Kỷ yếu Hội nghị", + "programmingLanguage": "Prog. Language", + "programTitle": "Program Title", + "publicationTitle": "Ấn phẩm", + "publicLawNumber": "Số Luật Dân sự", + "publisher": "Nhà xuất bản", + "references": "Tham khảo", + "reporter": "Phóng viên", + "reporterVolume": "Tập Báo cáo Luật", + "reportNumber": "Số Phóng sự/Báo cáo", + "reportType": "Kiểu Phóng sự/Báo cáo", + "repository": "Repository", + "repositoryLocation": "Repo. Location", + "rights": "Quyền hạn", + "runningTime": "Độ dài Thời gian", + "scale": "Tỷ lệ", + "section": "Đoạn", + "series": "Tùng thư", + "seriesNumber": "Số Tùng thư", + "seriesText": "Miêu tả Tùng thư", + "seriesTitle": "Nhan đề của Tùng thư", + "session": "Phiên", + "shortTitle": "Nhan đề thu gọn", + "status": "Status", + "studio": "Xưởng sản xuất", + "subject": "Chủ đề", + "system": "Hệ thống", + "thesisType": "Kiểu", + "title": "Nhan đề", + "type": "Kiểu", + "university": "Trường Đại Học", + "url": "URL", + "versionNumber": "Phiên bản", + "videoRecordingFormat": "Định dạng", + "volume": "Tập", + "websiteTitle": "Tên Website", + "websiteType": "Kiểu Website" + }, + "creatorTypes": { + "artist": "Nghệ sĩ", + "attorneyAgent": "Luật sư/Đại diện pháp lý", + "author": "Tác giả", + "bookAuthor": "Book Author", + "cartographer": "Người vẽ bản đồ", + "castMember": "Thành viên đoàn kịch", + "commenter": "Bình luận viên", + "composer": "Nhà soạn nhạc", + "contributor": "Cộng tác viên", + "cosponsor": "Cosponsor", + "counsel": "Nhà tư vấn", + "director": "Đạo diễn", + "editor": "Biên tập viên", + "guest": "Khách mời", + "interviewee": "Người được phỏng vấn", + "interviewer": "Người phỏng vấn", + "inventor": "Nhà phát minh", + "performer": "Người biểu diễn", + "podcaster": "Podcaster", + "presenter": "Dẫn chương trình", + "producer": "Nhà sản xuất", + "programmer": "Lập trình viên", + "recipient": "Người nhận", + "reviewedAuthor": "Nhà phê bình/Người phản biện", + "scriptwriter": "Tác giả Kịch bản", + "seriesEditor": "Biên tập viên của Tùng thư", + "sponsor": "Tài trợ/Đỡ đầu", + "translator": "Biên dịch viên", + "wordsBy": "Viết lời" + } + }, + "zh-CN": { + "itemTypes": { + "annotation": "注释", + "artwork": "艺术品", + "attachment": "附件", + "audioRecording": "音频", + "bill": "法案", + "blogPost": "博客帖子", + "book": "图书", + "bookSection": "图书章节", + "case": "司法案例", + "computerProgram": "软件", + "conferencePaper": "会议论文", + "dataset": "数据集", + "dictionaryEntry": "词条", + "document": "文档", + "email": "电子邮件", + "encyclopediaArticle": "百科条目", + "film": "电影", + "forumPost": "论坛帖子", + "hearing": "听证会", + "instantMessage": "即时消息", + "interview": "采访稿", + "journalArticle": "期刊文章", + "letter": "信件", + "magazineArticle": "杂志文章", + "manuscript": "手稿", + "map": "地图", + "newspaperArticle": "报纸文章", + "note": "笔记", + "patent": "专利", + "podcast": "播客", + "preprint": "预印本", + "presentation": "演示文档", + "radioBroadcast": "电台广播", + "report": "报告", + "standard": "标准", + "statute": "法律", + "thesis": "学位论文", + "tvBroadcast": "电视广播", + "videoRecording": "视频", + "webpage": "网页" + }, + "fields": { + "abstractNote": "摘要", + "accessDate": "访问时间", + "applicationNumber": "申请号", + "archive": "档案", + "archiveID": "存档ID", + "archiveLocation": "存档位置", + "artworkMedium": "艺术品媒介", + "artworkSize": "艺术品尺寸", + "assignee": "受让人/所有权人", + "audioFileType": "音频文件类型", + "audioRecordingFormat": "音频格式", + "authority": "主管机构", + "billNumber": "法案编号", + "blogTitle": "博客标题", + "bookTitle": "书名", + "callNumber": "索书号", + "caseName": "案例名称", + "citationKey": "引用关键词", + "code": "法典", + "codeNumber": "法典编号", + "codePages": "法典页码", + "codeVolume": "法典卷次", + "committee": "委员会", + "company": "公司", + "conferenceName": "会议名称", + "country": "国家", + "court": "审判法院", + "date": "日期", + "dateAdded": "添加日期", + "dateDecided": "裁判时间", + "dateEnacted": "颁布日期", + "dateModified": "修改日期", + "dictionaryTitle": "词典标题", + "distributor": "分发者", + "docketNumber": "案号", + "documentNumber": "文档编号", + "DOI": "DOI", + "edition": "版本", + "encyclopediaTitle": "百科标题", + "episodeNumber": "集数", + "extra": "其他", + "filingDate": "申请日期", + "firstPage": "起始页", + "format": "格式", + "forumTitle": "论坛/列表服务标题", + "genre": "流派", + "history": "历史", + "identifier": "识别符", + "institution": "机构组织", + "interviewMedium": "采访媒体", + "ISBN": "ISBN", + "ISSN": "ISSN", + "issue": "期号", + "issueDate": "公告日期", + "issuingAuthority": "颁发机构", + "itemType": "条目类型", + "journalAbbreviation": "刊名简称", + "label": "标记", + "language": "语言", + "legalStatus": "法律状态", + "legislativeBody": "立法机构", + "letterType": "信件类型", + "libraryCatalog": "文库编目", + "manuscriptType": "手稿类型", + "mapType": "地图类型", + "medium": "媒体", + "meetingName": "会议名称", + "nameOfAct": "法律名称", + "network": "网络", + "number": "号码", + "numberOfVolumes": "总卷数", + "numPages": "总页数", + "organization": "组织", + "pages": "页码", + "patentNumber": "专利号", + "place": "地点", + "postType": "帖子类型", + "presentationType": "演稿类型", + "priorityNumbers": "优先申请号", + "proceedingsTitle": "会议论文集标题", + "programmingLanguage": "编程语言", + "programTitle": "节目名称", + "publicationTitle": "期刊", + "publicLawNumber": "公法号", + "publisher": "出版社", + "references": "参考文献", + "reporter": "报告系统", + "reporterVolume": "报告系统卷次", + "reportNumber": "报告编号", + "reportType": "报告类型", + "repository": "仓库", + "repositoryLocation": "仓库位置", + "rights": "版权", + "runningTime": "时长", + "scale": "比例", + "section": "条文序号", + "series": "系列", + "seriesNumber": "系列编号", + "seriesText": "系列描述", + "seriesTitle": "系列标题", + "session": "会期", + "shortTitle": "短标题", + "status": "状态", + "studio": "工作室", + "subject": "主题", + "system": "系统", + "thesisType": "论文类型", + "title": "标题", + "type": "类型", + "university": "大学", + "url": "网址", + "versionNumber": "版本", + "videoRecordingFormat": "视频格式", + "volume": "卷次", + "websiteTitle": "网站标题", + "websiteType": "网站类型" + }, + "creatorTypes": { + "artist": "艺术家", + "attorneyAgent": "律师/代理人", + "author": "作者", + "bookAuthor": "图书作者", + "cartographer": "制图人", + "castMember": "演员阵容", + "commenter": "评论人", + "composer": "创作者", + "contributor": "贡献者", + "cosponsor": "共同发起人", + "counsel": "顾问", + "director": "导演", + "editor": "编辑", + "guest": "宾客", + "interviewee": "采访对象", + "interviewer": "采访者", + "inventor": "发明人", + "performer": "表演者", + "podcaster": "播客", + "presenter": "报告人", + "producer": "制片人", + "programmer": "程序员", + "recipient": "接收者", + "reviewedAuthor": "审稿人", + "scriptwriter": "编剧", + "seriesEditor": "丛书编辑", + "sponsor": "发起人", + "translator": "译者", + "wordsBy": "作词" + } + }, + "zh-TW": { + "itemTypes": { + "annotation": "標註", + "artwork": "藝術作品", + "attachment": "附件檔", + "audioRecording": "錄音", + "bill": "法案", + "blogPost": "部落格貼文", + "book": "書", + "bookSection": "書的章節", + "case": "案例", + "computerProgram": "軟體", + "conferencePaper": "會議論文", + "dataset": "資料集", + "dictionaryEntry": "字典條目", + "document": "文件", + "email": "電子郵件", + "encyclopediaArticle": "百科全書文章", + "film": "影片", + "forumPost": "論壇貼文", + "hearing": "聽證會", + "instantMessage": "即時訊息", + "interview": "訪談", + "journalArticle": "期刊文章", + "letter": "信件", + "magazineArticle": "雜誌文章", + "manuscript": "手稿", + "map": "地圖", + "newspaperArticle": "報紙文章", + "note": "筆記", + "patent": "專利", + "podcast": "播客", + "preprint": "預印本", + "presentation": "簡報", + "radioBroadcast": "電台廣播", + "report": "報告", + "standard": "標準", + "statute": "法規", + "thesis": "碩博士論文", + "tvBroadcast": "電視廣播", + "videoRecording": "錄影", + "webpage": "網頁" + }, + "fields": { + "abstractNote": "摘要", + "accessDate": "取用", + "applicationNumber": "申請號碼", + "archive": "檔案空間", + "archiveID": "存檔 ID", + "archiveLocation": "檔案空間中的位置", + "artworkMedium": "媒介", + "artworkSize": "藝術作品大小", + "assignee": "代理人", + "audioFileType": "檔案類型", + "audioRecordingFormat": "格式", + "authority": "授權", + "billNumber": "法案編號", + "blogTitle": "部落格標題", + "bookTitle": "書名", + "callNumber": "索書號", + "caseName": "案件名稱", + "citationKey": "引用關鍵詞", + "code": "法規", + "codeNumber": "法規編號", + "codePages": "法規頁次", + "codeVolume": "法規卷次", + "committee": "委員會", + "company": "公司", + "conferenceName": "會議名稱", + "country": "國家", + "court": "法庭", + "date": "日期", + "dateAdded": "加入日期", + "dateDecided": "決定日期", + "dateEnacted": "頒布日期", + "dateModified": "修改日期", + "dictionaryTitle": "字典名稱", + "distributor": "發行人", + "docketNumber": "表件號碼", + "documentNumber": "文件號碼", + "DOI": "DOI", + "edition": "版本", + "encyclopediaTitle": "百科全書書名", + "episodeNumber": "劇集號碼", + "extra": "額外增列", + "filingDate": "歸檔日期", + "firstPage": "起始頁", + "format": "格式", + "forumTitle": "論壇/郵寄服務標題", + "genre": "流派", + "history": "歷史", + "identifier": "辨識符號", + "institution": "機構", + "interviewMedium": "媒介", + "ISBN": "國際標準書號(ISBN)", + "ISSN": "國際標準期刊號(ISSN)", + "issue": "期號", + "issueDate": "發刊日期", + "issuingAuthority": "發行當局", + "itemType": "項目類型", + "journalAbbreviation": "期刊簡寫", + "label": "商標", + "language": "語言", + "legalStatus": "法律地位", + "legislativeBody": "立法機構", + "letterType": "類型", + "libraryCatalog": "圖書館目錄", + "manuscriptType": "類型", + "mapType": "類型", + "medium": "媒介", + "meetingName": "會議名稱", + "nameOfAct": "法令名稱", + "network": "網路", + "number": "號碼", + "numberOfVolumes": "總卷數", + "numPages": "頁數", + "organization": "組織", + "pages": "頁", + "patentNumber": "專利號", + "place": "所在地", + "postType": "貼文類型", + "presentationType": "類型", + "priorityNumbers": "優先權案號", + "proceedingsTitle": "會議論文集標題", + "programmingLanguage": "程式語言", + "programTitle": "節目標題", + "publicationTitle": "著作", + "publicLawNumber": "公法號碼", + "publisher": "出版者", + "references": "參考文獻", + "reporter": "報告人", + "reporterVolume": "報告人卷次", + "reportNumber": "報告編號", + "reportType": "報告類型", + "repository": "資料存放處", + "repositoryLocation": "倉儲位置", + "rights": "權利", + "runningTime": "播放時間", + "scale": "比例", + "section": "章節", + "series": "系列", + "seriesNumber": "系列號數", + "seriesText": "系列文", + "seriesTitle": "系列標題", + "session": "會議時程", + "shortTitle": "短名", + "status": "狀態", + "studio": "工作室", + "subject": "主題", + "system": "系統", + "thesisType": "類型", + "title": "標題", + "type": "類型", + "university": "大學", + "url": "URL", + "versionNumber": "版本", + "videoRecordingFormat": "格式", + "volume": "卷次", + "websiteTitle": "網站標題", + "websiteType": "網站類型" + }, + "creatorTypes": { + "artist": "藝術家", + "attorneyAgent": "律師/代理人", + "author": "作者", + "bookAuthor": "書籍作者", + "cartographer": "製圖者", + "castMember": "演員陣容", + "commenter": "評論家", + "composer": "作曲者", + "contributor": "貢獻者", + "cosponsor": "共同贊助者", + "counsel": "顧問", + "director": "導演", + "editor": "編輯者", + "guest": "來賓", + "interviewee": "受訪者", + "interviewer": "訪談者", + "inventor": "發明人", + "performer": "表演者", + "podcaster": "Podcast主講者", + "presenter": "簡報者", + "producer": "製作人", + "programmer": "節目設計者", + "recipient": "領受者", + "reviewedAuthor": "所評論的作者", + "scriptwriter": "編劇", + "seriesEditor": "系列編輯者", + "sponsor": "贊助者", + "translator": "翻譯者", + "wordsBy": "敘述者" + } + } + } + } + }, + "lastSuccess": 1709217484913, + "errorCount": 0 + }, + "LIBRARY_SETTINGS": { + "lastRequest": 1709217484907, + "ongoing": [], + "last": { + "type": "RECEIVE_LIBRARY_SETTINGS", + "libraryKey": "u1", + "settingsKey": "tagColors", + "value": [ + { + "name": "cute", + "color": "#A28AE5" + }, + { + "name": "annotated", + "color": "#5FB236" + }, + { + "name": "to read", + "color": "#FF6666" + }, + { + "name": "⭐️", + "color": "#FF8C19" + } + ], + "version": 218, + "response": { + "raw": { + "value": [ + { + "name": "cute", + "color": "#A28AE5" + }, + { + "name": "annotated", + "color": "#5FB236" + }, + { + "name": "to read", + "color": "#FF6666" + }, + { + "name": "⭐️", + "color": "#FF8C19" + } + ], + "version": 218 + }, + "options": { + "apiAuthorityPart": "api.zotero.org", + "cache": "default", + "credentials": "omit", + "format": "json", + "method": "get", + "mode": "cors", + "pretend": false, + "redirect": "follow", + "resource": { + "library": "u1", + "settings": "tagColors" + }, + "retry": 2, + "retryDelay": null, + "uploadRegisterOnly": null, + "executors": [ + null + ], + "zoteroApiKey": "zzzzzzzzzzzzzzzzzzzzzzzz", + "retryCount": 0 + }, + "response": {} + } + }, + "lastSuccess": 1709217485433, + "errorCount": 0 + }, + "FETCH_ITEM_DETAILS": { + "lastRequest": 1709217485441, + "ongoing": [], + "last": { + "type": "RECEIVE_FETCH_ITEM_DETAILS", + "libraryKey": "u1", + "queryOptions": { + "itemKey": "KBFTPTI4", + "signal": {} + }, + "id": 1, + "items": [ + { + "key": "KBFTPTI4", + "version": 226, + "itemType": "bookSection", + "title": "Retriever", + "creators": [ + { + "creatorType": "author", + "firstName": "Faith", + "lastName": "Shearin" + }, + { + "creatorType": "author", + "firstName": "Mark", + "lastName": "Doty" + } + ], + "abstractNote": "", + "bookTitle": "Owl Question", + "series": "Poems", + "seriesNumber": "", + "volume": "", + "numberOfVolumes": "", + "edition": "", + "place": "", + "publisher": "University Press of Colorado", + "date": "2002", + "pages": "17-18", + "language": "", + "ISBN": "978-0-87421-445-1", + "shortTitle": "", + "url": "https://www.jstor.org/stable/j.ctt46nwk9.16", + "accessDate": "2023-01-17T15:43:16Z", + "archive": "", + "archiveLocation": "", + "libraryCatalog": "JSTOR", + "callNumber": "", + "rights": "", + "extra": "DOI: 10.2307/j.ctt46nwk9.16", + "tags": [], + "collections": [ + "9WZDZ7YA" + ], + "relations": {}, + "dateAdded": "2023-01-17T15:43:17Z", + "dateModified": "2023-01-17T15:43:17Z", + "@@meta@@": { + "creatorSummary": "Shearin and Doty", + "parsedDate": "2002", + "numChildren": 1 + }, + "@@links@@": { + "self": { + "href": "https://api.zotero.org/users/1/items/KBFTPTI4", + "type": "application/json" + }, + "alternate": { + "href": "https://www.zotero.org/testuser/items/KBFTPTI4", + "type": "text/html" + }, + "attachment": { + "href": "https://api.zotero.org/users/1/items/N2PJUHD6", + "type": "application/json", + "attachmentType": "application/pdf", + "attachmentSize": 142747 + } + }, + "@@derived@@": { + "attachmentIconName": "pdf", + "colors": [], + "createdByUser": "", + "creator": "Shearin and Doty", + "date": "2002", + "dateAdded": "17/01/2023, 16:43:17", + "dateModified": "17/01/2023, 16:43:17", + "emojis": [], + "extra": "DOI: 10.2307/j.ctt46nwk9.16", + "iconName": "book-section", + "itemType": "Book Section", + "itemTypeRaw": "bookSection", + "key": "KBFTPTI4", + "publicationTitle": "Owl Question", + "publisher": "University Press of Colorado", + "title": "Retriever", + "year": "2002", + "language": "", + "libraryCatalog": "JSTOR", + "callNumber": "", + "rights": "" + } + } + ], + "response": { + "raw": [ + { + "key": "KBFTPTI4", + "version": 226, + "library": { + "type": "user", + "id": 1, + "name": "testuser", + "links": { + "alternate": { + "href": "https://www.zotero.org/testuser", + "type": "text/html" + } + } + }, + "links": { + "self": { + "href": "https://api.zotero.org/users/1/items/KBFTPTI4", + "type": "application/json" + }, + "alternate": { + "href": "https://www.zotero.org/testuser/items/KBFTPTI4", + "type": "text/html" + }, + "attachment": { + "href": "https://api.zotero.org/users/1/items/N2PJUHD6", + "type": "application/json", + "attachmentType": "application/pdf", + "attachmentSize": 142747 + } + }, + "meta": { + "creatorSummary": "Shearin and Doty", + "parsedDate": "2002", + "numChildren": 1 + }, + "data": { + "key": "KBFTPTI4", + "version": 226, + "itemType": "bookSection", + "title": "Retriever", + "creators": [ + { + "creatorType": "author", + "firstName": "Faith", + "lastName": "Shearin" + }, + { + "creatorType": "author", + "firstName": "Mark", + "lastName": "Doty" + } + ], + "abstractNote": "", + "bookTitle": "Owl Question", + "series": "Poems", + "seriesNumber": "", + "volume": "", + "numberOfVolumes": "", + "edition": "", + "place": "", + "publisher": "University Press of Colorado", + "date": "2002", + "pages": "17-18", + "language": "", + "ISBN": "978-0-87421-445-1", + "shortTitle": "", + "url": "https://www.jstor.org/stable/j.ctt46nwk9.16", + "accessDate": "2023-01-17T15:43:16Z", + "archive": "", + "archiveLocation": "", + "libraryCatalog": "JSTOR", + "callNumber": "", + "rights": "", + "extra": "DOI: 10.2307/j.ctt46nwk9.16", + "tags": [], + "collections": [ + "9WZDZ7YA" + ], + "relations": {}, + "dateAdded": "2023-01-17T15:43:17Z", + "dateModified": "2023-01-17T15:43:17Z" + } + } + ], + "options": { + "apiAuthorityPart": "api.zotero.org", + "cache": "default", + "credentials": "omit", + "format": "json", + "method": "get", + "mode": "cors", + "pretend": false, + "redirect": "follow", + "resource": { + "library": "u1", + "items": null + }, + "retry": 2, + "retryDelay": null, + "uploadRegisterOnly": null, + "executors": [ + null + ], + "zoteroApiKey": "zzzzzzzzzzzzzzzzzzzzzzzz", + "itemKey": "KBFTPTI4", + "signal": {}, + "retryCount": 0 + }, + "response": {} + }, + "totalResults": 1 + }, + "lastSuccess": 1709217485847, + "errorCount": 0 + }, + "CHILD_ITEMS": { + "lastRequest": 1709217485442, + "ongoing": [], + "last": { + "type": "RECEIVE_CHILD_ITEMS", + "libraryKey": "u1", + "itemKey": "KBFTPTI4", + "queryOptions": { + "start": 0, + "limit": 100, + "signal": {} + }, + "id": 2, + "items": [ + { + "key": "N2PJUHD6", + "version": 227, + "parentItem": "KBFTPTI4", + "itemType": "attachment", + "linkMode": "imported_url", + "title": "JSTOR Full Text PDF", + "accessDate": "2023-01-17T15:43:22Z", + "url": "https://www.jstor.org/stable/pdfplus/10.2307/j.ctt46nwk9.16.pdf?acceptTC=true", + "note": "", + "contentType": "application/pdf", + "charset": "", + "filename": "Shearin and Doty - 2002 - Retriever.pdf", + "md5": "c486772733d55b777b4ca5fbe5687f65", + "mtime": 1673970202000, + "tags": [], + "relations": {}, + "dateAdded": "2023-01-17T15:43:22Z", + "dateModified": "2023-01-17T15:43:22Z", + "@@meta@@": { + "numChildren": 3 + }, + "@@links@@": { + "self": { + "href": "https://api.zotero.org/users/1/items/N2PJUHD6", + "type": "application/json" + }, + "alternate": { + "href": "https://www.zotero.org/testuser/items/N2PJUHD6", + "type": "text/html" + }, + "up": { + "href": "https://api.zotero.org/users/1/items/KBFTPTI4", + "type": "application/json" + }, + "enclosure": { + "type": "application/pdf", + "href": "https://api.zotero.org/users/1/items/N2PJUHD6/file/view", + "title": "Shearin and Doty - 2002 - Retriever.pdf", + "length": 142747 + } + }, + "@@derived@@": { + "attachmentIconName": "pdf", + "colors": [], + "createdByUser": "", + "creator": "", + "date": "", + "dateAdded": "17/01/2023, 16:43:22", + "dateModified": "17/01/2023, 16:43:22", + "emojis": [], + "iconName": "pdf", + "itemType": "Attachment", + "itemTypeRaw": "attachment", + "key": "N2PJUHD6", + "publicationTitle": null, + "publisher": null, + "title": "JSTOR Full Text PDF", + "year": "" + } + } + ], + "response": { + "raw": [ + { + "key": "N2PJUHD6", + "version": 227, + "library": { + "type": "user", + "id": 1, + "name": "testuser", + "links": { + "alternate": { + "href": "https://www.zotero.org/testuser", + "type": "text/html" + } + } + }, + "links": { + "self": { + "href": "https://api.zotero.org/users/1/items/N2PJUHD6", + "type": "application/json" + }, + "alternate": { + "href": "https://www.zotero.org/testuser/items/N2PJUHD6", + "type": "text/html" + }, + "up": { + "href": "https://api.zotero.org/users/1/items/KBFTPTI4", + "type": "application/json" + }, + "enclosure": { + "type": "application/pdf", + "href": "https://api.zotero.org/users/1/items/N2PJUHD6/file/view", + "title": "Shearin and Doty - 2002 - Retriever.pdf", + "length": 142747 + } + }, + "meta": { + "numChildren": 3 + }, + "data": { + "key": "N2PJUHD6", + "version": 227, + "parentItem": "KBFTPTI4", + "itemType": "attachment", + "linkMode": "imported_url", + "title": "JSTOR Full Text PDF", + "accessDate": "2023-01-17T15:43:22Z", + "url": "https://www.jstor.org/stable/pdfplus/10.2307/j.ctt46nwk9.16.pdf?acceptTC=true", + "note": "", + "contentType": "application/pdf", + "charset": "", + "filename": "Shearin and Doty - 2002 - Retriever.pdf", + "md5": "c486772733d55b777b4ca5fbe5687f65", + "mtime": 1673970202000, + "tags": [], + "relations": {}, + "dateAdded": "2023-01-17T15:43:22Z", + "dateModified": "2023-01-17T15:43:22Z" + } + } + ], + "options": { + "apiAuthorityPart": "api.zotero.org", + "cache": "default", + "credentials": "omit", + "format": "json", + "method": "get", + "mode": "cors", + "pretend": false, + "redirect": "follow", + "resource": { + "library": "u1", + "items": "KBFTPTI4", + "children": null + }, + "retry": 2, + "retryDelay": null, + "uploadRegisterOnly": null, + "executors": [ + null + ], + "zoteroApiKey": "zzzzzzzzzzzzzzzzzzzzzzzz", + "start": 0, + "limit": 100, + "signal": {}, + "retryCount": 0 + }, + "response": {} + }, + "totalResults": 1 + }, + "lastSuccess": 1709217485820, + "errorCount": 0 + } + }, + "router": { + "location": { + "pathname": "/testuser/items/KBFTPTI4/reader", + "search": "", + "hash": "", + "query": {} + }, + "action": "POP" + } +} \ No newline at end of file diff --git a/test/reader.test.jsx b/test/reader.test.jsx index 30d040fb..b502d2e7 100644 --- a/test/reader.test.jsx +++ b/test/reader.test.jsx @@ -11,12 +11,16 @@ import { MainZotero } from '../src/js/component/main'; import { applyAdditionalJestTweaks, waitForPosition } from './utils/common'; import { JSONtoState } from './utils/state'; import stateRaw from './fixtures/state/test-user-reader-view.json'; +import parentStateRaw from './fixtures/state/test-user-reader-parent-item-view.json'; import newItemAnnotationNote from "./fixtures/response/new-item-annotation-note.json"; import testUserCreateAnnotation from "./fixtures/response/test-user-create-annotation.json"; +import testUserReaderChildren from "./fixtures/response/test-user-reader-children.json"; jest.mock('../src/js/common/pdf-worker.js'); const state = JSONtoState(stateRaw); +const parentState = JSONtoState(parentStateRaw); + const noteAnnotation = { "libraryID": "", "id": "Z1Z2Z3Z4", @@ -86,6 +90,66 @@ describe('Reader', () => { expect(iframe.contentWindow.createReader).toHaveBeenCalled(); }); + test('Redirects to the best attachment if URL points at a top-level item, saves annotations against correct item', async () => { + delete window.location; + window.location = new URL('http://localhost/testuser/items/KBFTPTI4/reader') + + let requestedAttachmentChildItems = false; + let requestedTpl = false; + let postedAnnotation = false; + + server.use( + http.get('https://api.zotero.org/users/1/items/N2PJUHD6/children', () => { + requestedAttachmentChildItems = true; + return HttpResponse.json(testUserReaderChildren, { + headers: { 'Total-Results': testUserReaderChildren.length } + }); + }), + http.get('https://api.zotero.org/items/new', ({ request }) => { + const url = new URL(request.url); + expect(url.searchParams.get('itemType')).toBe('annotation'); + expect(url.searchParams.get('annotationType')).toBe('note'); + requestedTpl = true; + return HttpResponse.json(newItemAnnotationNote); + }), + http.post('https://api.zotero.org/users/1/items', async ({ request }) => { + const items = await request.json(); + expect(items[0].key).toBe('Z1Z2Z3Z4'); + expect(request.headers.get('If-Unmodified-Since-Version')).toBe('305'); + expect(items[0].itemType).toBe('annotation'); + expect(items[0].parentItem).toBe('N2PJUHD6'); + postedAnnotation = true; + return HttpResponse.json(testUserCreateAnnotation, { + headers: { 'Last-Modified-Version': 12345 } + }); + }) + ); + + const { history, container } = renderWithProviders(, { preloadedState: parentState }); + + await waitFor(() => expect(container.querySelector('iframe')).toBeInTheDocument(), { timeout: 3000 }); + + // URL has changed and child items for the correct attachment have been requested + expect(requestedAttachmentChildItems).toBe(true); + expect(history.location.pathname).toBe('/testuser/items/KBFTPTI4/attachment/N2PJUHD6/reader'); + + const iframe = container.querySelector('iframe'); + let readerConfig; + const mockReader = { + setAnnotations: jest.fn() + }; + + iframe.contentWindow.createReader = (_rc) => { + readerConfig = _rc; + return mockReader; + } + fireEvent(iframe, new Event('load', { bubbles: false, cancelable: false })); + await act(() => readerConfig.onSaveAnnotations([noteAnnotation])); + await waitForPosition(); + expect(requestedTpl).toBe(true); + expect(postedAnnotation).toBe(true); + }); + test('Update item that server is still creating', async () => { let hasRequestedTpl = false; let postCounter = 0;