From d4c83e27d279ccd579f4c2f4c9a7669522fd7015 Mon Sep 17 00:00:00 2001 From: Joshua Ramon Enslin Date: Mon, 24 Feb 2025 04:33:43 +0100 Subject: [PATCH] Add add config validators --- src/configloader/ListParsers.go | 62 +++++++++++++++++++ src/configloader/ListParsers_test.go | 55 ++++++++++++++++ src/configloader/ValidateInstanceLink.go | 47 ++++++++++++++ src/configloader/ValidateInstanceLink_test.go | 55 ++++++++++++++++ src/configloader/ValidateMail.go | 15 +++++ src/configloader/ValidateMail_test.go | 27 ++++++++ src/configloader/configloader.go | 42 ------------- src/configloader/parser_list.json | 1 + 8 files changed, 262 insertions(+), 42 deletions(-) create mode 100644 src/configloader/ListParsers.go create mode 100644 src/configloader/ListParsers_test.go create mode 100644 src/configloader/ValidateInstanceLink.go create mode 100644 src/configloader/ValidateInstanceLink_test.go create mode 100644 src/configloader/ValidateMail.go create mode 100644 src/configloader/ValidateMail_test.go create mode 100644 src/configloader/parser_list.json diff --git a/src/configloader/ListParsers.go b/src/configloader/ListParsers.go new file mode 100644 index 0000000..9261334 --- /dev/null +++ b/src/configloader/ListParsers.go @@ -0,0 +1,62 @@ +package configloader + +import _ "embed" + +import ( + "encoding/json" + "errors" + "slices" +) + +type ParserListItem struct { + Title string `json:"title"` + Comment string `json:"comment"` + Authors []string `json:"authors"` + Links []string `json:"links"` +} + +// Load parser list from JSON retrieved from musdb's API +// See https://.museum-digital.org/musdb/api/meta/list_import_parsers +// The embed module requires the variable to not be bound to a function. + +//go:embed parser_list.json +var rawParserList []byte + +// Returns a list of the available parsers. +func ListParsers() []ParserListItem { + + parserListFromApi := []ParserListItem{} + // parserListFromApi := new(ApiParserListFormat) + json.Unmarshal(rawParserList, &parserListFromApi) + print(parserListFromApi) + + return parserListFromApi + +} + +// Checks if inputParser is in the list of available parsers. +// Returns the parser name or an error. +func ValidateParser(inputParser string) (string, error) { + + parserList := ListParsers() + parserTitles := []string{} + + for _, p := range(parserList) { + parserTitles = append(parserTitles, p.Title) + } + + if slices.Contains(parserTitles, inputParser) { + return inputParser, nil + } + + // Accepted invalid modes to clean up: + // ParserLido > Lido + // lido > Lido + cleaned := inputParser[6:] + if slices.Contains(parserTitles, cleaned) { + return cleaned, nil + } + + return "", errors.New("Invalid parser selected") + +} diff --git a/src/configloader/ListParsers_test.go b/src/configloader/ListParsers_test.go new file mode 100644 index 0000000..7f0b123 --- /dev/null +++ b/src/configloader/ListParsers_test.go @@ -0,0 +1,55 @@ +package configloader + +import ( + "testing" +) + +// Tests that the list of parsers is not empty. +func TestListParserReturnsNonEmptyResult(t *testing.T) { + + parserList := ListParsers() + if len(parserList) == 0 { + t.Fatalf("The list of returned parsers is empty") + } + +} + +// Ensures that validating a parser will not accept an invalid parser name. +func TestInvalidParserIsNotAccepted(t *testing.T) { + + parser, err := ValidateParser("Liddasfasdo") + if parser != "" { + t.Fatalf("ValidateParser() should return an empty string + error") + } + if err == nil { + t.Fatalf("ValidateParser() did not return an error where it should") + } + +} + +// Ensures that a parser is valid at its expected name. +func TestValidParserIsAccepted(t *testing.T) { + + parser, err := ValidateParser("Lido") + if parser != "Lido" { + t.Fatalf("Test expected validated parser for input 'Lido' to be 'Lido'") + } + if err != nil { + t.Fatalf("ValidateParser() returned an error where it should not") + } + +} + +// Prepending the prefix "Parser" to a parser name should work as well. +// In this case, the prefix should be removed by ValidateParser(). +func TestValidParserIsAcceptedAndCleaned(t *testing.T) { + + parser, err := ValidateParser("ParserLido") + if parser != "Lido" { + t.Fatalf("Test expected validated parser for input 'ParserLido' to be 'Lido'") + } + if err != nil { + t.Fatalf("ValidateParser() returned an error where it should not") + } + +} diff --git a/src/configloader/ValidateInstanceLink.go b/src/configloader/ValidateInstanceLink.go new file mode 100644 index 0000000..c8067ab --- /dev/null +++ b/src/configloader/ValidateInstanceLink.go @@ -0,0 +1,47 @@ +package configloader + +import ( + "errors" + "net/url" + "net/http" + "strings" +) + +// Validates a museum-digital instance URL to upload to. +// The link must be a valid URL. As it can be expected that people will +// enter broken values, the URL should be reduced to its hostname and +// rebuilt from there. +func ValidateInstanceLink(instanceUrl string) (string, error) { + + parsed, err := url.Parse(instanceUrl) + if err != nil { + return "", err + } + + // Check the hostname contains "museum-digital.de" or "museum-digital.org" + if !strings.HasSuffix(parsed.Host, "museum-digital.de") && !strings.HasSuffix(parsed.Host, "museum-digital.org") { + return "", errors.New("This tool only supports uploading to XYZ.museum-digital.de or XYZ.museum-digital.org") + } + + // Check /musdb is available on the md instance + musdbUrl := url.URL{ + Scheme: "https", + Host: parsed.Host, + Path: "/musdb", + } + resp, err := http.Get(musdbUrl.String()) + if err != nil { + return "", err + } + if resp.StatusCode > 399 { + return "", errors.New("The museum-digital subdomain does not contain a musdb path") + } + + // https should be assumed and enforced. + url := url.URL{ + Scheme: "https", + Host: parsed.Host, + } + return url.String(), nil + +} diff --git a/src/configloader/ValidateInstanceLink_test.go b/src/configloader/ValidateInstanceLink_test.go new file mode 100644 index 0000000..3bec0c6 --- /dev/null +++ b/src/configloader/ValidateInstanceLink_test.go @@ -0,0 +1,55 @@ +package configloader + +import ( + "testing" +) + +// Test that ValidateInstanceLink() fails on non-URLs. +func TestValidateInstanceFailsOnNonUrl(t *testing.T) { + + _, err := ValidateInstanceLink("abcmuseum-digital.org") + + if err == nil { + t.Fatalf("ValidateInstanceLink() does not return an error on a non-URL") + } + +} + +// Test that ValidateInstanceLink() fails on links outside of md. +func TestValidateInstanceLinkFailsOutsideOfMd(t *testing.T) { + + _, err := ValidateInstanceLink("test.museum-digital.de") + + if err == nil { + t.Fatalf("ValidateInstanceLink() accepts URLs outside of the main museum-digital") + } + +} + +// Test that ValidateInstanceLink() fails on valid md aggregated instances +// (uploads can only happen to regional instances / those that have a dedicated +// instance of musdb). +func TestValidateInstanceLinkFailsWithAggregatedInstance(t *testing.T) { + + _, err := ValidateInstanceLink("https://nat.museum-digital.de") + + if err == nil { + t.Fatalf("ValidateInstanceLink() accepts URLs of aggregated instance") + } + +} + +// Test that ValidateInstanceLink() works with a valid instance of md. +func TestValidateInstanceWorks(t *testing.T) { + + result, err := ValidateInstanceLink("https://hessen.museum-digital.de") + + if err != nil { + t.Fatalf("ValidateInstanceLink() returns an error where it should work") + } + if result != "https://hessen.museum-digital.de" { + t.Fatalf("Output of ValidateInstanceLink() is not https://hessen.museum-digital.de where it should be") + } + + +} diff --git a/src/configloader/ValidateMail.go b/src/configloader/ValidateMail.go new file mode 100644 index 0000000..f5231ab --- /dev/null +++ b/src/configloader/ValidateMail.go @@ -0,0 +1,15 @@ +package configloader + +import "net/mail" + +// Validates an input mail address. +// Returns the valid mail address or an eQueries therror. +func ValidateMail(email string) (string, error) { + + _, err := mail.ParseAddress(email) + if err != nil { + return "", err + } + return email, nil + +} diff --git a/src/configloader/ValidateMail_test.go b/src/configloader/ValidateMail_test.go new file mode 100644 index 0000000..8fdda65 --- /dev/null +++ b/src/configloader/ValidateMail_test.go @@ -0,0 +1,27 @@ +package configloader + +import ( + "testing" +) + +// Test that ValidateMail() returns the mail address if it is valid. +func TestValidateMailAcceptsValidMailAddress(t *testing.T) { + + _, err := ValidateMail("test@example.com") + + if err != nil { + t.Fatalf("ValidateMail() returns an error on a valid mail address") + } + +} + +// Test that ValidateMail() filters out invalid mail addresses. +func TestValidateMailDoesNotAcceptInvalidMailAddress(t *testing.T) { + + _, err := ValidateMail("test") + + if err == nil { + t.Fatalf("ValidateMail() does not prevent entering an invalid mail address") + } + +} diff --git a/src/configloader/configloader.go b/src/configloader/configloader.go index 9b18e33..af751d3 100644 --- a/src/configloader/configloader.go +++ b/src/configloader/configloader.go @@ -11,11 +11,6 @@ type MDWebDavUploaderConfig struct { PublishOnImport bool `json:"visible"` } -type ParserListItem struct { - name string - -} - // Returns a uniform filepath for the configuration of this tool. // To be compatible across operating systems, this will be a JSON // file in the same directory as the current programm. @@ -23,45 +18,8 @@ func getConfigFilepath() string { } -// Returns a uniform filepath for the cache for the list of -// available parsers. -func getParserCacheFilepath() string { - -} - // Loads configuration from the configuration file (located using // getConfigFilepath()). func LoadFromFile() MDWebDavUploaderConfig { } - -// Stores a parser list to a cache file (located via -// getParserCacheFilepath()). -func StoreParserList(parserList []ParserListItem) { - -} - -// Returns a list of the available parsers. -func ListParsers() []ParserListItem { - -} - - -// Checks if inputParser is in the list of available parsers. -// Returns the parser name or an error. -func ValidateParser(inputParser string) (string, error) { - -} - -// Validates an input mail address. -// Returns the valid mail address or an eQueries therror. -func ValidateMail(mail string) (string, error) { - -} - -// Validates an entered instance URL. -// Returns the entered URL in a unified form (minus optional -// trailing slashes and the /musdb suffix) or an error. -func ValidateInstanceLink(instanceUrl string) (string, error) { - -} diff --git a/src/configloader/parser_list.json b/src/configloader/parser_list.json new file mode 100644 index 0000000..390a4d8 --- /dev/null +++ b/src/configloader/parser_list.json @@ -0,0 +1 @@ +[{"title":"AdlibCsv","comment":"Parser for CSV exports from Adlib.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.\n\nseparator The separator character dividing the columns in the CSV file to be\n\n imported. Defaults to ','.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.axiell.com\/de\/loesungen\/produkt\/adlib\/"]},{"title":"AdlibLiteratureXml","comment":"Parser for XML exports of the literature module of Adlib \/ Axiell Collections.\n\nThis parser imports from the literature module to the literature module.\n\nThe parser has the following settings.\n\nstart_at Setting this option to any number other than\n\n 0 makes the importer skip the first X files.\n\n This can be useful if an import fails somewhere\n\n in the middle of the import process. Using this\n\n setting, you can skip import files that have\n\n already been successfully imported.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.axiell.com\/de\/loesungen\/produkt\/adlib\/"]},{"title":"AdlibLiteratureXmlToObjects","comment":"Parser for XML exports of the literature module of Adlib \/ Axiell Collections.\n\nThis parser imports from the literature module to the object module.\n\nThe parser has the following settings.\n\nstart_at Setting this option to any number other than\n\n 0 makes the importer skip the first X files.\n\n This can be useful if an import fails somewhere\n\n in the middle of the import process. Using this\n\n setting, you can skip import files that have\n\n already been successfully imported.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.axiell.com\/de\/loesungen\/produkt\/adlib\/"]},{"title":"AdlibXml","comment":"Parser for XML exports from Adlib \/ Axiell Collections. Initially optimized and\n\ntested with export data from the Schwules Museum Berlin (https:\/\/www.schwulesmuseum.de\/ \/\n\nhttps:\/\/berlin.museum-digital.de\/institution\/33), the parser has now been extended\n\nto cover exports from a number of museums using different versions of the software.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than\n\n 0 makes the importer skip the first X files.\n\n This can be useful if an import fails somewhere\n\n in the middle of the import process. Using this\n\n setting, you can skip import files that have\n\n already been successfully imported.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.axiell.com\/de\/loesungen\/produkt\/adlib\/"]},{"title":"BeeCollectDtmb","comment":"Parser for XML generated through CSVXML.","authors":["Joshua Ramon Enslin ","Stefan Rohde-Enslin "],"links":["https:\/\/imports.museum-digital.org\/importer\/parsers\/csvxml.php"]},{"title":"BeeCollectIndustriemuseenSachsen","comment":"Parser for exports from BeeCollect formulated for the industrial heritage\n\nmuseums in Saxony.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.solvatec.com\/"]},{"title":"BeeCollectStadtmuseumDresden","comment":"Parser for exports from BeeCollect formulated for the export settings of the\n\nCity Museum of Dresden.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.solvatec.com\/"]},{"title":"CsvMuseenKoeln","comment":"Parser to import images using very simple CSV files with only two columns:\n\n\"inventory_number\" and \"image_name1\".\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.\n\nseparator The separator character dividing the columns in the CSV file to be\n\n imported. Defaults to ';'.\n\nsub_separator Separator for tags, etc.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/csvxml.imports.museum-digital.org\/"]},{"title":"Csvxml","comment":"Parser for XML generated through CSVXML, museum-digital's primary tabular\n\nimport format.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin ","Stefan Rohde-Enslin "],"links":["https:\/\/csvxml.imports.museum-digital.org\/"]},{"title":"CsvxmlCsv","comment":"Parser for the CSV files building the base of the CSVXML import files. If possible,\n\nit is better to import the XML files the validator\n\n(https:\/\/csvxml.imports.museum-digital.org\/) generates. If that is not possible (e.g.\n\nif you are coder trying to build a direct import pipeline on top of csvxml imports),\n\nyou may prefer to use this parser.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.\n\nseparator The separator character dividing the columns in the CSV file to be\n\n imported. Defaults to ';'.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/csvxml.imports.museum-digital.org\/"]},{"title":"CsvxmlImages","comment":"Parser to import images using very simple CSV files with only two columns:\n\n\"inventory_number\" and \"image_name1\".\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.\n\nseparator The separator character dividing the columns in the CSV file to be\n\n imported. Defaults to ';'.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/csvxml.imports.museum-digital.org\/"]},{"title":"CsvxmlJson","comment":"Parser for importing data in a CSVXML-inspired JSON import format.\n\nHas the following settings:\n\nskip_resource_import_for_existing_objects True by default.\n\n By default, images and resources are\n\n only loaded for new objects. For existing\n\n objects, the existing images and resources\n\n are not overwritten. To force a reloading\n\n and overwriting of the images, set this\n\n to false \/ 0.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/csvxml.imports.museum-digital.org\/"]},{"title":"Cumulus","comment":"Parser for exports from Cumulus, expecting that each image represents an object.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.programmfabrik.de"]},{"title":"DocumentsByInvno","comment":"Parser for importing documents to objects based on their inventory numbers.\n\nExpects the inventory number to be present in the file name.\n\nRegardless of possible external enabling of overwrites of certain sections\n\nof the object information, this parser always only imports \/ updates documents\n\nand keeps all other data intact.\n\nThe parser can use the following settings:\n\n'mode' Any of\n\n full_name (1_0001.jpg means inventory number is 1_0001),\n\n identify_counter_by_separator (e.g. 1_00001 meaning inventory number 1\n\n if the separator is an underscore \"_\"),\n\n or length (the default; meaning the inventory number is computed\n\n from the first X characters of the file name.\n\n'number_separator' Separator for identify_counter_by_separator mode. (Default: _)\n\n'inv_no_length' Expected length of inventory numbers for length mode. (Default: 11)\n\n'strip_first_chars' Strips the first X characters from the file name before\n\n computing the inventory number.\n\n'prepend_chars' Appends some characters before the name provided by the file names.\n\n'replace_chars_from' Character to replace in the final inventory number.\n\n'replace_chars_to' Character to replace with in the final inventory number.\n\n'replace_chars_from2' Character to replace in the final inventory number.\n\n'replace_chars_to2' Character to replace with in the final inventory number.\n\n'no_new_objects' Disables the addition of fully new objects.\n\n'sort' Determines whether files are to be sorted regularly (1, 10, 2; regular)\n\n or naturally (a, A, b; natural) or padded (1, 2, 10; padded).\n\n'title' Title \/ name to set for all the listed documents.\n\n'creator' Name of a creator for all the uploaded documents.\n\n'rightsholder' Rightsholder to set for all the listed documents.\n\n'license' License for all the listed documents. Refer to https:\/\/gitea.armuli.eu\/museum-digital\/MDAllowedValueSets\/src\/branch\/master\/src\/MDLicensesSet.php for the naming of the licenses.\n\n'start_at' Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin "],"links":[]},{"title":"Easydb","comment":"Parser for exports from EasyDB, tested with exports from the Staatliche\n\nSchl\u00f6sser und G\u00e4rten Hessen Schloss.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.programmfabrik.de"]},{"title":"FaustFdhJson","comment":"Parser for JSON exports from the Faust setup of the Freies Deutsches Hochstift \/\n\nFrankfurter Goethe-Museum.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.land-software.de\/"]},{"title":"FaustHaendelhaus","comment":"Parser for JSON exports from the Faust setup of the Freies Deutsches Hochstift \/\n\nFrankfurter Goethe-Museum.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.land-software.de\/"]},{"title":"FirstRumosCsv","comment":"Parser for CSV exports from FirstRumos.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.\n\nseparator The separator character dividing the columns in the CSV file to be\n\n imported. Defaults to ','.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.firstrumos.de\/"]},{"title":"FirstRumosXml","comment":"Parser for XML exports from FirstRumos, done using the \"export for museum-digital\" button.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.firstrumos.de\/"]},{"title":"HidaMidas","comment":"Parser for Hida Midas.\n\nstart_at Setting this option to any number\n\n other than 0 makes the importer\n\n skip the first X files. This can be\n\n useful if an import fails somewhere\n\n in the middle of the import process.\n\n Using this setting, you can skip import\n\n files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.joanneum.at\/digital\/produkteloesungen\/imdas-pro-archivis-pro"]},{"title":"IkmkJsonExt","comment":"Parser for importing XML data from the Interaktiver Katalog der M\u00fcnzkabinette.\n\nExpects the \"json_ext\" type exports from the IKMK software.\n\nHas the following settings:\n\nskip_resource_import_for_existing_objects True by default.\n\n By default, images and resources are\n\n only loaded for new objects. For existing\n\n objects, the existing images and resources\n\n are not overwritten. To force a reloading\n\n and overwriting of the images, set this\n\n to false \/ 0.\n\nuse_smb_inventory_numbers By default, the ID from the IKMK software is used\n\n for determining inventory numbers of objects to\n\n import.\n\n An exception is imports from the coin cabinett of\n\n the State Museums of Berlin, where the real\n\n inventory number is made available.\n\nhide_old_objects Will trigger all objects not listed in the import\n\n to be hidden in musdb. This makes sense\n\n for hiding non-published objects\n\n during full reimports. Otherwise, it\n\n does not.\n\nstart_at Setting this option to any number\n\n other than 0 makes the importer\n\n skip the first X files. This can be\n\n useful if an import fails somewhere\n\n in the middle of the import process.\n\n Using this setting, you can skip import\n\n files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/ikmk.net"]},{"title":"ImageByInvno","comment":"Parser for importing images based on their inventory numbers. Expects the\n\ninventory number to be present in the file name.\n\nRegardless of possible external enabling of overwrites of certain sections\n\nof the object information, this parser always only imports images and keeps\n\nall other data intact.\n\nThe parser can use the following settings:\n\n'mode' Any of\n\n full_name (1_0001.jpg means inventory number is 1_0001),\n\n identify_counter_by_separator (e.g. 1_00001 meaning inventory number 1\n\n if the separator is an underscore \"_\"),\n\n or length (the default; meaning the inventory number is computed\n\n from the first X characters of the file name.\n\n'number_separator' Separator for identify_counter_by_separator mode. (Default: _)\n\n'inv_no_length' Expected length of inventory numbers for length mode. (Default: 11)\n\n'strip_first_chars' Strips the first X characters from the file name before\n\n computing the inventory number.\n\n'prepend_chars' Appends some characters before the name provided by the file names.\n\n'replace_chars_from' Character to replace in the final inventory number.\n\n'replace_chars_to' Character to replace with in the final inventory number.\n\n'replace_chars_from2' Character to replace in the final inventory number.\n\n'replace_chars_to2' Character to replace with in the final inventory number.\n\n'nonvisibility_mark' Subsection of a file name that can be used to mark an image\n\n as hidden (e.g. cover images with sensitive information).\n\n'no_new_objects' Disables the addition of fully new objects.\n\n'sort' Determines whether files are to be sorted regularly (1, 10, 2; regular)\n\n or naturally (a, A, b; natural) or padded (1, 2, 10; padded).\n\n'ocr_lang' Enables OCR for the objects. Available for languages:\n\n eng (English), deu (German), frk (German \/ Fraktur).\n\n'start_at' Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin "],"links":[]},{"title":"ImdasLmw","comment":"Parser for exports from Imdas Pro, optimized for exports from the Landesmuseum W\u00fcrttemberg.\n\nDoes not work for importing single objects at a time.\n\nskip_resource_import_for_existing_objects True by default.\n\n By default, images and resources are\n\n only loaded for new objects. For existing\n\n objects, the existing images and resources\n\n are not overwritten. To force a reloading\n\n and overwriting of the images, set this\n\n to false \/ 0.\n\nstart_at Setting this option to any number\n\n other than 0 makes the importer\n\n skip the first X files. This can be\n\n useful if an import fails somewhere\n\n in the middle of the import process.\n\n Using this setting, you can skip import\n\n files that have already been successfully\n\n imported.\n\nimport_images_to_internal If this is enabled, externally linked image assets\n\n will be imported as internal images rather than being\n\n imported as external resources.\n\n Defaults to false.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/www.joanneum.at\/digital\/produkteloesungen\/imdas-pro-archivis-pro"]},{"title":"JohannHilf","comment":"Parser for CSV exports of the MS Access file of a Johann@Hilf installation.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.\n\nseparator The separator character dividing the columns in the CSV file to be\n\n imported. Defaults to ','.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/de.handbook.museum-digital.info\/misc\/CMS\/JohannHilf.html"]},{"title":"Lido","comment":"Parser for the common (museum) data exchange format LIDO. May handle both\n\nLIDO versions 1.0 and 1.1, as well as the EODEM LIDO profile.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than\n\n 0 makes the importer skip the first X files.\n\n This can be useful if an import fails somewhere\n\n in the middle of the import process. Using this\n\n setting, you can skip import files that have\n\n already been successfully imported.\n\nend_at Allows preemptively stopping the import after\n\n importing the nth file.\n\nprefix_inventory_numbers With this setting, inventory numbers can be\n\n prefixed with a given string. This is especially\n\n useful when the present parser is used to import\n\n other museum's data (e.g. EODEM data), as inventory\n\n numbers may overlap between the two museums.\n\nimport_images_as_resources By default, externally referenced images are imported\n\n for local storage at museum-digital. Enabling this\n\n setting will keep them externally hosted and only\n\n embedded when needed.\n\nrecord_info_link_text Text for linking external repositories marked using\n\n the lido:recordInfoLink element.\n\nlinked_loan_id ID of a linked loan. This is specifically meant for\n\n linking objects from an EODEM import to their respective\n\n loan.\n\nunsupervised_mode This setting can be enabled to accept more values, even\n\n where they may be very much unsuited to publication.\n\n This can come in handy if the passing of the parser is most\n\n important and the museum has little control over the LIDO\n\n data. If the importing institution has direct control over\n\n the LIDO data to be imported however, it is better to leave\n\n this setting disabled (default).","authors":["Joshua Ramon Enslin "],"links":["http:\/\/www.lido-schema.org","https:\/\/cidoc.mini.icom.museum\/working-groups\/lido\/lido-overview\/"]},{"title":"Mdxml","comment":"Parser for XML generated through musdb's generic XML exports.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin "],"links":[]},{"title":"Mods","comment":"Parser for MODS 3.7. This parser expects to load one object per file.\n\nAn import using a wrapper around MODS is yet to be implemented.","authors":["Joshua Ramon Enslin "],"links":["https:\/\/en.wikipedia.org\/wiki\/Metadata_Object_Description_Schema"]},{"title":"MuseumPlusClassic","comment":"Parser for CSV exports from MuseumPlus.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.\n\nseparator The separator character dividing the columns in the CSV file to be\n\n imported. Defaults to ','.","authors":["Joshua Ramon Enslin "],"links":[]},{"title":"MuseumPlusClassicXml","comment":"XML version of the parser for exports from museum plus classic as first defined by\n\nthe Museum of the Allied Forces, Berlin.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin "],"links":[]},{"title":"MuseumPlusDump","comment":"Parser for XML generated by dumping MuseumPlus Classic data.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin ","Stefan Rohde-Enslin "],"links":["https:\/\/csvxml.imports.museum-digital.org\/"]},{"title":"MuseumplusMhmDresden","comment":"Importer for XML exports from the museumplus setup of the Military History Museum\n\nDresden. As museumplus is adjusted much for different museums, and so are its export\n\ntools, this parser is likely not applicable to other museums using museumplus.\n\nRequires at least two objects in the XML import file per import.","authors":["Joshua Ramon Enslin "],"links":[]},{"title":"Primus","comment":"Importer for (full) exports from Primus. Skips importing ...Schlagwort.xml and\n\n...Thesaurus.xml files that are exported together with the actual object data\n\nexported. Requires at least two objects to be present in the export file.\n\nHas the following settings:\n\nstart_at Setting this option to any number other than 0 makes the importer\n\n skip the first X files. This can be useful if an import fails\n\n somewhere in the middle of the import process. Using this setting,\n\n you can skip import files that have already been successfully\n\n imported.","authors":["Joshua Ramon Enslin ","Stefan Rohde-Enslin "],"links":["https:\/\/www.landesstelle.de\/service\/inventarisierung\/primus\/"]}]