diff --git a/.build-config.json b/.build-config.json index 32cf968d5..c16ce62b5 100644 --- a/.build-config.json +++ b/.build-config.json @@ -1,6 +1,6 @@ { "qpdf": { - "version": "10.6.3" + "version": "11.1.1" }, "jbig2enc": { "version": "0.29", diff --git a/.editorconfig b/.editorconfig index 8111f01d8..741981f9d 100644 --- a/.editorconfig +++ b/.editorconfig @@ -27,6 +27,9 @@ indent_style = space [*.md] indent_style = space +[Pipfile.lock] +indent_style = space + # Tests don't get a line width restriction. It's still a good idea to follow # the 79 character rule, but in the interests of clarity, tests often need to # violate it. diff --git a/.github/ISSUE_TEMPLATE/bug-report.yml b/.github/ISSUE_TEMPLATE/bug-report.yml index 3568c9621..556cef93d 100644 --- a/.github/ISSUE_TEMPLATE/bug-report.yml +++ b/.github/ISSUE_TEMPLATE/bug-report.yml @@ -63,9 +63,11 @@ body: attributes: label: Installation method options: - - Docker + - Docker - official image + - Docker - linuxserver.io image - Bare metal - Other (please describe above) + description: Note there are significant differences from the official image and linuxserver.io, please check if your issue is specific to the third-party image. validations: required: true - type: input diff --git a/.github/release-drafter.yml b/.github/release-drafter.yml index 16538820d..029eae464 100644 --- a/.github/release-drafter.yml +++ b/.github/release-drafter.yml @@ -1,3 +1,14 @@ +autolabeler: + - label: "bug" + branch: + - '/^fix/' + title: + - "/^fix/i" + - label: "enhancement" + branch: + - '/^feature/' + title: + - "/^feature/i" categories: - title: 'Breaking Changes' labels: @@ -15,9 +26,15 @@ categories: - 'chore' - 'deployment' - 'translation' + - 'ci-cd' - title: 'Dependencies' collapse-after: 3 label: 'dependencies' + - title: 'All App Changes' + labels: + - 'frontend' + - 'backend' + collapse-after: 0 include-labels: - 'enhancement' - 'bug' @@ -25,11 +42,12 @@ include-labels: - 'deployment' - 'translation' - 'dependencies' -replacers: # Changes "Feature: Update checker" to "Update checker" - - search: '/Feature:|Feat:|\[feature\]/gi' - replace: '' + - 'documentation' + - 'frontend' + - 'backend' + - 'ci-cd' category-template: '### $TITLE' -change-template: '- $TITLE [@$AUTHOR](https://github.com/$AUTHOR) ([#$NUMBER]($URL))' +change-template: '- $TITLE @$AUTHOR ([#$NUMBER]($URL))' change-title-escapes: '\<*_&#@' template: | ## paperless-ngx $RESOLVED_VERSION diff --git a/.github/scripts/cleanup-tags.py b/.github/scripts/cleanup-tags.py index 592bd9e9f..b89bd8ae0 100644 --- a/.github/scripts/cleanup-tags.py +++ b/.github/scripts/cleanup-tags.py @@ -1,144 +1,306 @@ +#!/usr/bin/env python3 +import json import logging import os +import shutil +import subprocess from argparse import ArgumentParser +from typing import Dict from typing import Final from typing import List -from urllib.parse import quote +from typing import Optional -import requests from common import get_log_level +from github import ContainerPackage +from github import GithubBranchApi +from github import GithubContainerRegistryApi logger = logging.getLogger("cleanup-tags") -class GithubContainerRegistry: +class DockerManifest2: + """ + Data class wrapping the Docker Image Manifest Version 2. + + See https://docs.docker.com/registry/spec/manifest-v2-2/ + """ + + def __init__(self, data: Dict) -> None: + self._data = data + # This is the sha256: digest string. Corresponds to GitHub API name + # if the package is an untagged package + self.digest = self._data["digest"] + platform_data_os = self._data["platform"]["os"] + platform_arch = self._data["platform"]["architecture"] + platform_variant = self._data["platform"].get( + "variant", + "", + ) + self.platform = f"{platform_data_os}/{platform_arch}{platform_variant}" + + +class RegistryTagsCleaner: + """ + This is the base class for the image registry cleaning. Given a package + name, it will keep all images which are tagged and all untagged images + referred to by a manifest. This results in only images which have been untagged + and cannot be referenced except by their SHA in being removed. None of these + images should be referenced, so it is fine to delete them. + """ + def __init__( - self, - session: requests.Session, - token: str, - owner_or_org: str, - ): - self._session: requests.Session = session - self._token = token - self._owner_or_org = owner_or_org - # https://docs.github.com/en/rest/branches/branches - self._BRANCHES_ENDPOINT = "https://api.github.com/repos/{OWNER}/{REPO}/branches" - if self._owner_or_org == "paperless-ngx": - # https://docs.github.com/en/rest/packages#get-all-package-versions-for-a-package-owned-by-an-organization - self._PACKAGES_VERSIONS_ENDPOINT = "https://api.github.com/orgs/{ORG}/packages/{PACKAGE_TYPE}/{PACKAGE_NAME}/versions" - # https://docs.github.com/en/rest/packages#delete-package-version-for-an-organization - self._PACKAGE_VERSION_DELETE_ENDPOINT = "https://api.github.com/orgs/{ORG}/packages/{PACKAGE_TYPE}/{PACKAGE_NAME}/versions/{PACKAGE_VERSION_ID}" - else: - # https://docs.github.com/en/rest/packages#get-all-package-versions-for-a-package-owned-by-the-authenticated-user - self._PACKAGES_VERSIONS_ENDPOINT = "https://api.github.com/user/packages/{PACKAGE_TYPE}/{PACKAGE_NAME}/versions" - # https://docs.github.com/en/rest/packages#delete-a-package-version-for-the-authenticated-user - self._PACKAGE_VERSION_DELETE_ENDPOINT = "https://api.github.com/user/packages/{PACKAGE_TYPE}/{PACKAGE_NAME}/versions/{PACKAGE_VERSION_ID}" - - def __enter__(self): - self._session.headers.update( - { - "Accept": "application/vnd.github.v3+json", - "Authorization": f"token {self._token}", - }, - ) - return self - - def __exit__(self, exc_type, exc_val, exc_tb): - if "Accept" in self._session.headers: - del self._session.headers["Accept"] - if "Authorization" in self._session.headers: - del self._session.headers["Authorization"] - - def _read_all_pages(self, endpoint): - internal_data = [] - - while True: - resp = self._session.get(endpoint) - if resp.status_code == 200: - internal_data += resp.json() - if "next" in resp.links: - endpoint = resp.links["next"]["url"] - else: - logger.debug("Exiting pagination loop") - break - else: - logger.warning(f"Request to {endpoint} return HTTP {resp.status_code}") - break - - return internal_data - - def get_branches(self, repo: str): - endpoint = self._BRANCHES_ENDPOINT.format(OWNER=self._owner_or_org, REPO=repo) - internal_data = self._read_all_pages(endpoint) - return internal_data - - def filter_branches_by_name_pattern(self, branch_data, pattern: str): - matches = {} - - for branch in branch_data: - if branch["name"].startswith(pattern): - matches[branch["name"]] = branch - - return matches - - def get_package_versions( self, package_name: str, - package_type: str = "container", - ) -> List: - package_name = quote(package_name, safe="") - endpoint = self._PACKAGES_VERSIONS_ENDPOINT.format( - ORG=self._owner_or_org, - PACKAGE_TYPE=package_type, - PACKAGE_NAME=package_name, + repo_owner: str, + repo_name: str, + package_api: GithubContainerRegistryApi, + branch_api: Optional[GithubBranchApi], + ): + self.actually_delete = False + self.package_api = package_api + self.branch_api = branch_api + self.package_name = package_name + self.repo_owner = repo_owner + self.repo_name = repo_name + self.tags_to_delete: List[str] = [] + self.tags_to_keep: List[str] = [] + + # Get the information about all versions of the given package + # These are active, not deleted, the default returned from the API + self.all_package_versions = self.package_api.get_active_package_versions( + self.package_name, ) - internal_data = self._read_all_pages(endpoint) - - return internal_data - - def filter_packages_by_tag_pattern(self, package_data, pattern: str): - matches = {} - - for package in package_data: - if "metadata" in package and "container" in package["metadata"]: - container_metadata = package["metadata"]["container"] - if "tags" in container_metadata: - container_tags = container_metadata["tags"] - for tag in container_tags: - if tag.startswith(pattern): - matches[tag] = package - break - - return matches - - def filter_packages_untagged(self, package_data): - matches = {} - - for package in package_data: - if "metadata" in package and "container" in package["metadata"]: - container_metadata = package["metadata"]["container"] - if "tags" in container_metadata: - container_tags = container_metadata["tags"] - if not len(container_tags): - matches[package["name"]] = package - - return matches - - def delete_package_version(self, package_name, package_data): - package_name = quote(package_name, safe="") - endpoint = self._PACKAGE_VERSION_DELETE_ENDPOINT.format( - ORG=self._owner_or_org, - PACKAGE_TYPE=package_data["metadata"]["package_type"], - PACKAGE_NAME=package_name, - PACKAGE_VERSION_ID=package_data["id"], + # Get a mapping from a tag like "1.7.0" or "feature-xyz" to the ContainerPackage + # tagged with it. It makes certain lookups easy + self.all_pkgs_tags_to_version: Dict[str, ContainerPackage] = {} + for pkg in self.all_package_versions: + for tag in pkg.tags: + self.all_pkgs_tags_to_version[tag] = pkg + logger.info( + f"Located {len(self.all_package_versions)} versions of package {self.package_name}", ) - resp = self._session.delete(endpoint) - if resp.status_code != 204: - logger.warning( - f"Request to delete {endpoint} returned HTTP {resp.status_code}", + + self.decide_what_tags_to_keep() + + def clean(self): + """ + This method will delete image versions, based on the selected tags to delete + """ + for tag_to_delete in self.tags_to_delete: + package_version_info = self.all_pkgs_tags_to_version[tag_to_delete] + + if self.actually_delete: + logger.info( + f"Deleting {tag_to_delete} (id {package_version_info.id})", + ) + self.package_api.delete_package_version( + package_version_info, + ) + + else: + logger.info( + f"Would delete {tag_to_delete} (id {package_version_info.id})", + ) + else: + logger.info("No tags to delete") + + def clean_untagged(self, is_manifest_image: bool): + """ + This method will delete untagged images, that is those which are not named. It + handles if the image tag is actually a manifest, which points to images that look otherwise + untagged. + """ + + def _clean_untagged_manifest(): + """ + + Handles the deletion of untagged images, but where the package is a manifest, ie a multi + arch image, which means some "untagged" images need to exist still. + + Ok, bear with me, these are annoying. + + Our images are multi-arch, so the manifest is more like a pointer to a sha256 digest. + These images are untagged, but pointed to, and so should not be removed (or every pull fails). + + So for each image getting kept, parse the manifest to find the digest(s) it points to. Then + remove those from the list of untagged images. The final result is the untagged, not pointed to + version which should be safe to remove. + + Example: + Tag: ghcr.io/paperless-ngx/paperless-ngx:1.7.1 refers to + amd64: sha256:b9ed4f8753bbf5146547671052d7e91f68cdfc9ef049d06690b2bc866fec2690 + armv7: sha256:81605222df4ba4605a2ba4893276e5d08c511231ead1d5da061410e1bbec05c3 + arm64: sha256:374cd68db40734b844705bfc38faae84cc4182371de4bebd533a9a365d5e8f3b + each of which appears as untagged image, but isn't really. + + So from the list of untagged packages, remove those digests. Once all tags which + are being kept are checked, the remaining untagged packages are actually untagged + with no referrals in a manifest to them. + """ + # Simplify the untagged data, mapping name (which is a digest) to the version + # At the moment, these are the images which APPEAR untagged. + untagged_versions = {} + for x in self.all_package_versions: + if x.untagged: + untagged_versions[x.name] = x + + skips = 0 + + # Parse manifests to locate digests pointed to + for tag in sorted(self.tags_to_keep): + full_name = f"ghcr.io/{self.repo_owner}/{self.package_name}:{tag}" + logger.info(f"Checking manifest for {full_name}") + try: + proc = subprocess.run( + [ + shutil.which("docker"), + "manifest", + "inspect", + full_name, + ], + capture_output=True, + ) + + manifest_list = json.loads(proc.stdout) + for manifest_data in manifest_list["manifests"]: + manifest = DockerManifest2(manifest_data) + + if manifest.digest in untagged_versions: + logger.info( + f"Skipping deletion of {manifest.digest}," + f" referred to by {full_name}" + f" for {manifest.platform}", + ) + del untagged_versions[manifest.digest] + skips += 1 + + except Exception as err: + self.actually_delete = False + logger.exception(err) + return + + logger.info( + f"Skipping deletion of {skips} packages referred to by a manifest", ) + # Delete the untagged and not pointed at packages + logger.info(f"Deleting untagged packages of {self.package_name}") + for to_delete_name in untagged_versions: + to_delete_version = untagged_versions[to_delete_name] + + if self.actually_delete: + logger.info( + f"Deleting id {to_delete_version.id} named {to_delete_version.name}", + ) + self.package_api.delete_package_version( + to_delete_version, + ) + else: + logger.info( + f"Would delete {to_delete_name} (id {to_delete_version.id})", + ) + + def _clean_untagged_non_manifest(): + """ + If the package is not a multi-arch manifest, images without tags are safe to delete. + """ + + for package in self.all_package_versions: + if package.untagged: + if self.actually_delete: + logger.info( + f"Deleting id {package.id} named {package.name}", + ) + self.package_api.delete_package_version( + package, + ) + else: + logger.info( + f"Would delete {package.name} (id {package.id})", + ) + else: + logger.info( + f"Not deleting tag {package.tags[0]} of package {self.package_name}", + ) + + logger.info("Beginning untagged image cleaning") + + if is_manifest_image: + _clean_untagged_manifest() + else: + _clean_untagged_non_manifest() + + def decide_what_tags_to_keep(self): + """ + This method holds the logic to delete what tags to keep and there fore + what tags to delete. + + By default, any image with at least 1 tag will be kept + """ + # By default, keep anything which is tagged + self.tags_to_keep = list(set(self.all_pkgs_tags_to_version.keys())) + + +class MainImageTagsCleaner(RegistryTagsCleaner): + def decide_what_tags_to_keep(self): + """ + Overrides the default logic for deciding what images to keep. Images tagged as "feature-" + will be removed, if the corresponding branch no longer exists. + """ + + # Locate the feature branches + feature_branches = {} + for branch in self.branch_api.get_branches( + owner=self.repo_owner, + repo=self.repo_name, + ): + if branch.name.startswith("feature-"): + logger.debug(f"Found feature branch {branch.name}") + feature_branches[branch.name] = branch + + logger.info(f"Located {len(feature_branches)} feature branches") + + # Filter to packages which are tagged with feature-* + packages_tagged_feature: List[ContainerPackage] = [] + for package in self.all_package_versions: + if package.tag_matches("feature-"): + packages_tagged_feature.append(package) + + # Map tags like "feature-xyz" to a ContainerPackage + feature_pkgs_tags_to_versions: Dict[str, ContainerPackage] = {} + for pkg in packages_tagged_feature: + for tag in pkg.tags: + feature_pkgs_tags_to_versions[tag] = pkg + + logger.info( + f'Located {len(feature_pkgs_tags_to_versions)} versions of package {self.package_name} tagged "feature-"', + ) + + # All the feature tags minus all the feature branches leaves us feature tags + # with no corresponding branch + self.tags_to_delete = list( + set(feature_pkgs_tags_to_versions.keys()) - set(feature_branches.keys()), + ) + + # All the tags minus the set of going to be deleted tags leaves us the + # tags which will be kept around + self.tags_to_keep = list( + set(self.all_pkgs_tags_to_version.keys()) - set(self.tags_to_delete), + ) + logger.info( + f"Located {len(self.tags_to_delete)} versions of package {self.package_name} to delete", + ) + + +class LibraryTagsCleaner(RegistryTagsCleaner): + """ + Exists for the off change that someday, the installer library images + will need their own logic + """ + + pass + def _main(): parser = ArgumentParser( @@ -146,6 +308,7 @@ def _main(): " tags which no longer have an associated feature branch", ) + # Requires an affirmative command to actually do a delete parser.add_argument( "--delete", action="store_true", @@ -153,7 +316,8 @@ def _main(): help="If provided, actually delete the container tags", ) - # TODO There's a lot of untagged images, do those need to stay for anything? + # When a tagged image is updated, the previous version remains, but it no longer tagged + # Add this option to remove them as well parser.add_argument( "--untagged", action="store_true", @@ -161,12 +325,28 @@ def _main(): help="If provided, delete untagged containers as well", ) + # If given, the package is assumed to be a multi-arch manifest. Cache packages are + # not multi-arch, all other types are + parser.add_argument( + "--is-manifest", + action="store_true", + default=False, + help="If provided, the package is assumed to be a multi-arch manifest following schema v2", + ) + + # Allows configuration of log level for debugging parser.add_argument( "--loglevel", default="info", help="Configures the logging level", ) + # Get the name of the package being processed this round + parser.add_argument( + "package", + help="The package to process", + ) + args = parser.parse_args() logging.basicConfig( @@ -175,79 +355,41 @@ def _main(): format="%(asctime)s %(levelname)-8s %(message)s", ) + # Must be provided in the environment repo_owner: Final[str] = os.environ["GITHUB_REPOSITORY_OWNER"] repo: Final[str] = os.environ["GITHUB_REPOSITORY"] - gh_token: Final[str] = os.environ["GITHUB_TOKEN"] + gh_token: Final[str] = os.environ["TOKEN"] - with requests.session() as sess: - with GithubContainerRegistry(sess, gh_token, repo_owner) as gh_api: - all_branches = gh_api.get_branches("paperless-ngx") - logger.info(f"Located {len(all_branches)} branches of {repo_owner}/{repo} ") - - feature_branches = gh_api.filter_branches_by_name_pattern( - all_branches, - "feature-", - ) - logger.info(f"Located {len(feature_branches)} feature branches") - - for package_name in ["paperless-ngx", "paperless-ngx/builder/cache/app"]: - - all_package_versions = gh_api.get_package_versions(package_name) - logger.info( - f"Located {len(all_package_versions)} versions of package {package_name}", + # Find all branches named feature-* + # Note: Only relevant to the main application, but simpler to + # leave in for all packages + with GithubBranchApi(gh_token) as branch_api: + with GithubContainerRegistryApi(gh_token, repo_owner) as container_api: + if args.package in {"paperless-ngx", "paperless-ngx/builder/cache/app"}: + cleaner = MainImageTagsCleaner( + args.package, + repo_owner, + repo, + container_api, + branch_api, + ) + else: + cleaner = LibraryTagsCleaner( + args.package, + repo_owner, + repo, + container_api, + None, ) - packages_tagged_feature = gh_api.filter_packages_by_tag_pattern( - all_package_versions, - "feature-", - ) - logger.info( - f'Located {len(packages_tagged_feature)} versions of package {package_name} tagged "feature-"', - ) + # Set if actually doing a delete vs dry run + cleaner.actually_delete = args.delete - untagged_packages = gh_api.filter_packages_untagged( - all_package_versions, - ) - logger.info( - f"Located {len(untagged_packages)} untagged versions of package {package_name}", - ) + # Clean images with tags + cleaner.clean() - to_delete = list( - set(packages_tagged_feature.keys()) - set(feature_branches.keys()), - ) - logger.info( - f"Located {len(to_delete)} versions of package {package_name} to delete", - ) - - for tag_to_delete in to_delete: - package_version_info = packages_tagged_feature[tag_to_delete] - - if args.delete: - logger.info( - f"Deleting {tag_to_delete} (id {package_version_info['id']})", - ) - gh_api.delete_package_version( - package_name, - package_version_info, - ) - - else: - logger.info( - f"Would delete {tag_to_delete} (id {package_version_info['id']})", - ) - - if args.untagged: - logger.info(f"Deleting untagged packages of {package_name}") - for to_delete_name in untagged_packages: - to_delete_version = untagged_packages[to_delete_name] - logger.info(f"Deleting id {to_delete_version['id']}") - if args.delete: - gh_api.delete_package_version( - package_name, - to_delete_version, - ) - else: - logger.info("Leaving untagged images untouched") + # Clean images which are untagged + cleaner.clean_untagged(args.is_manifest) if __name__ == "__main__": diff --git a/.github/scripts/common.py b/.github/scripts/common.py index f0302e79a..bccd4fbbd 100644 --- a/.github/scripts/common.py +++ b/.github/scripts/common.py @@ -1,6 +1,5 @@ #!/usr/bin/env python3 import logging -from argparse import ArgumentError def get_image_tag( @@ -11,7 +10,7 @@ def get_image_tag( """ Returns a string representing the normal image for a given package """ - return f"ghcr.io/{repo_name}/builder/{pkg_name}:{pkg_version}" + return f"ghcr.io/{repo_name.lower()}/builder/{pkg_name}:{pkg_version}" def get_cache_image_tag( @@ -26,10 +25,15 @@ def get_cache_image_tag( Registry type caching is utilized for the builder images, to allow fast rebuilds, generally almost instant for the same version """ - return f"ghcr.io/{repo_name}/builder/cache/{pkg_name}:{pkg_version}" + return f"ghcr.io/{repo_name.lower()}/builder/cache/{pkg_name}:{pkg_version}" def get_log_level(args) -> int: + """ + Returns a logging level, based + :param args: + :return: + """ levels = { "critical": logging.CRITICAL, "error": logging.ERROR, diff --git a/.github/scripts/github.py b/.github/scripts/github.py new file mode 100644 index 000000000..63f34a1e9 --- /dev/null +++ b/.github/scripts/github.py @@ -0,0 +1,273 @@ +#!/usr/bin/env python3 +""" +This module contains some useful classes for interacting with the Github API. +The full documentation for the API can be found here: https://docs.github.com/en/rest + +Mostly, this focusses on two areas, repo branches and repo packages, as the use case +is cleaning up container images which are no longer referred to. + +""" +import functools +import logging +import re +import urllib.parse +from typing import Dict +from typing import List +from typing import Optional + +import requests + +logger = logging.getLogger("github-api") + + +class _GithubApiBase: + """ + A base class for interacting with the Github API. It + will handle the session and setting authorization headers. + """ + + def __init__(self, token: str) -> None: + self._token = token + self._session: Optional[requests.Session] = None + + def __enter__(self) -> "_GithubApiBase": + """ + Sets up the required headers for auth and response + type from the API + """ + self._session = requests.Session() + self._session.headers.update( + { + "Accept": "application/vnd.github.v3+json", + "Authorization": f"token {self._token}", + }, + ) + return self + + def __exit__(self, exc_type, exc_val, exc_tb): + """ + Ensures the authorization token is cleaned up no matter + the reason for the exit + """ + if "Accept" in self._session.headers: + del self._session.headers["Accept"] + if "Authorization" in self._session.headers: + del self._session.headers["Authorization"] + + # Close the session as well + self._session.close() + self._session = None + + def _read_all_pages(self, endpoint): + """ + Helper function to read all pages of an endpoint, utilizing the + next.url until exhausted. Assumes the endpoint returns a list + """ + internal_data = [] + + while True: + resp = self._session.get(endpoint) + if resp.status_code == 200: + internal_data += resp.json() + if "next" in resp.links: + endpoint = resp.links["next"]["url"] + else: + logger.debug("Exiting pagination loop") + break + else: + logger.warning(f"Request to {endpoint} return HTTP {resp.status_code}") + break + + return internal_data + + +class _EndpointResponse: + """ + For all endpoint JSON responses, store the full + response data, for ease of extending later, if need be. + """ + + def __init__(self, data: Dict) -> None: + self._data = data + + +class GithubBranch(_EndpointResponse): + """ + Simple wrapper for a repository branch, only extracts name information + for now. + """ + + def __init__(self, data: Dict) -> None: + super().__init__(data) + self.name = self._data["name"] + + +class GithubBranchApi(_GithubApiBase): + """ + Wrapper around branch API. + + See https://docs.github.com/en/rest/branches/branches + + """ + + def __init__(self, token: str) -> None: + super().__init__(token) + + self._ENDPOINT = "https://api.github.com/repos/{OWNER}/{REPO}/branches" + + def get_branches(self, owner: str, repo: str) -> List[GithubBranch]: + """ + Returns all current branches of the given repository owned by the given + owner or organization. + """ + endpoint = self._ENDPOINT.format(OWNER=owner, REPO=repo) + internal_data = self._read_all_pages(endpoint) + return [GithubBranch(branch) for branch in internal_data] + + +class ContainerPackage(_EndpointResponse): + """ + Data class wrapping the JSON response from the package related + endpoints + """ + + def __init__(self, data: Dict): + super().__init__(data) + # This is a numerical ID, required for interactions with this + # specific package, including deletion of it or restoration + self.id: int = self._data["id"] + + # A string name. This might be an actual name or it could be a + # digest string like "sha256:" + self.name: str = self._data["name"] + + # URL to the package, including its ID, can be used for deletion + # or restoration without needing to build up a URL ourselves + self.url: str = self._data["url"] + + # The list of tags applied to this image. Maybe an empty list + self.tags: List[str] = self._data["metadata"]["container"]["tags"] + + @functools.cached_property + def untagged(self) -> bool: + """ + Returns True if the image has no tags applied to it, False otherwise + """ + return len(self.tags) == 0 + + @functools.cache + def tag_matches(self, pattern: str) -> bool: + """ + Returns True if the image has at least one tag which matches the given regex, + False otherwise + """ + for tag in self.tags: + if re.match(pattern, tag) is not None: + return True + return False + + def __repr__(self): + return f"Package {self.name}" + + +class GithubContainerRegistryApi(_GithubApiBase): + """ + Class wrapper to deal with the Github packages API. This class only deals with + container type packages, the only type published by paperless-ngx. + """ + + def __init__(self, token: str, owner_or_org: str) -> None: + super().__init__(token) + self._owner_or_org = owner_or_org + if self._owner_or_org == "paperless-ngx": + # https://docs.github.com/en/rest/packages#get-all-package-versions-for-a-package-owned-by-an-organization + self._PACKAGES_VERSIONS_ENDPOINT = "https://api.github.com/orgs/{ORG}/packages/{PACKAGE_TYPE}/{PACKAGE_NAME}/versions" + # https://docs.github.com/en/rest/packages#delete-package-version-for-an-organization + self._PACKAGE_VERSION_DELETE_ENDPOINT = "https://api.github.com/orgs/{ORG}/packages/{PACKAGE_TYPE}/{PACKAGE_NAME}/versions/{PACKAGE_VERSION_ID}" + else: + # https://docs.github.com/en/rest/packages#get-all-package-versions-for-a-package-owned-by-the-authenticated-user + self._PACKAGES_VERSIONS_ENDPOINT = "https://api.github.com/user/packages/{PACKAGE_TYPE}/{PACKAGE_NAME}/versions" + # https://docs.github.com/en/rest/packages#delete-a-package-version-for-the-authenticated-user + self._PACKAGE_VERSION_DELETE_ENDPOINT = "https://api.github.com/user/packages/{PACKAGE_TYPE}/{PACKAGE_NAME}/versions/{PACKAGE_VERSION_ID}" + self._PACKAGE_VERSION_RESTORE_ENDPOINT = ( + f"{self._PACKAGE_VERSION_DELETE_ENDPOINT}/restore" + ) + + def get_active_package_versions( + self, + package_name: str, + ) -> List[ContainerPackage]: + """ + Returns all the versions of a given package (container images) from + the API + """ + + package_type: str = "container" + # Need to quote this for slashes in the name + package_name = urllib.parse.quote(package_name, safe="") + + endpoint = self._PACKAGES_VERSIONS_ENDPOINT.format( + ORG=self._owner_or_org, + PACKAGE_TYPE=package_type, + PACKAGE_NAME=package_name, + ) + + pkgs = [] + + for data in self._read_all_pages(endpoint): + pkgs.append(ContainerPackage(data)) + + return pkgs + + def get_deleted_package_versions( + self, + package_name: str, + ) -> List[ContainerPackage]: + package_type: str = "container" + # Need to quote this for slashes in the name + package_name = urllib.parse.quote(package_name, safe="") + + endpoint = ( + self._PACKAGES_VERSIONS_ENDPOINT.format( + ORG=self._owner_or_org, + PACKAGE_TYPE=package_type, + PACKAGE_NAME=package_name, + ) + + "?state=deleted" + ) + + pkgs = [] + + for data in self._read_all_pages(endpoint): + pkgs.append(ContainerPackage(data)) + + return pkgs + + def delete_package_version(self, package_data: ContainerPackage): + """ + Deletes the given package version from the GHCR + """ + resp = self._session.delete(package_data.url) + if resp.status_code != 204: + logger.warning( + f"Request to delete {package_data.url} returned HTTP {resp.status_code}", + ) + + def restore_package_version( + self, + package_name: str, + package_data: ContainerPackage, + ): + package_type: str = "container" + endpoint = self._PACKAGE_VERSION_RESTORE_ENDPOINT.format( + ORG=self._owner_or_org, + PACKAGE_TYPE=package_type, + PACKAGE_NAME=package_name, + PACKAGE_VERSION_ID=package_data.id, + ) + + resp = self._session.post(endpoint) + if resp.status_code != 204: + logger.warning( + f"Request to delete {endpoint} returned HTTP {resp.status_code}", + ) diff --git a/.github/stale.yml b/.github/stale.yml index ef287a3fd..d785c197d 100644 --- a/.github/stale.yml +++ b/.github/stale.yml @@ -1,15 +1,23 @@ # Number of days of inactivity before an issue becomes stale daysUntilStale: 30 + # Number of days of inactivity before a stale issue is closed daysUntilClose: 7 -onlyLabels: - - unconfirmed + +# Only issues or pull requests with all of these labels are check if stale. Defaults to `[]` (disabled) +onlyLabels: [cant-reproduce] + # Label to use when marking an issue as stale staleLabel: stale + # Comment to post when marking an issue as stale. Set to `false` to disable markComment: > This issue has been automatically marked as stale because it has not had recent activity. It will be closed if no further activity occurs. Thank you for your contributions. + # Comment to post when closing a stale issue. Set to `false` to disable closeComment: false + +# See https://github.com/marketplace/stale for more info on the app +# and https://github.com/probot/stale for the configuration docs diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index 10437aa2b..4aea177a1 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -14,16 +14,38 @@ on: - 'translations**' jobs: + pre-commit: + name: Linting Checks + runs-on: ubuntu-latest + steps: + - + name: Checkout repository + uses: actions/checkout@v3 + + - + name: Install tools + uses: actions/setup-python@v4 + with: + python-version: "3.9" + + - + name: Check files + uses: pre-commit/action@v3.0.0 + documentation: name: "Build Documentation" runs-on: ubuntu-20.04 + needs: + - pre-commit steps: - name: Checkout uses: actions/checkout@v3 - name: Install pipenv - run: pipx install pipenv + run: | + pipx install pipenv==2022.8.5 + pipenv --version - name: Set up Python uses: actions/setup-python@v4 @@ -35,6 +57,10 @@ jobs: name: Install dependencies run: | pipenv sync --dev + - + name: List installed Python dependencies + run: | + pipenv run pip list - name: Make documentation run: | @@ -47,11 +73,108 @@ jobs: name: documentation path: docs/_build/html/ - ci-backend: - uses: ./.github/workflows/reusable-ci-backend.yml + tests-backend: + name: "Tests (${{ matrix.python-version }})" + runs-on: ubuntu-20.04 + needs: + - pre-commit + strategy: + matrix: + python-version: ['3.8', '3.9', '3.10'] + fail-fast: false + services: + tika: + image: ghcr.io/paperless-ngx/tika:latest + ports: + - "9998:9998/tcp" + gotenberg: + image: docker.io/gotenberg/gotenberg:7.6 + ports: + - "3000:3000/tcp" + env: + # Enable Tika end to end testing + TIKA_LIVE: 1 + # Enable paperless_mail testing against real server + PAPERLESS_MAIL_TEST_HOST: ${{ secrets.TEST_MAIL_HOST }} + PAPERLESS_MAIL_TEST_USER: ${{ secrets.TEST_MAIL_USER }} + PAPERLESS_MAIL_TEST_PASSWD: ${{ secrets.TEST_MAIL_PASSWD }} + steps: + - + name: Checkout + uses: actions/checkout@v3 + with: + fetch-depth: 0 + - + name: Install pipenv + run: | + pipx install pipenv==2022.10.4 + pipenv --version + - + name: Set up Python + uses: actions/setup-python@v4 + with: + python-version: "${{ matrix.python-version }}" + cache: "pipenv" + cache-dependency-path: 'Pipfile.lock' + - + name: Install system dependencies + run: | + sudo apt-get update -qq + sudo apt-get install -qq --no-install-recommends unpaper tesseract-ocr imagemagick ghostscript libzbar0 poppler-utils + - + name: Install Python dependencies + run: | + pipenv sync --dev + - + name: List installed Python dependencies + run: | + pipenv run pip list + - + name: Tests + run: | + cd src/ + pipenv run pytest -rfEp + - + name: Get changed files + id: changed-files-specific + uses: tj-actions/changed-files@v32 + with: + files: | + src/** + - + name: List all changed files + run: | + for file in ${{ steps.changed-files-specific.outputs.all_changed_files }}; do + echo "${file} was changed" + done + - + name: Publish coverage results + if: matrix.python-version == '3.9' && steps.changed-files-specific.outputs.any_changed == 'true' + env: + GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} + # https://github.com/coveralls-clients/coveralls-python/issues/251 + run: | + cd src/ + pipenv run coveralls --service=github - ci-frontend: - uses: ./.github/workflows/reusable-ci-frontend.yml + tests-frontend: + name: "Tests Frontend" + runs-on: ubuntu-20.04 + needs: + - pre-commit + strategy: + matrix: + node-version: [16.x] + steps: + - uses: actions/checkout@v3 + - + name: Use Node.js ${{ matrix.node-version }} + uses: actions/setup-node@v3 + with: + node-version: ${{ matrix.node-version }} + - run: cd src-ui && npm ci + - run: cd src-ui && npm run test + - run: cd src-ui && npm run e2e:ci prepare-docker-build: name: Prepare Docker Pipeline Data @@ -65,9 +188,15 @@ jobs: cancel-in-progress: false needs: - documentation - - ci-backend - - ci-frontend + - tests-backend + - tests-frontend steps: + - + name: Set ghcr repository name + id: set-ghcr-repository + run: | + ghcr_name=$(echo "${GITHUB_REPOSITORY}" | awk '{ print tolower($0) }') + echo "repository=${ghcr_name}" >> $GITHUB_OUTPUT - name: Checkout uses: actions/checkout@v3 @@ -84,7 +213,7 @@ jobs: echo ${build_json} - echo ::set-output name=qpdf-json::${build_json} + echo "qpdf-json=${build_json}" >> $GITHUB_OUTPUT - name: Setup psycopg2 image id: psycopg2-setup @@ -93,7 +222,7 @@ jobs: echo ${build_json} - echo ::set-output name=psycopg2-json::${build_json} + echo "psycopg2-json=${build_json}" >> $GITHUB_OUTPUT - name: Setup pikepdf image id: pikepdf-setup @@ -102,7 +231,7 @@ jobs: echo ${build_json} - echo ::set-output name=pikepdf-json::${build_json} + echo "pikepdf-json=${build_json}" >> $GITHUB_OUTPUT - name: Setup jbig2enc image id: jbig2enc-setup @@ -111,10 +240,12 @@ jobs: echo ${build_json} - echo ::set-output name=jbig2enc-json::${build_json} + echo "jbig2enc-json=${build_json}" >> $GITHUB_OUTPUT outputs: + ghcr-repository: ${{ steps.set-ghcr-repository.outputs.repository }} + qpdf-json: ${{ steps.qpdf-setup.outputs.qpdf-json }} pikepdf-json: ${{ steps.pikepdf-setup.outputs.pikepdf-json }} @@ -142,12 +273,12 @@ jobs: # a tag # Otherwise forks would require a Docker Hub account and secrets setup run: | - if [[ ${{ github.repository }} == "paperless-ngx/paperless-ngx" && ( ${{ github.ref_name }} == "main" || ${{ github.ref_name }} == "dev" || ${{ github.ref_name }} == "beta" || ${{ startsWith(github.ref, 'refs/tags/v') }} == "true" ) ]] ; then + if [[ ${{ needs.prepare-docker-build.outputs.ghcr-repository }} == "paperless-ngx/paperless-ngx" && ( ${{ github.ref_name }} == "main" || ${{ github.ref_name }} == "dev" || ${{ github.ref_name }} == "beta" || ${{ startsWith(github.ref, 'refs/tags/v') }} == "true" ) ]] ; then echo "Enabling DockerHub image push" - echo ::set-output name=enable::"true" + echo "enable=true" >> $GITHUB_OUTPUT else echo "Not pushing to DockerHub" - echo ::set-output name=enable::"false" + echo "enable=false" >> $GITHUB_OUTPUT fi - name: Gather Docker metadata @@ -155,7 +286,7 @@ jobs: uses: docker/metadata-action@v4 with: images: | - ghcr.io/${{ github.repository }} + ghcr.io/${{ needs.prepare-docker-build.outputs.ghcr-repository }} name=paperlessngx/paperless-ngx,enable=${{ steps.docker-hub.outputs.enable }} tags: | # Tag branches with branch name @@ -206,11 +337,11 @@ jobs: # Get cache layers from this branch, then dev, then main # This allows new branches to get at least some cache benefits, generally from dev cache-from: | - type=registry,ref=ghcr.io/${{ github.repository }}/builder/cache/app:${{ github.ref_name }} - type=registry,ref=ghcr.io/${{ github.repository }}/builder/cache/app:dev - type=registry,ref=ghcr.io/${{ github.repository }}/builder/cache/app:main + type=registry,ref=ghcr.io/${{ needs.prepare-docker-build.outputs.ghcr-repository }}/builder/cache/app:${{ github.ref_name }} + type=registry,ref=ghcr.io/${{ needs.prepare-docker-build.outputs.ghcr-repository }}/builder/cache/app:dev + type=registry,ref=ghcr.io/${{ needs.prepare-docker-build.outputs.ghcr-repository }}/builder/cache/app:main cache-to: | - type=registry,mode=max,ref=ghcr.io/${{ github.repository }}/builder/cache/app:${{ github.ref_name }} + type=registry,mode=max,ref=ghcr.io/${{ needs.prepare-docker-build.outputs.ghcr-repository }}/builder/cache/app:${{ github.ref_name }} - name: Inspect image run: | @@ -235,18 +366,27 @@ jobs: - name: Checkout uses: actions/checkout@v3 + - + name: Install pipenv + run: | + pip3 install --upgrade pip setuptools wheel pipx + pipx install pipenv - name: Set up Python uses: actions/setup-python@v4 with: python-version: 3.9 + cache: "pipenv" + cache-dependency-path: 'Pipfile.lock' - - name: Install dependencies + name: Install Python dependencies + run: | + pipenv sync --dev + - + name: Install system dependencies run: | sudo apt-get update -qq sudo apt-get install -qq --no-install-recommends gettext liblept5 - pip3 install --upgrade pip setuptools wheel - pip3 install -r requirements.txt - name: Download frontend artifact uses: actions/download-artifact@v3 @@ -259,34 +399,38 @@ jobs: with: name: documentation path: docs/_build/html/ + - + name: Generate requirements file + run: | + pipenv requirements > requirements.txt + - + name: Compile messages + run: | + cd src/ + pipenv run python3 manage.py compilemessages + - + name: Collect static files + run: | + cd src/ + pipenv run python3 manage.py collectstatic --no-input - name: Move files run: | mkdir dist mkdir dist/paperless-ngx mkdir dist/paperless-ngx/scripts - cp .dockerignore .env Dockerfile Pipfile Pipfile.lock LICENSE README.md requirements.txt dist/paperless-ngx/ + cp .dockerignore .env Dockerfile Pipfile Pipfile.lock requirements.txt LICENSE README.md dist/paperless-ngx/ cp paperless.conf.example dist/paperless-ngx/paperless.conf cp gunicorn.conf.py dist/paperless-ngx/gunicorn.conf.py - cp docker/ dist/paperless-ngx/docker -r + cp -r docker/ dist/paperless-ngx/docker cp scripts/*.service scripts/*.sh dist/paperless-ngx/scripts/ - cp src/ dist/paperless-ngx/src -r - cp docs/_build/html/ dist/paperless-ngx/docs -r - - - name: Compile messages - run: | - cd dist/paperless-ngx/src - python3 manage.py compilemessages - - - name: Collect static files - run: | - cd dist/paperless-ngx/src - python3 manage.py collectstatic --no-input + cp -r src/ dist/paperless-ngx/src + cp -r docs/_build/html/ dist/paperless-ngx/docs + mv static dist/paperless-ngx - name: Make release package run: | cd dist - find . -name __pycache__ | xargs rm -r tar -cJf paperless-ngx.tar.xz paperless-ngx/ - name: Upload release artifact @@ -297,6 +441,10 @@ jobs: publish-release: runs-on: ubuntu-20.04 + outputs: + prerelease: ${{ steps.get_version.outputs.prerelease }} + changelog: ${{ steps.create-release.outputs.body }} + version: ${{ steps.get_version.outputs.version }} needs: - build-release if: github.ref_type == 'tag' && (startsWith(github.ref_name, 'v') || contains(github.ref_name, '-beta.rc')) @@ -311,16 +459,16 @@ jobs: name: Get version id: get_version run: | - echo ::set-output name=version::${{ github.ref_name }} + echo "version=${{ github.ref_name }}" >> $GITHUB_OUTPUT if [[ ${{ contains(github.ref_name, '-beta.rc') }} == 'true' ]]; then - echo ::set-output name=prerelease::true + echo "prerelease=true" >> $GITHUB_OUTPUT else - echo ::set-output name=prerelease::false + echo "prerelease=false" >> $GITHUB_OUTPUT fi - name: Create Release and Changelog id: create-release - uses: release-drafter/release-drafter@v5 + uses: paperless-ngx/release-drafter@master with: name: Paperless-ngx ${{ steps.get_version.outputs.version }} tag: ${{ steps.get_version.outputs.version }} @@ -340,21 +488,65 @@ jobs: asset_path: ./paperless-ngx.tar.xz asset_name: paperless-ngx-${{ steps.get_version.outputs.version }}.tar.xz asset_content_type: application/x-xz + + append-changelog: + runs-on: ubuntu-20.04 + needs: + - publish-release + if: needs.publish-release.outputs.prerelease == 'false' + steps: - name: Checkout uses: actions/checkout@v3 with: ref: main + - + name: Install pipenv + run: | + pip3 install --upgrade pip setuptools wheel pipx + pipx install pipenv + - + name: Set up Python + uses: actions/setup-python@v4 + with: + python-version: 3.9 + cache: "pipenv" + cache-dependency-path: 'Pipfile.lock' - name: Append Changelog to docs id: append-Changelog working-directory: docs run: | - echo -e "# Changelog\n\n${{ steps.create-release.outputs.body }}\n" > changelog-new.md + git branch ${{ needs.publish-release.outputs.version }}-changelog + git checkout ${{ needs.publish-release.outputs.version }}-changelog + echo -e "# Changelog\n\n${{ needs.publish-release.outputs.changelog }}\n" > changelog-new.md + echo "Manually linking usernames" + sed -i -r 's|@(.+?) \(\[#|[@\1](https://github.com/\1) ([#|ig' changelog-new.md CURRENT_CHANGELOG=`tail --lines +2 changelog.md` echo -e "$CURRENT_CHANGELOG" >> changelog-new.md mv changelog-new.md changelog.md + pipenv run pre-commit --files changelog.md git config --global user.name "github-actions" git config --global user.email "41898282+github-actions[bot]@users.noreply.github.com" - git commit -am "Changelog ${{ steps.get_version.outputs.version }} - GHA" - git push origin HEAD:main + git commit -am "Changelog ${{ needs.publish-release.outputs.version }} - GHA" + git push origin ${{ needs.publish-release.outputs.version }}-changelog + - + name: Create Pull Request + uses: actions/github-script@v6 + with: + script: | + const { repo, owner } = context.repo; + const result = await github.rest.pulls.create({ + title: '[Documentation] Add ${{ needs.publish-release.outputs.version }} changelog', + owner, + repo, + head: '${{ needs.publish-release.outputs.version }}-changelog', + base: 'main', + body: 'This PR is auto-generated by CI.' + }); + github.rest.issues.addLabels({ + owner, + repo, + issue_number: result.data.number, + labels: ['documentation'] + }); diff --git a/.github/workflows/cleanup-tags.yml b/.github/workflows/cleanup-tags.yml index 5041bf0ee..308b7f2ed 100644 --- a/.github/workflows/cleanup-tags.yml +++ b/.github/workflows/cleanup-tags.yml @@ -1,3 +1,8 @@ +# This workflow runs on certain conditions to check for and potentially +# delete container images from the GHCR which no longer have an associated +# code branch. +# Requires a PAT with the correct scope set in the secrets + name: Cleanup Image Tags on: @@ -11,38 +16,80 @@ on: paths: - ".github/workflows/cleanup-tags.yml" - ".github/scripts/cleanup-tags.py" + - ".github/scripts/github.py" - ".github/scripts/common.py" -env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} +concurrency: + group: registry-tags-cleanup + cancel-in-progress: false jobs: - cleanup: - name: Cleanup Image Tags - runs-on: ubuntu-20.04 - permissions: - packages: write + cleanup-images: + name: Cleanup Image Tags for ${{ matrix.primary-name }} + runs-on: ubuntu-latest + strategy: + matrix: + include: + - primary-name: "paperless-ngx" + cache-name: "paperless-ngx/builder/cache/app" + + - primary-name: "paperless-ngx/builder/qpdf" + cache-name: "paperless-ngx/builder/cache/qpdf" + + - primary-name: "paperless-ngx/builder/pikepdf" + cache-name: "paperless-ngx/builder/cache/pikepdf" + + - primary-name: "paperless-ngx/builder/jbig2enc" + cache-name: "paperless-ngx/builder/cache/jbig2enc" + + - primary-name: "paperless-ngx/builder/psycopg2" + cache-name: "paperless-ngx/builder/cache/psycopg2" + env: + # Requires a personal access token with the OAuth scope delete:packages + TOKEN: ${{ secrets.GHA_CONTAINER_DELETE_TOKEN }} steps: - name: Checkout uses: actions/checkout@v3 - name: Login to Github Container Registry - uses: docker/login-action@v1 + uses: docker/login-action@v2 with: registry: ghcr.io username: ${{ github.actor }} password: ${{ secrets.GITHUB_TOKEN }} - name: Set up Python - uses: actions/setup-python@v3 + uses: actions/setup-python@v4 with: - python-version: "3.9" + python-version: "3.10" - name: Install requests run: | python -m pip install requests + # + # Clean up primary package + # - - name: Cleanup feature tags + name: Cleanup for package "${{ matrix.primary-name }}" + if: "${{ env.TOKEN != '' }}" run: | - python ${GITHUB_WORKSPACE}/.github/scripts/cleanup-tags.py --loglevel info --delete + python ${GITHUB_WORKSPACE}/.github/scripts/cleanup-tags.py --untagged --is-manifest --delete "${{ matrix.primary-name }}" + # + # Clean up registry cache package + # + - + name: Cleanup for package "${{ matrix.cache-name }}" + if: "${{ env.TOKEN != '' }}" + run: | + python ${GITHUB_WORKSPACE}/.github/scripts/cleanup-tags.py --untagged --delete "${{ matrix.cache-name }}" + # + # Verify tags which are left still pull + # + - + name: Check all tags still pull + run: | + ghcr_name=$(echo "ghcr.io/${GITHUB_REPOSITORY_OWNER}/${{ matrix.primary-name }}" | awk '{ print tolower($0) }') + echo "Pulling all tags of ${ghcr_name}" + docker pull --quiet --all-tags ${ghcr_name} + docker image list diff --git a/.github/workflows/codeql-analysis.yml b/.github/workflows/codeql-analysis.yml index 92e384d4e..c742807e9 100644 --- a/.github/workflows/codeql-analysis.yml +++ b/.github/workflows/codeql-analysis.yml @@ -38,7 +38,7 @@ jobs: steps: - name: Checkout repository - uses: actions/checkout@v2 + uses: actions/checkout@v3 # Initializes the CodeQL tools for scanning. - name: Initialize CodeQL diff --git a/.github/workflows/installer-library.yml b/.github/workflows/installer-library.yml index 879c31fc9..5569044e0 100644 --- a/.github/workflows/installer-library.yml +++ b/.github/workflows/installer-library.yml @@ -36,6 +36,12 @@ jobs: name: Prepare Docker Image Version Data runs-on: ubuntu-20.04 steps: + - + name: Set ghcr repository name + id: set-ghcr-repository + run: | + ghcr_name=$(echo "${GITHUB_REPOSITORY}" | awk '{ print tolower($0) }') + echo "repository=${ghcr_name}" >> $GITHUB_OUTPUT - name: Checkout uses: actions/checkout@v3 @@ -52,7 +58,7 @@ jobs: echo ${build_json} - echo ::set-output name=qpdf-json::${build_json} + echo "qpdf-json=${build_json}" >> $GITHUB_OUTPUT - name: Setup psycopg2 image id: psycopg2-setup @@ -61,7 +67,7 @@ jobs: echo ${build_json} - echo ::set-output name=psycopg2-json::${build_json} + echo "psycopg2-json=${build_json}" >> $GITHUB_OUTPUT - name: Setup pikepdf image id: pikepdf-setup @@ -70,7 +76,7 @@ jobs: echo ${build_json} - echo ::set-output name=pikepdf-json::${build_json} + echo "pikepdf-json=${build_json}" >> $GITHUB_OUTPUT - name: Setup jbig2enc image id: jbig2enc-setup @@ -79,10 +85,12 @@ jobs: echo ${build_json} - echo ::set-output name=jbig2enc-json::${build_json} + echo "jbig2enc-json=${build_json}" >> $GITHUB_OUTPUT outputs: + ghcr-repository: ${{ steps.set-ghcr-repository.outputs.repository }} + qpdf-json: ${{ steps.qpdf-setup.outputs.qpdf-json }} pikepdf-json: ${{ steps.pikepdf-setup.outputs.pikepdf-json }} @@ -134,6 +142,6 @@ jobs: dockerfile: ./docker-builders/Dockerfile.pikepdf build-json: ${{ needs.prepare-docker-build.outputs.pikepdf-json }} build-args: | - REPO=${{ github.repository }} + REPO=${{ needs.prepare-docker-build.outputs.ghcr-repository }} QPDF_VERSION=${{ fromJSON(needs.prepare-docker-build.outputs.qpdf-json).version }} PIKEPDF_VERSION=${{ fromJSON(needs.prepare-docker-build.outputs.pikepdf-json).version }} diff --git a/.github/workflows/project-actions.yml b/.github/workflows/project-actions.yml index adfbc6d40..2d3e4549e 100644 --- a/.github/workflows/project-actions.yml +++ b/.github/workflows/project-actions.yml @@ -13,6 +13,9 @@ on: - main - dev +permissions: + contents: read + env: todo: Todo done: Done @@ -24,8 +27,8 @@ jobs: runs-on: ubuntu-latest if: github.event_name == 'issues' && (github.event.action == 'opened' || github.event.action == 'reopened') steps: - - name: Set issue status to ${{ env.todo }} - uses: leonsteinhaeuser/project-beta-automations@v1.2.1 + - name: Add issue to project and set status to ${{ env.todo }} + uses: leonsteinhaeuser/project-beta-automations@v2.0.1 with: gh_token: ${{ secrets.GH_TOKEN }} organization: paperless-ngx @@ -35,13 +38,20 @@ jobs: pr_opened_or_reopened: name: pr_opened_or_reopened runs-on: ubuntu-latest - if: github.event_name == 'pull_request_target' && (github.event.action == 'opened' || github.event.action == 'reopened') + permissions: + # write permission is required for autolabeler + pull-requests: write + if: github.event_name == 'pull_request_target' && (github.event.action == 'opened' || github.event.action == 'reopened') && github.event.pull_request.user.login != 'dependabot' steps: - - name: Set PR status to ${{ env.in_progress }} - uses: leonsteinhaeuser/project-beta-automations@v1.2.1 + - name: Add PR to project and set status to "Needs Review" + uses: leonsteinhaeuser/project-beta-automations@v2.0.1 with: gh_token: ${{ secrets.GH_TOKEN }} organization: paperless-ngx project_id: 2 resource_node_id: ${{ github.event.pull_request.node_id }} - status_value: ${{ env.in_progress }} # Target status + status_value: "Needs Review" # Target status + - name: Label PR with release-drafter + uses: release-drafter/release-drafter@v5 + env: + GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} diff --git a/.github/workflows/reusable-ci-backend.yml b/.github/workflows/reusable-ci-backend.yml deleted file mode 100644 index b6459c110..000000000 --- a/.github/workflows/reusable-ci-backend.yml +++ /dev/null @@ -1,108 +0,0 @@ -name: Backend CI Jobs - -on: - workflow_call: - -jobs: - - code-checks-backend: - name: "Code Style Checks" - runs-on: ubuntu-20.04 - steps: - - - name: Checkout - uses: actions/checkout@v3 - - - name: Install checkers - run: | - pipx install reorder-python-imports - pipx install yesqa - pipx install add-trailing-comma - pipx install flake8 - - - name: Run reorder-python-imports - run: | - find src/ -type f -name '*.py' ! -path "*/migrations/*" | xargs reorder-python-imports - - - name: Run yesqa - run: | - find src/ -type f -name '*.py' ! -path "*/migrations/*" | xargs yesqa - - - name: Run add-trailing-comma - run: | - find src/ -type f -name '*.py' ! -path "*/migrations/*" | xargs add-trailing-comma - # black is placed after add-trailing-comma because it may format differently - # if a trailing comma is added - - - name: Run black - uses: psf/black@stable - with: - options: "--check --diff" - version: "22.3.0" - - - name: Run flake8 checks - run: | - cd src/ - flake8 --max-line-length=88 --ignore=E203,W503 - - tests-backend: - name: "Tests (${{ matrix.python-version }})" - runs-on: ubuntu-20.04 - needs: - - code-checks-backend - strategy: - matrix: - python-version: ['3.8', '3.9', '3.10'] - fail-fast: false - steps: - - - name: Checkout - uses: actions/checkout@v3 - with: - fetch-depth: 2 - - - name: Install pipenv - run: pipx install pipenv - - - name: Set up Python - uses: actions/setup-python@v4 - with: - python-version: "${{ matrix.python-version }}" - cache: "pipenv" - cache-dependency-path: 'Pipfile.lock' - - - name: Install system dependencies - run: | - sudo apt-get update -qq - sudo apt-get install -qq --no-install-recommends unpaper tesseract-ocr imagemagick ghostscript libzbar0 poppler-utils - - - name: Install Python dependencies - run: | - pipenv sync --dev - - - name: Tests - run: | - cd src/ - pipenv run pytest - - - name: Get changed files - id: changed-files-specific - uses: tj-actions/changed-files@v23.1 - with: - files: | - src/** - - - name: List all changed files - run: | - for file in ${{ steps.changed-files-specific.outputs.all_changed_files }}; do - echo "${file} was changed" - done - - - name: Publish coverage results - if: matrix.python-version == '3.9' && steps.changed-files-specific.outputs.any_changed == 'true' - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - # https://github.com/coveralls-clients/coveralls-python/issues/251 - run: | - cd src/ - pipenv run coveralls --service=github diff --git a/.github/workflows/reusable-ci-frontend.yml b/.github/workflows/reusable-ci-frontend.yml deleted file mode 100644 index cc565775a..000000000 --- a/.github/workflows/reusable-ci-frontend.yml +++ /dev/null @@ -1,42 +0,0 @@ -name: Frontend CI Jobs - -on: - workflow_call: - -jobs: - - code-checks-frontend: - name: "Code Style Checks" - runs-on: ubuntu-20.04 - steps: - - - name: Checkout - uses: actions/checkout@v3 - - uses: actions/setup-node@v3 - with: - node-version: '16' - - - name: Install prettier - run: | - npm install prettier - - - name: Run prettier - run: - npx prettier --check --ignore-path Pipfile.lock **/*.js **/*.ts *.md **/*.md - tests-frontend: - name: "Tests" - runs-on: ubuntu-20.04 - needs: - - code-checks-frontend - strategy: - matrix: - node-version: [16.x] - steps: - - uses: actions/checkout@v3 - - name: Use Node.js ${{ matrix.node-version }} - uses: actions/setup-node@v3 - with: - node-version: ${{ matrix.node-version }} - - run: cd src-ui && npm ci - - run: cd src-ui && npm run test - - run: cd src-ui && npm run e2e:ci diff --git a/.gitignore b/.gitignore index 7ee9c76e4..a93b8139a 100644 --- a/.gitignore +++ b/.gitignore @@ -93,3 +93,6 @@ scripts/nuke # mac os .DS_Store + +# celery schedule file +celerybeat-schedule* diff --git a/.hadolint.yml b/.hadolint.yml new file mode 100644 index 000000000..e195127fe --- /dev/null +++ b/.hadolint.yml @@ -0,0 +1,8 @@ +failure-threshold: warning +ignored: + # https://github.com/hadolint/hadolint/wiki/DL3008 + - DL3008 + # https://github.com/hadolint/hadolint/wiki/DL3013 + - DL3013 + # https://github.com/hadolint/hadolint/wiki/DL3003 + - DL3003 diff --git a/.pre-commit-config.yaml b/.pre-commit-config.yaml index 46ad91ee8..4c5a9d483 100644 --- a/.pre-commit-config.yaml +++ b/.pre-commit-config.yaml @@ -37,17 +37,17 @@ repos: exclude: "(^Pipfile\\.lock$)" # Python hooks - repo: https://github.com/asottile/reorder_python_imports - rev: v3.8.1 + rev: v3.8.3 hooks: - id: reorder-python-imports exclude: "(migrations)" - repo: https://github.com/asottile/yesqa - rev: "v1.3.0" + rev: "v1.4.0" hooks: - id: yesqa exclude: "(migrations)" - repo: https://github.com/asottile/add-trailing-comma - rev: "v2.2.3" + rev: "v2.3.0" hooks: - id: add-trailing-comma exclude: "(migrations)" @@ -59,11 +59,11 @@ repos: args: - "--config=./src/setup.cfg" - repo: https://github.com/psf/black - rev: 22.6.0 + rev: 22.10.0 hooks: - id: black - repo: https://github.com/asottile/pyupgrade - rev: v2.37.1 + rev: v3.0.0 hooks: - id: pyupgrade exclude: "(migrations)" @@ -74,13 +74,6 @@ repos: rev: v2.10.0 hooks: - id: hadolint - args: - - --ignore - - DL3008 # https://github.com/hadolint/hadolint/wiki/DL3008 (should probably do this at some point) - - --ignore - - DL3013 # https://github.com/hadolint/hadolint/wiki/DL3013 (should probably do this too at some point) - - --ignore - - DL3003 # https://github.com/hadolint/hadolint/wiki/DL3003 (seems excessive to use WORKDIR so much) # Shell script hooks - repo: https://github.com/lovesegfault/beautysh rev: v6.2.1 diff --git a/CODEOWNERS b/CODEOWNERS index 294abd1ff..ad8c44cf6 100644 --- a/CODEOWNERS +++ b/CODEOWNERS @@ -7,4 +7,3 @@ /src/ @paperless-ngx/backend Pipfile* @paperless-ngx/backend *.py @paperless-ngx/backend -requirements.txt @paperless-ngx/backend diff --git a/Dockerfile b/Dockerfile index 630cd367c..2eeaba1dc 100644 --- a/Dockerfile +++ b/Dockerfile @@ -30,6 +30,25 @@ RUN set -eux \ RUN set -eux \ && ./node_modules/.bin/ng build --configuration production +FROM --platform=$BUILDPLATFORM python:3.9-slim-bullseye as pipenv-base + +# This stage generates the requirements.txt file using pipenv +# This stage runs once for the native platform, as the outputs are not +# dependent on target arch +# This way, pipenv dependencies are not left in the final image +# nor can pipenv mess up the final image somehow +# Inputs: None + +WORKDIR /usr/src/pipenv + +COPY Pipfile* ./ + +RUN set -eux \ + && echo "Installing pipenv" \ + && python3 -m pip install --no-cache-dir --upgrade pipenv \ + && echo "Generating requirement.txt" \ + && pipenv requirements > requirements.txt + FROM python:3.9-slim-bullseye as main-app LABEL org.opencontainers.image.authors="paperless-ngx team " @@ -81,6 +100,7 @@ ARG RUNTIME_PACKAGES="\ python3-pip \ python3-setuptools \ postgresql-client \ + mariadb-client \ # For Numpy libatlas3-base \ # OCRmyPDF dependencies @@ -90,6 +110,10 @@ ARG RUNTIME_PACKAGES="\ tesseract-ocr-fra \ tesseract-ocr-ita \ tesseract-ocr-spa \ + # Suggested for OCRmyPDF + pngquant \ + # Suggested for pikepdf + jbig2dec \ tzdata \ unpaper \ # Mime type detection @@ -119,20 +143,33 @@ COPY gunicorn.conf.py . # These change sometimes, but rarely WORKDIR /usr/src/paperless/src/docker/ -RUN --mount=type=bind,readwrite,source=docker,target=./ \ - set -eux \ +COPY [ \ + "docker/imagemagick-policy.xml", \ + "docker/supervisord.conf", \ + "docker/docker-entrypoint.sh", \ + "docker/docker-prepare.sh", \ + "docker/paperless_cmd.sh", \ + "docker/wait-for-redis.py", \ + "docker/management_script.sh", \ + "docker/install_management_commands.sh", \ + "/usr/src/paperless/src/docker/" \ +] + +RUN set -eux \ && echo "Configuring ImageMagick" \ - && cp imagemagick-policy.xml /etc/ImageMagick-6/policy.xml \ + && mv imagemagick-policy.xml /etc/ImageMagick-6/policy.xml \ && echo "Configuring supervisord" \ && mkdir /var/log/supervisord /var/run/supervisord \ - && cp supervisord.conf /etc/supervisord.conf \ + && mv supervisord.conf /etc/supervisord.conf \ && echo "Setting up Docker scripts" \ - && cp docker-entrypoint.sh /sbin/docker-entrypoint.sh \ + && mv docker-entrypoint.sh /sbin/docker-entrypoint.sh \ && chmod 755 /sbin/docker-entrypoint.sh \ - && cp docker-prepare.sh /sbin/docker-prepare.sh \ + && mv docker-prepare.sh /sbin/docker-prepare.sh \ && chmod 755 /sbin/docker-prepare.sh \ - && cp wait-for-redis.py /sbin/wait-for-redis.py \ + && mv wait-for-redis.py /sbin/wait-for-redis.py \ && chmod 755 /sbin/wait-for-redis.py \ + && mv paperless_cmd.sh /usr/local/bin/paperless_cmd.sh \ + && chmod 755 /usr/local/bin/paperless_cmd.sh \ && echo "Installing managment commands" \ && chmod +x install_management_commands.sh \ && ./install_management_commands.sh @@ -145,28 +182,31 @@ RUN --mount=type=bind,from=qpdf-builder,target=/qpdf \ --mount=type=bind,from=pikepdf-builder,target=/pikepdf \ set -eux \ && echo "Installing qpdf" \ - && apt-get install --yes --no-install-recommends /qpdf/usr/src/qpdf/libqpdf28_*.deb \ + && apt-get install --yes --no-install-recommends /qpdf/usr/src/qpdf/libqpdf29_*.deb \ && apt-get install --yes --no-install-recommends /qpdf/usr/src/qpdf/qpdf_*.deb \ && echo "Installing pikepdf and dependencies" \ + && python3 -m pip install --no-cache-dir /pikepdf/usr/src/wheels/pyparsing*.whl \ && python3 -m pip install --no-cache-dir /pikepdf/usr/src/wheels/packaging*.whl \ && python3 -m pip install --no-cache-dir /pikepdf/usr/src/wheels/lxml*.whl \ && python3 -m pip install --no-cache-dir /pikepdf/usr/src/wheels/Pillow*.whl \ - && python3 -m pip install --no-cache-dir /pikepdf/usr/src/wheels/pyparsing*.whl \ && python3 -m pip install --no-cache-dir /pikepdf/usr/src/wheels/pikepdf*.whl \ - && python -m pip list \ + && python3 -m pip list \ && echo "Installing psycopg2" \ && python3 -m pip install --no-cache-dir /psycopg2/usr/src/wheels/psycopg2*.whl \ - && python -m pip list + && python3 -m pip list + +WORKDIR /usr/src/paperless/src/ # Python dependencies # Change pretty frequently -COPY requirements.txt ../ +COPY --from=pipenv-base /usr/src/pipenv/requirements.txt ./ # Packages needed only for building a few quick Python # dependencies ARG BUILD_PACKAGES="\ build-essential \ git \ + default-libmysqlclient-dev \ python3-dev" RUN set -eux \ @@ -175,7 +215,7 @@ RUN set -eux \ && apt-get install --yes --quiet --no-install-recommends ${BUILD_PACKAGES} \ && python3 -m pip install --no-cache-dir --upgrade wheel \ && echo "Installing Python requirements" \ - && python3 -m pip install --default-timeout=1000 --no-cache-dir -r ../requirements.txt \ + && python3 -m pip install --default-timeout=1000 --no-cache-dir --requirement requirements.txt \ && echo "Cleaning up image" \ && apt-get -y purge ${BUILD_PACKAGES} \ && apt-get -y autoremove --purge \ @@ -186,8 +226,6 @@ RUN set -eux \ && rm -rf /var/cache/apt/archives/* \ && truncate -s 0 /var/log/*log -WORKDIR /usr/src/paperless/src/ - # copy backend COPY ./src ./ @@ -211,4 +249,4 @@ ENTRYPOINT ["/sbin/docker-entrypoint.sh"] EXPOSE 8000 -CMD ["/usr/local/bin/supervisord", "-c", "/etc/supervisord.conf"] +CMD ["/usr/local/bin/paperless_cmd.sh"] diff --git a/Pipfile b/Pipfile index 0fe616568..df511483b 100644 --- a/Pipfile +++ b/Pipfile @@ -14,7 +14,6 @@ django = "~=4.0" django-cors-headers = "*" django-extensions = "*" django-filter = "~=22.1" -django-q = {editable = true, ref = "paperless-main", git = "https://github.com/paperless-ngx/django-q.git"} djangorestframework = "~=3.13" filelock = "*" fuzzywuzzy = {extras = ["speedup"], version = "*"} @@ -23,25 +22,31 @@ imap-tools = "*" langdetect = "*" pathvalidate = "*" pillow = "~=9.2" -pikepdf = "~=5.1" +pikepdf = "*" python-gnupg = "*" python-dotenv = "*" python-dateutil = "*" python-magic = "*" psycopg2 = "*" -redis = "*" -scikit-learn="~=1.1" -whitenoise = "~=6.2.0" -watchdog = "~=2.1.9" -whoosh="~=2.7.4" +redis = {extras = ["hiredis"], version = "*"} +scikit-learn = "~=1.1" +# Pin this until piwheels is building 1.9 (see https://www.piwheels.org/project/scipy/) +scipy = "==1.8.1" +# https://github.com/paperless-ngx/paperless-ngx/issues/1364 +numpy = "==1.22.3" +whitenoise = "~=6.2" +watchdog = "~=2.1" +whoosh="~=2.7" inotifyrecursive = "~=0.3" -ocrmypdf = "~=13.4" +ocrmypdf = "~=14.0" tqdm = "*" tika = "*" # TODO: This will sadly also install daphne+dependencies, # which an ASGI server we don't need. Adds about 15MB image size. channels = "~=3.0" -channels-redis = "*" +# Locked version until https://github.com/django/channels_redis/issues/332 +# is resolved +channels-redis = "==3.4.1" uvicorn = {extras = ["standard"], version = "*"} concurrent-log-handler = "*" "pdfminer.six" = "*" @@ -49,6 +54,11 @@ concurrent-log-handler = "*" "importlib-resources" = {version = "*", markers = "python_version < '3.9'"} zipp = {version = "*", markers = "python_version < '3.9'"} pyzbar = "*" +mysqlclient = "*" +celery = {extras = ["redis"], version = "*"} +django-celery-results = "*" +setproctitle = "*" +nltk = "*" pdf2image = "*" bleach = "*" @@ -62,7 +72,7 @@ pytest-django = "*" pytest-env = "*" pytest-sugar = "*" pytest-xdist = "*" -sphinx = "~=5.0.2" +sphinx = "~=5.3" sphinx_rtd_theme = "*" tox = "*" black = "*" diff --git a/Pipfile.lock b/Pipfile.lock index ba1ee3149..30c622545 100644 --- a/Pipfile.lock +++ b/Pipfile.lock @@ -1,7 +1,7 @@ { "_meta": { "hash": { - "sha256": "534811f5ee688864c2abc3bd671e4350493c3d8ab98a26ed7cef53b092389727" + "sha256": "68ff2e4e4ebbed482cc7d646337309ffd51140748b83d0b60d22dec9926f2ccb" }, "pipfile-spec": 6, "requires": {}, @@ -26,6 +26,14 @@ ], "version": "==1.3.1" }, + "amqp": { + "hashes": [ + "sha256:2c1b13fecc0893e946c65cbd5f36427861cffa4ea2201d8f6fca22e2a373b5e2", + "sha256:6f0956d2c23d8fa6e7691934d8c3930eadb44972cbbd1a7ae3a520f735d43359" + ], + "markers": "python_version >= '3.6'", + "version": "==5.1.1" + }, "anyio": { "hashes": [ "sha256:413adf95f93886e442aea925f3ee43baa5a765a64a0f52c6081894f9992fdd0b", @@ -34,14 +42,6 @@ "markers": "python_full_version >= '3.6.2'", "version": "==3.6.1" }, - "arrow": { - "hashes": [ - "sha256:05caf1fd3d9a11a1135b2b6f09887421153b94558e5ef4d090b567b47173ac2b", - "sha256:d622c46ca681b5b3e3574fcb60a04e5cc81b9625112d5fb2b44220c36c892177" - ], - "markers": "python_version >= '3.6'", - "version": "==1.2.2" - }, "asgiref": { "hashes": [ "sha256:1d2880b792ae8757289136f1db2b7b99100ce959b2aa57fd69dab783d05afac4", @@ -60,18 +60,18 @@ }, "attrs": { "hashes": [ - "sha256:2d27e3784d7a565d36ab851fe94887c5eccd6a463168875832a1be79c82828b4", - "sha256:626ba8234211db98e869df76230a137c4c40a12d72445c45d5f5b716f076e2fd" + "sha256:29adc2665447e5191d0e7c568fde78b21f9672d344281d0c6e1ab085429b22b6", + "sha256:86efa402f67bf2df34f51a335487cf46b1ec130d02b8d39fd248abfd30da551c" ], - "markers": "python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4'", - "version": "==21.4.0" + "markers": "python_version >= '3.5'", + "version": "==22.1.0" }, "autobahn": { "hashes": [ - "sha256:fb63e946d5c2dd0df680851e84e65624a494ce87c999f2a4944e4f2d81bf4498" + "sha256:8b462ea2e6aad6b4dc0ed45fb800b6cbfeb0325e7fe6983907f122f2be4a1fe9" ], "markers": "python_version >= '3.7'", - "version": "==22.6.1" + "version": "==22.7.1" }, "automat": { "hashes": [ @@ -99,25 +99,34 @@ "sha256:f04e857b59d9d1ccc39ce2da1021d196e47234873820cbeaad210724b1ee28ac", "sha256:fadbfe37f74051d024037f223b8e001611eac868b5c5b06144ef4d8b799862f2" ], - "index": "pypi", "markers": "python_version < '3.9'", "version": "==0.2.1" }, - "blessed": { + "billiard": { "hashes": [ - "sha256:63b8554ae2e0e7f43749b6715c734cc8f3883010a809bf16790102563e6cf25b", - "sha256:9a0d099695bf621d4680dd6c73f6ad547f6a3442fbdbe80c4b1daa1edbc492fc" + "sha256:299de5a8da28a783d51b197d496bef4f1595dd023a93a4f59dde1886ae905547", + "sha256:87103ea78fa6ab4d5c751c4909bcff74617d985de7fa8b672cf8618afd5a875b" ], - "markers": "python_version >= '2.7'", - "version": "==1.19.1" + "version": "==3.6.4.0" + }, + "celery": { + "extras": [ + "redis" + ], + "hashes": [ + "sha256:138420c020cd58d6707e6257b6beda91fd39af7afde5d36c6334d175302c0e14", + "sha256:fafbd82934d30f8a004f81e8f7a062e31413a23d444be8ee3326553915958c6d" + ], + "index": "pypi", + "version": "==5.2.7" }, "certifi": { "hashes": [ - "sha256:84c85a9078b11105f04f3036a9482ae10e4621616db313fe045dd24743a0820d", - "sha256:fe86415d55e84719d75f8b69414f6438ac3547d2078ab91b67e779ef69378412" + "sha256:0d9c601124e5a6ba9712dbc60d9c53c21e34f5f641fe83002317394311bdce14", + "sha256:90c1a32f1d68f940488354e36370f6cca89f0f106db09518524c88d6ed83f382" ], "markers": "python_version >= '3.6'", - "version": "==2022.6.15" + "version": "==2022.9.24" }, "cffi": { "hashes": [ @@ -198,19 +207,19 @@ }, "channels-redis": { "hashes": [ - "sha256:5dffd4cc16174125bd4043fc8fe7462ca7403cf801d59a9fa7410ed101fa6a57", - "sha256:6e4565b7c11c6bcde5d48556cb83bd043779697ff03811867d2f895aa6170d56" + "sha256:78e4a2f2b2a744fe5a87848ec36b5ee49f522c6808cefe6c583663d0d531faa8", + "sha256:ba7e2ad170f273c372812dd32aaac102d68d4e508172abb1cfda3160b7333890" ], "index": "pypi", - "version": "==3.4.0" + "version": "==3.4.1" }, "charset-normalizer": { "hashes": [ - "sha256:5189b6f22b01957427f35b6a08d9a0bc45b46d3788ef5a92e978433c7a35f8a5", - "sha256:575e708016ff3a5e3681541cb9d79312c416835686d054a23accb873b254f413" + "sha256:5a3d016c7c547f69d6f81fb0db9449ce888b418b5b9952cc5e6e66843e9dd845", + "sha256:83e9a75d1911279afd89352c68b45348559d1fc0506b054b346651b5e7fee29f" ], "markers": "python_version >= '3.6'", - "version": "==2.1.0" + "version": "==2.1.1" }, "click": { "hashes": [ @@ -220,6 +229,28 @@ "markers": "python_version >= '3.7'", "version": "==8.1.3" }, + "click-didyoumean": { + "hashes": [ + "sha256:a0713dc7a1de3f06bc0df5a9567ad19ead2d3d5689b434768a6145bff77c0667", + "sha256:f184f0d851d96b6d29297354ed981b7dd71df7ff500d82fa6d11f0856bee8035" + ], + "markers": "python_version < '4' and python_full_version >= '3.6.2'", + "version": "==0.3.0" + }, + "click-plugins": { + "hashes": [ + "sha256:46ab999744a9d831159c3411bb0c79346d94a444df9a3a3742e9ed63645f264b", + "sha256:5d262006d3222f5057fd81e1623d4443e41dcda5dc815c06b442aa3c02889fc8" + ], + "version": "==1.1.1" + }, + "click-repl": { + "hashes": [ + "sha256:94b3fbbc9406a236f176e0506524b2937e4b23b6f4c0c0b2a0a83f8a64e9194b", + "sha256:cd12f68d745bf6151210790540b4cb064c7b13e571bc64b6957d98d120dacfd8" + ], + "version": "==0.2.0" + }, "coloredlogs": { "hashes": [ "sha256:612ee75c546f53e92e70049c9dbfcc18c935a2b9a53b66085ce9ef6a6e5c0934", @@ -245,31 +276,35 @@ }, "cryptography": { "hashes": [ - "sha256:190f82f3e87033821828f60787cfa42bff98404483577b591429ed99bed39d59", - "sha256:2be53f9f5505673eeda5f2736bea736c40f051a739bfae2f92d18aed1eb54596", - "sha256:30788e070800fec9bbcf9faa71ea6d8068f5136f60029759fd8c3efec3c9dcb3", - "sha256:3d41b965b3380f10e4611dbae366f6dc3cefc7c9ac4e8842a806b9672ae9add5", - "sha256:4c590ec31550a724ef893c50f9a97a0c14e9c851c85621c5650d699a7b88f7ab", - "sha256:549153378611c0cca1042f20fd9c5030d37a72f634c9326e225c9f666d472884", - "sha256:63f9c17c0e2474ccbebc9302ce2f07b55b3b3fcb211ded18a42d5764f5c10a82", - "sha256:6bc95ed67b6741b2607298f9ea4932ff157e570ef456ef7ff0ef4884a134cc4b", - "sha256:7099a8d55cd49b737ffc99c17de504f2257e3787e02abe6d1a6d136574873441", - "sha256:75976c217f10d48a8b5a8de3d70c454c249e4b91851f6838a4e48b8f41eb71aa", - "sha256:7bc997818309f56c0038a33b8da5c0bfbb3f1f067f315f9abd6fc07ad359398d", - "sha256:80f49023dd13ba35f7c34072fa17f604d2f19bf0989f292cedf7ab5770b87a0b", - "sha256:91ce48d35f4e3d3f1d83e29ef4a9267246e6a3be51864a5b7d2247d5086fa99a", - "sha256:a958c52505c8adf0d3822703078580d2c0456dd1d27fabfb6f76fe63d2971cd6", - "sha256:b62439d7cd1222f3da897e9a9fe53bbf5c104fff4d60893ad1355d4c14a24157", - "sha256:b7f8dd0d4c1f21759695c05a5ec8536c12f31611541f8904083f3dc582604280", - "sha256:d204833f3c8a33bbe11eda63a54b1aad7aa7456ed769a982f21ec599ba5fa282", - "sha256:e007f052ed10cc316df59bc90fbb7ff7950d7e2919c9757fd42a2b8ecf8a5f67", - "sha256:f2dcb0b3b63afb6df7fd94ec6fbddac81b5492513f7b0436210d390c14d46ee8", - "sha256:f721d1885ecae9078c3f6bbe8a88bc0786b6e749bf32ccec1ef2b18929a05046", - "sha256:f7a6de3e98771e183645181b3627e2563dcde3ce94a9e42a3f427d2255190327", - "sha256:f8c0a6e9e1dd3eb0414ba320f85da6b0dcbd543126e30fcc546e7372a7fbf3b9" + "sha256:0297ffc478bdd237f5ca3a7dc96fc0d315670bfa099c04dc3a4a2172008a405a", + "sha256:10d1f29d6292fc95acb597bacefd5b9e812099d75a6469004fd38ba5471a977f", + "sha256:16fa61e7481f4b77ef53991075de29fc5bacb582a1244046d2e8b4bb72ef66d0", + "sha256:194044c6b89a2f9f169df475cc167f6157eb9151cc69af8a2a163481d45cc407", + "sha256:1db3d807a14931fa317f96435695d9ec386be7b84b618cc61cfa5d08b0ae33d7", + "sha256:3261725c0ef84e7592597606f6583385fed2a5ec3909f43bc475ade9729a41d6", + "sha256:3b72c360427889b40f36dc214630e688c2fe03e16c162ef0aa41da7ab1455153", + "sha256:3e3a2599e640927089f932295a9a247fc40a5bdf69b0484532f530471a382750", + "sha256:3fc26e22840b77326a764ceb5f02ca2d342305fba08f002a8c1f139540cdfaad", + "sha256:5067ee7f2bce36b11d0e334abcd1ccf8c541fc0bbdaf57cdd511fdee53e879b6", + "sha256:52e7bee800ec869b4031093875279f1ff2ed12c1e2f74923e8f49c916afd1d3b", + "sha256:64760ba5331e3f1794d0bcaabc0d0c39e8c60bf67d09c93dc0e54189dfd7cfe5", + "sha256:765fa194a0f3372d83005ab83ab35d7c5526c4e22951e46059b8ac678b44fa5a", + "sha256:79473cf8a5cbc471979bd9378c9f425384980fcf2ab6534b18ed7d0d9843987d", + "sha256:896dd3a66959d3a5ddcfc140a53391f69ff1e8f25d93f0e2e7830c6de90ceb9d", + "sha256:89ed49784ba88c221756ff4d4755dbc03b3c8d2c5103f6d6b4f83a0fb1e85294", + "sha256:ac7e48f7e7261207d750fa7e55eac2d45f720027d5703cd9007e9b37bbb59ac0", + "sha256:ad7353f6ddf285aeadfaf79e5a6829110106ff8189391704c1d8801aa0bae45a", + "sha256:b0163a849b6f315bf52815e238bc2b2346604413fa7c1601eea84bcddb5fb9ac", + "sha256:b6c9b706316d7b5a137c35e14f4103e2115b088c412140fdbd5f87c73284df61", + "sha256:c2e5856248a416767322c8668ef1845ad46ee62629266f84a8f007a317141013", + "sha256:ca9f6784ea96b55ff41708b92c3f6aeaebde4c560308e5fbbd3173fbc466e94e", + "sha256:d1a5bd52d684e49a36582193e0b89ff267704cd4025abefb9e26803adeb3e5fb", + "sha256:d3971e2749a723e9084dd507584e2a2761f78ad2c638aa31e80bc7a15c9db4f9", + "sha256:d4ef6cc305394ed669d4d9eebf10d3a101059bdcf2669c366ec1d14e4fb227bd", + "sha256:d9e69ae01f99abe6ad646947bba8941e896cb3aa805be2597a0400e0764b5818" ], "markers": "python_version >= '3.6'", - "version": "==37.0.4" + "version": "==38.0.1" }, "daphne": { "hashes": [ @@ -304,11 +339,19 @@ }, "django": { "hashes": [ - "sha256:a67a793ff6827fd373555537dca0da293a63a316fe34cb7f367f898ccca3c3ae", - "sha256:ca54ebedfcbc60d191391efbf02ba68fb52165b8bf6ccd6fe71f098cac1fe59e" + "sha256:26dc24f99c8956374a054bcbf58aab8dc0cad2e6ac82b0fe036b752c00eee793", + "sha256:b8d843714810ab88d59344507d4447be8b2cf12a49031363b6eed9f1b9b2280f" ], "index": "pypi", - "version": "==4.0.6" + "version": "==4.1.2" + }, + "django-celery-results": { + "hashes": [ + "sha256:75aa51970db5691cbf242c6a0ff50c8cdf419e265cd0e9b772335d06436c4b99", + "sha256:be91307c02fbbf0dda21993c3001c60edb74595444ccd6ad696552fe3689e85b" + ], + "index": "pypi", + "version": "==2.4.0" }, "django-cors-headers": { "hashes": [ @@ -320,11 +363,11 @@ }, "django-extensions": { "hashes": [ - "sha256:4c234a7236e9e41c17d9036f6dae7a3a9b212527105b8a0d24b2459b267825f0", - "sha256:7dc7cd1da50d83b76447a58f5d7e5c8e6cd83f21e9b7e5f97e6b644f4d4e21a6" + "sha256:2a4f4d757be2563cd1ff7cfdf2e57468f5f931cc88b23cf82ca75717aae504a4", + "sha256:421464be390289513f86cb5e18eb43e5dc1de8b4c27ba9faa3b91261b0d67e09" ], "index": "pypi", - "version": "==3.2.0" + "version": "==3.2.1" }, "django-filter": { "hashes": [ @@ -334,34 +377,21 @@ "index": "pypi", "version": "==22.1" }, - "django-picklefield": { - "hashes": [ - "sha256:c786cbeda78d6def2b43bff4840d19787809c8909f7ad683961703060398d356", - "sha256:d77c504df7311e8ec14e8b779f10ca6fec74de6c7f8e2c136e1ef60cf955125d" - ], - "markers": "python_version >= '3'", - "version": "==3.1" - }, - "django-q": { - "editable": true, - "git": "https://github.com/paperless-ngx/django-q.git", - "ref": "bf20d57f859a7d872d5979cd8879fac9c9df981c" - }, "djangorestframework": { "hashes": [ - "sha256:0c33407ce23acc68eca2a6e46424b008c9c02eceb8cf18581921d0092bc1f2ee", - "sha256:24c4bf58ed7e85d1fe4ba250ab2da926d263cd57d64b03e8dcef0ac683f8b1aa" + "sha256:579a333e6256b09489cbe0a067e66abe55c6595d8926be6b99423786334350c8", + "sha256:eb63f58c9f218e1a7d064d17a70751f528ed4e1d35547fdade9aaf4cd103fd08" ], "index": "pypi", - "version": "==3.13.1" + "version": "==3.14.0" }, "filelock": { "hashes": [ - "sha256:37def7b658813cda163b56fc564cdc75e86d338246458c4c28ae84cabefa2404", - "sha256:3a0fd85166ad9dbab54c9aec96737b744106dc5f15c0b09a6744a445299fcf04" + "sha256:55447caa666f2198c5b6b13a26d2084d26fa5b115c00d065664b2124680c4edc", + "sha256:617eb4e5eedc82fc5f47b6d61e4d11cb837c56cb4544e39081099fa17ad109d4" ], "index": "pypi", - "version": "==3.7.1" + "version": "==3.8.0" }, "fuzzywuzzy": { "extras": [ @@ -384,11 +414,11 @@ }, "h11": { "hashes": [ - "sha256:70813c1135087a248a4d38cc0e1a0181ffab2188141a93eaf567940c3957ff06", - "sha256:8ddd78563b633ca55346c8cd41ec0af27d3c79931828beffb46ce70a379e7442" + "sha256:8f19fbbe99e72420ff35c00b27a34cb9937e902a8b810e2c88300c6f0a3b699d", + "sha256:e3fe4ac4b851c468cc8363d500db52c2ead036020723024a109d37346efaa761" ], - "markers": "python_version >= '3.6'", - "version": "==0.13.0" + "markers": "python_version >= '3.7'", + "version": "==0.14.0" }, "hiredis": { "hashes": [ @@ -439,42 +469,49 @@ }, "httptools": { "hashes": [ - "sha256:1a99346ebcb801b213c591540837340bdf6fd060a8687518d01c607d338b7424", - "sha256:1ee0b459257e222b878a6c09ccf233957d3a4dcb883b0847640af98d2d9aac23", - "sha256:20a45bcf22452a10fa8d58b7dbdb474381f6946bf5b8933e3662d572bc61bae4", - "sha256:29bf97a5c532da9c7a04de2c7a9c31d1d54f3abd65a464119b680206bbbb1055", - "sha256:2c9a930c378b3d15d6b695fb95ebcff81a7395b4f9775c4f10a076beb0b2c1ff", - "sha256:2db44a0b294d317199e9f80123e72c6b005c55b625b57fae36de68670090fa48", - "sha256:3194f6d6443befa8d4db16c1946b2fc428a3ceb8ab32eb6f09a59f86104dc1a0", - "sha256:34d2903dd2a3dd85d33705b6fde40bf91fc44411661283763fd0746723963c83", - "sha256:48e48530d9b995a84d1d89ae6b3ec4e59ea7d494b150ac3bbc5e2ac4acce92cd", - "sha256:54bbd295f031b866b9799dd39cb45deee81aca036c9bff9f58ca06726f6494f1", - "sha256:5d1fe6b6661022fd6cac541f54a4237496b246e6f1c0a6b41998ee08a1135afe", - "sha256:645373c070080e632480a3d251d892cb795be3d3a15f86975d0f1aca56fd230d", - "sha256:6a1a7dfc1f9c78a833e2c4904757a0f47ce25d08634dd2a52af394eefe5f9777", - "sha256:701e66b59dd21a32a274771238025d58db7e2b6ecebbab64ceff51b8e31527ae", - "sha256:72aa3fbe636b16d22e04b5a9d24711b043495e0ecfe58080addf23a1a37f3409", - "sha256:7af6bdbd21a2a25d6784f6d67f44f5df33ef39b6159543b9f9064d365c01f919", - "sha256:7ee9f226acab9085037582c059d66769862706e8e8cd2340470ceb8b3850873d", - "sha256:7f7bfb74718f52d5ed47d608d507bf66d3bc01d4a8b3e6dd7134daaae129357b", - "sha256:8e2eb957787cbb614a0f006bfc5798ff1d90ac7c4dd24854c84edbdc8c02369e", - "sha256:903f739c9fb78dab8970b0f3ea51f21955b24b45afa77b22ff0e172fc11ef111", - "sha256:98993805f1e3cdb53de4eed02b55dcc953cdf017ba7bbb2fd89226c086a6d855", - "sha256:9967d9758df505975913304c434cb9ab21e2c609ad859eb921f2f615a038c8de", - "sha256:a113789e53ac1fa26edf99856a61e4c493868e125ae0dd6354cf518948fbbd5c", - "sha256:a522d12e2ddbc2e91842ffb454a1aeb0d47607972c7d8fc88bd0838d97fb8a2a", - "sha256:abe829275cdd4174b4c4e65ad718715d449e308d59793bf3a931ee1bf7e7b86c", - "sha256:c286985b5e194ca0ebb2908d71464b9be8f17cc66d6d3e330e8d5407248f56ad", - "sha256:cd1295f52971097f757edfbfce827b6dbbfb0f7a74901ee7d4933dff5ad4c9af", - "sha256:ceafd5e960b39c7e0d160a1936b68eb87c5e79b3979d66e774f0c77d4d8faaed", - "sha256:d1f27bb0f75bef722d6e22dc609612bfa2f994541621cd2163f8c943b6463dfe", - "sha256:d3a4e165ca6204f34856b765d515d558dc84f1352033b8721e8d06c3e44930c3", - "sha256:d9b90bf58f3ba04e60321a23a8723a1ff2a9377502535e70495e5ada8e6e6722", - "sha256:f72b5d24d6730035128b238decdc4c0f2104b7056a7ca55cf047c106842ec890", - "sha256:fcddfe70553be717d9745990dfdb194e22ee0f60eb8f48c0794e7bfeda30d2d5", - "sha256:fdb9f9ed79bc6f46b021b3319184699ba1a22410a82204e6e89c774530069683" + "sha256:0297822cea9f90a38df29f48e40b42ac3d48a28637368f3ec6d15eebefd182f9", + "sha256:1af91b3650ce518d226466f30bbba5b6376dbd3ddb1b2be8b0658c6799dd450b", + "sha256:1f90cd6fd97c9a1b7fe9215e60c3bd97336742a0857f00a4cb31547bc22560c2", + "sha256:24bb4bb8ac3882f90aa95403a1cb48465de877e2d5298ad6ddcfdebec060787d", + "sha256:295874861c173f9101960bba332429bb77ed4dcd8cdf5cee9922eb00e4f6bc09", + "sha256:3625a55886257755cb15194efbf209584754e31d336e09e2ffe0685a76cb4b60", + "sha256:3a47a34f6015dd52c9eb629c0f5a8a5193e47bf2a12d9a3194d231eaf1bc451a", + "sha256:3cb8acf8f951363b617a8420768a9f249099b92e703c052f9a51b66342eea89b", + "sha256:4b098e4bb1174096a93f48f6193e7d9aa7071506a5877da09a783509ca5fff42", + "sha256:4d9ebac23d2de960726ce45f49d70eb5466725c0087a078866043dad115f850f", + "sha256:50d4613025f15f4b11f1c54bbed4761c0020f7f921b95143ad6d58c151198142", + "sha256:5230a99e724a1bdbbf236a1b58d6e8504b912b0552721c7c6b8570925ee0ccde", + "sha256:54465401dbbec9a6a42cf737627fb0f014d50dc7365a6b6cd57753f151a86ff0", + "sha256:550059885dc9c19a072ca6d6735739d879be3b5959ec218ba3e013fd2255a11b", + "sha256:557be7fbf2bfa4a2ec65192c254e151684545ebab45eca5d50477d562c40f986", + "sha256:5b65be160adcd9de7a7e6413a4966665756e263f0d5ddeffde277ffeee0576a5", + "sha256:64eba6f168803a7469866a9c9b5263a7463fa8b7a25b35e547492aa7322036b6", + "sha256:72ad589ba5e4a87e1d404cc1cb1b5780bfcb16e2aec957b88ce15fe879cc08ca", + "sha256:7d0c1044bce274ec6711f0770fd2d5544fe392591d204c68328e60a46f88843b", + "sha256:7e5eefc58d20e4c2da82c78d91b2906f1a947ef42bd668db05f4ab4201a99f49", + "sha256:850fec36c48df5a790aa735417dca8ce7d4b48d59b3ebd6f83e88a8125cde324", + "sha256:85b392aba273566c3d5596a0a490978c085b79700814fb22bfd537d381dd230c", + "sha256:8c2a56b6aad7cc8f5551d8e04ff5a319d203f9d870398b94702300de50190f63", + "sha256:8f470c79061599a126d74385623ff4744c4e0f4a0997a353a44923c0b561ee51", + "sha256:8ffce9d81c825ac1deaa13bc9694c0562e2840a48ba21cfc9f3b4c922c16f372", + "sha256:9423a2de923820c7e82e18980b937893f4aa8251c43684fa1772e341f6e06887", + "sha256:9b571b281a19762adb3f48a7731f6842f920fa71108aff9be49888320ac3e24d", + "sha256:a04fe458a4597aa559b79c7f48fe3dceabef0f69f562daf5c5e926b153817281", + "sha256:aa47ffcf70ba6f7848349b8a6f9b481ee0f7637931d91a9860a1838bfc586901", + "sha256:bede7ee075e54b9a5bde695b4fc8f569f30185891796b2e4e09e2226801d09bd", + "sha256:c1d2357f791b12d86faced7b5736dea9ef4f5ecdc6c3f253e445ee82da579449", + "sha256:c6eeefd4435055a8ebb6c5cc36111b8591c192c56a95b45fe2af22d9881eee25", + "sha256:ca1b7becf7d9d3ccdbb2f038f665c0f4857e08e1d8481cbcc1a86a0afcfb62b2", + "sha256:e67d4f8734f8054d2c4858570cc4b233bf753f56e85217de4dfb2495904cf02e", + "sha256:e8a34e4c0ab7b1ca17b8763613783e2458e77938092c18ac919420ab8655c8c1", + "sha256:e90491a4d77d0cb82e0e7a9cb35d86284c677402e4ce7ba6b448ccc7325c5421", + "sha256:ef1616b3ba965cd68e6f759eeb5d34fbf596a79e84215eeceebf34ba3f61fdc7", + "sha256:f222e1e9d3f13b68ff8a835574eda02e67277d51631d69d7cf7f8e07df678c86", + "sha256:f5e3088f4ed33947e16fd865b8200f9cfae1144f41b64a8cf19b599508e096bc", + "sha256:f659d7a48401158c59933904040085c200b4be631cb5f23a7d561fbae593ec1f", + "sha256:fe9c766a0c35b7e3d6b6939393c8dfdd5da3ac5dec7f971ec9134f284c6c36d6" ], - "version": "==0.4.0" + "version": "==0.5.0" }, "humanfriendly": { "hashes": [ @@ -493,19 +530,21 @@ }, "idna": { "hashes": [ - "sha256:84d9dd047ffa80596e0f246e2eab0b391788b0503584e8945f2368256d2735ff", - "sha256:9d643ff0a55b762d5cdb124b8eaa99c66322e2157b69160bc32796e824360e6d" + "sha256:814f528e8dead7d329833b91c5faa87d60bf71824cd12a7530b5526063d02cb4", + "sha256:90b77e79eaa3eba6de819a0c442c0b4ceefc341a7a2ab77d7562bf49f425c5c2" ], "markers": "python_version >= '3.5'", - "version": "==3.3" + "version": "==3.4" }, "imap-tools": { "hashes": [ "sha256:4fe4c07c4cc4aab83492d126e221c39118ff530268149b721296fc0fb87de3c2", - "sha256:56942853be2125d509365b84eacf0f3a87ae58ea8f82bca7a6943634a60cfb60" + "sha256:56942853be2125d509365b84eacf0f3a87ae58ea8f82bca7a6943634a60cfb60", + "sha256:6f5572b2e747a81a607438e0ef61ff28f323f6697820493c8ca4467465baeb76", + "sha256:9e2658f267311051e04d437aca06d5b4c7c091fc4f411f7d13ca610e0cead5cb" ], "index": "pypi", - "version": "==0.56.0" + "version": "==0.57.0" }, "img2pdf": { "hashes": [ @@ -515,19 +554,18 @@ }, "importlib-resources": { "hashes": [ - "sha256:568c9f16cb204f9decc8d6d24a572eeea27dacbb4cee9e6b03a8025736769751", - "sha256:7952325ffd516c05a8ad0858c74dff2c3343f136fe66a6002b2623dd1d43f223" + "sha256:c01b1b94210d9849f286b86bb51bcea7cd56dde0600d8db721d7b81330711668", + "sha256:ee17ec648f85480d523596ce49eae8ead87d5631ae1551f913c0100b5edd3437" ], - "index": "pypi", "markers": "python_version < '3.9'", - "version": "==5.8.0" + "version": "==5.10.0" }, "incremental": { "hashes": [ - "sha256:02f5de5aff48f6b9f665d99d48bfc7ec03b6e3943210de7cfc88856d755d6f57", - "sha256:92014aebc6a20b78a8084cdd5645eeaa7f74b8933f70fa3ada2cfbd1e3b54321" + "sha256:912feeb5e0f7e0188e6f42241d2f450002e11bbc0937c65865045854c24c0bd0", + "sha256:b864a1f30885ee72c5ac2835a761b8fe8aa9c28b9395cacf27286602688d3e51" ], - "version": "==21.3.0" + "version": "==22.10.0" }, "inotify-simple": { "hashes": [ @@ -546,11 +584,19 @@ }, "joblib": { "hashes": [ - "sha256:4158fcecd13733f8be669be0683b96ebdbbd38d23559f54dca7205aea1bf1e35", - "sha256:f21f109b3c7ff9d95f8387f752d0d9c34a02aa2f7060c2135f465da0e5160ff6" + "sha256:091138ed78f800342968c523bdde947e7a305b8594b910a0fea2ab83c3c6d385", + "sha256:e1cee4a79e4af22881164f218d4311f60074197fb707e082e803b61f6d137018" ], - "markers": "python_version >= '3.6'", - "version": "==1.1.0" + "markers": "python_version >= '3.7'", + "version": "==1.2.0" + }, + "kombu": { + "hashes": [ + "sha256:37cee3ee725f94ea8bb173eaab7c1760203ea53bbebae226328600f9d2799610", + "sha256:8b213b24293d3417bcf0d2f5537b7f756079e3ea232a8386dcc89a59fd2361a4" + ], + "markers": "python_version >= '3.7'", + "version": "==5.2.4" }, "langdetect": { "hashes": [ @@ -560,6 +606,114 @@ "index": "pypi", "version": "==1.0.9" }, + "levenshtein": { + "hashes": [ + "sha256:019ae21de930d6077efa1eac746de4df5234e7c6c11ab10080c0935fc5abbecf", + "sha256:02688fff6d256afdd57da5359144ddab8e054b2ba98ddcf147fe191bdf996e88", + "sha256:0274b87df89d1dda8dce77cf05a9dfab7bd30045a09e0d9435ec8be622e374e6", + "sha256:0323e8dbeec4d63c27111796baa7e8a89b391c32d90e67d78f9404d0c8edeab4", + "sha256:053edbb52fe8b8a1a6698c4fee39590c9e44a602ace807291eb87e3b17f85f48", + "sha256:059027f5dd2aafb916301f46a619c7fe03ff5761cdb2d091cf80bf6dbc24bc29", + "sha256:05f11a4be4f668974238cff21208fbd9f629cab8a68b444b7d4a4cfd8081b1d6", + "sha256:0ab71cc5ea86f6685a7b2235edad65f1f2a4b6341109af259d758973d96eece5", + "sha256:0b439f4fb0b615bc0443cc83eaf5835bd480f680c69ed1be963bdb401b8159f8", + "sha256:0ec50d24a12e50857e94ac9035d3c06fd0827bb477b9ebcd83a2a49dd89e5e23", + "sha256:131fc50d52a52acc367ea8bccb028447b734243d00ba1cfc7d9ff8d0dc37fa38", + "sha256:17b5f1d1a4a5ac536283298c98cafc5632ae3897c8601fb2ec8babc6f47a1be9", + "sha256:183b8da9b870ad171a11a629c43e0587a228aea9d595a969231d59bf530b6c77", + "sha256:18888d50813b9df9b8dc8c1506ec40c783db25f130a6101eb89896b27076f751", + "sha256:25b88277832eb558305c3bb986ad61f19b5cb5a87aced289bce4a1701a92aa31", + "sha256:266cdab48e2242b6c010beb8b7af4164aa87f4ad8d6fbd9f4f531214f8ddb234", + "sha256:281bffb09b2e1620db4e99a9df96e38d939c341c7c43cd5191326fbdb4d42275", + "sha256:28cd002cf5a499e6e9bd69d992ffd501b8473948f3e97d6e075b774df1901e8e", + "sha256:2972c6c6a806e0c788f6ec39510abdb61b3a648fd141a5fa77becd2cc05ff551", + "sha256:2b4027b370cc46c4802ba32a979729209c0407d548723e809f19a50a9df27405", + "sha256:318c924e218be754427ce6bb4c630d9dcb5478eb00a8a3f8a0972086adc763b1", + "sha256:380accae56f8c9df99f34bc7e79d286fee37c3dd06b362c394b08ea96371b7c5", + "sha256:3c7784f9936292c9d3f92fc772d874edc071a16cd883ea0d997e5c4318f6362c", + "sha256:3ebd85fd6253abe89f852fc008294d490eb7a5f66913703148b8d263b048cc90", + "sha256:4126c8fe9d817ac3ab223ee5db41a09d0fa82dbd6bb59d207b6f7313d733f19b", + "sha256:4155f0ab246b6892110960f25989ab91073cd708b974f4732dca4d219a8be3e1", + "sha256:41f16267d8e6d916e06a6a1a0e151f643a6bab1277945a4bd494f359d4185dd2", + "sha256:4522f5d662d3ee55a072fad18e2af5dae480658d4e23b04b455c4b7542ce4327", + "sha256:46c900c807b0614c454ba89271ec6f59212403c54dc68ea493ab1ece2c510618", + "sha256:48291b25a904243f37c9aabbfed3eaba466c9a993f5f5946fe647163b7face07", + "sha256:5038a5e9e106087c117f0a7d6fd9d8a382b228da24bbd085b9f2b5d54ab11c3a", + "sha256:594a26bcf0cb720c16ac6db3fd4b3f411be756f9da7682f2f629089ff15aef18", + "sha256:59706135d3107939effe9f9263bd78c507f4abd7bfb96acc5a7f4176aa0a90d2", + "sha256:5a327d7581696c7a392a8f85cce7e54fa1303f5b79b3b2983abaab309b56cfd6", + "sha256:5eca8a45d38c916783c44e5da06a367b77234efa51d84dda8804654b99efecc9", + "sha256:5fa85f6789178ede5333568cbee5bac5fa9718d5f02406b65545e83368fa8fe9", + "sha256:65097e45ef7a942a9b92999b81d2e91fe80cbd0616215e625af39d2166692018", + "sha256:65cc9938cb9bd8862fc220e0719fd7f9c291d788f0a62bb8840820c46fa5a4d0", + "sha256:6a4c3607e2a0e66337d8ddf95ca7efe9b30ebf944119a4fb86503ea66f777263", + "sha256:72f11a136f148eb1218e7d1492749b8b5594302010db0cebd47423c4ac8c79ee", + "sha256:78b5a71de59e30c697a64c69fc48b032bb99c43b7437091b808a9ba20bb0235c", + "sha256:7b212edc9bf9d0c25cc3117483289b9e1a49a1ed134a02635baa987e9f0d89db", + "sha256:7e0f7045c420abdea249a28384baa846b87bad5c9f42af1957dc50c6e337fa1a", + "sha256:7e83cfec424f546dc3f0cc71896f8cc384a711f4116bc1abb0598302a9af3240", + "sha256:80c55bcc31d21bd07f7d1589e11f2ac1faf3359cf9f93026a1944ee76a40f954", + "sha256:863740d7f45adfd29b95658a680b16113721eaa89857c67e7e9573c61e87bbd8", + "sha256:88484b8c3f71dc9205d0d36da541e2cdcf4bc74474a2ee8d99c2e6411b659b89", + "sha256:8a08810e0bcc606d10cf1c5389c96fc92362244c0cf761358c495c2eb29df3dc", + "sha256:8c0637ae4fcb54d5c7fc9af24d348003b6f9dbaf7a06bf13f769d7b85903af39", + "sha256:8e9e3409338a42e3d4c30c224fdb678364542c77994f089fd6cc8131969eff48", + "sha256:902ea10ba85e014dc5d23a7bbb3ab70722349561e73783dd71571359e8867244", + "sha256:9533db74a2685169380db3db3ab59643453e7c486fffa9bf3ab60b73c4e174be", + "sha256:97f02ff49d1fa21308207a7743bec4fdd7aa90e8dd091539da660fc51e624c4d", + "sha256:9ea9a2a154dc7d8658930fa87cda0e6094235b5e130f037d9894eaf8722119a5", + "sha256:a0440d847b2c9986e4d27e8a59164714e5198530c69a5f9fb2e4620f9136d653", + "sha256:a6d39a27b542a781d691827b955d685d496fb6cccfc6eecc336a78b399032062", + "sha256:a7f4d3c478b1fcf412bf6c82914b02fed33ab359120df9172dda7bc855227461", + "sha256:ad297807bbdffce61b04e5e0c22f3c5d9e1905c1ee186f1f6d029f83bf0f18b8", + "sha256:add6778bb51efb80174937543754d2dfa0f4e504e7302d97896006a642c14f95", + "sha256:ae075ebf7bb5f48b3bd2fc9cd53346e4ff43e2515a4f822914bbc62a3cbd6e7e", + "sha256:b26fb439a7fbb522af63bbd781fbf51ec0c0659134a93f5bc8e9e68641df811e", + "sha256:b2bac59721d246939b21274229b9923aeae3db97b6118da739c658c17e110dd6", + "sha256:b314ad1f0667715e8d1b6197d5336ab579b13e801172721d62331bd40034a30c", + "sha256:b7317035875bd7c4705e2566848b2043b78e18f2f5675ea651f9f7805b5589eb", + "sha256:b8e936e620e5f336a207e08c0da9dace5d4dbcc8e64743ab1acaa77a64bbf060", + "sha256:b906da4e9a7ba4ec33ed2f7238343866932c1a6f84944c804252b2922708d0ee", + "sha256:ba690e4e33c360fcf0b8411ca90f8b9cc595e8deddd6a25a9a75a725b698cd6a", + "sha256:bb14da3d63da994c34cfa47cde469df8013ddf5f575455a22530c8c4a0ed8616", + "sha256:bbc2e1632f4a61fa171ddab3bc8368fb8475e7ce68733ca92fec862fdd8e0f60", + "sha256:bbdd3c896db09993b7879cd35e56da6ed8918d161d6e80f9d9c40d78d34e4784", + "sha256:bcaaa8e542cb7e1962d0a58ce6a25f6b4b6ca2e5ce743155fc1f6eb2fea52574", + "sha256:bee682ab1005aff597946234e47c95fcf0f44d2b1f38075f0aba26bbc4e7545a", + "sha256:bfec6543d60c57e7543d9cbccdd5dfcf562f2c05cd6b814df68108a20794e254", + "sha256:c2e50baf7be8831524a87beec6c1873539519a1948f907dc3d4b9be27ebacb80", + "sha256:c6c79a6138be017d85f3bab1df735669b669a38f9b3ff646a1f179afbacb7b63", + "sha256:c702fb7c8bfd87c9ce9c8bddfc9a5796a492bab35a52b1693adee413721e32f2", + "sha256:c9ba1725826f6571a6e4c1561bb1613711f0058b91927a147dc42c637ba087d9", + "sha256:cf205ac52cb6b45745c0a4891cdb6e709c10ad5b034aa736aff561fc4ce9828c", + "sha256:d0d03fc67499ee90feedfa2add4aaa1c091a7bf333535d847b10fffe390e58fe", + "sha256:d118d63f08fd6ac285cb8166e96c992a6ed0e7a1644e8790c39070b18779e688", + "sha256:d24c09f397c3ce55f20e0250da7ba5b0e5249cb5d21465e71ec15154a3a7e8e0", + "sha256:d41735c7a646dae8612e0552dfc53f45807eeb54364dfb1f0a65ac274bc56b3a", + "sha256:dd1696d91f2a37cece9bd22e507e7be7c37c59ecc61fd15f0d0f31e3b6888957", + "sha256:dfcad9c63a893c95ba1149481b9680ce68dd71211f08df0073ee62700790bc97", + "sha256:e384782608837d9aaf123e413679883091744664a2cd76f0ad0e0a1f12facc57", + "sha256:e5ea0abea338c617b753082f36f64c70ade853d88e91ab5732b301ae8ed16e3f", + "sha256:e6ff81c570413bcc35f1c16850eb66e2493a3259e68efe8672376533d2c82d38", + "sha256:e88951ad2831880405f3f055ab12a6aa72696c20a2815128eeccdc3bf914cd78", + "sha256:e98e16b6ce531b12100c01daac922e8ec5b991832a5f58003f13b7d45ea82dc0", + "sha256:eb0fd32e8e433797499571447d9f975b4744be79c0a3339413868d79517231ed", + "sha256:ee74a73e1f9e16b71f67329e99bb58aa4af9a2c3c4b3a5db9f26e92e7c39e161", + "sha256:f15ec5f825c283a5aa427d78759ab8f84e7b5441d15cfff476b548bce3764666", + "sha256:f296c7fe928ce0e29e313f85c43a5ab80542e096e1163c2605b8cc18aa2aff2b", + "sha256:f32df1b19f773bb41382e8b215955d248c9766e3d6ff5a1dd89709e7d96e4685", + "sha256:f3ed67279a4b317a808ac743d3a915f74187530c5f3d9c859e5d04d475b8c174", + "sha256:f5b972ca514898fb7131671c425a62ca38fdae2a8d6296e4b605ec8202349f8c", + "sha256:f961086c0dbba6c00cbd5c5b5646247efd0d0a4044444bfaa9efc7a6ba5e96a5", + "sha256:f9bd7d7a449667d6f17edd9045ec82a4ed2767afb91743d3d0b18c376a56dfe2", + "sha256:fbac4c8ffadb685189efa92fafdb2f5392e9cbd262eae3818bcdb1bd19acaaf2", + "sha256:fc43c8276d0a7c7b76f31d4f3f80f9eb820673628f1411770a70029c1d5f6a75", + "sha256:fcfded324f0710632e22050a2fd7b56b1cbcb2d21001630bcc26d536f54bffec", + "sha256:ff435abdcbfdf4a070f488830cd53aef77cf8649d0fd8ed76bf27d9566e80e78" + ], + "markers": "python_version >= '3.6'", + "version": "==0.20.7" + }, "lxml": { "hashes": [ "sha256:04da965dfebb5dac2619cb90fcf93efdb35b3c6994fea58a157a834f2f94b318", @@ -584,7 +738,6 @@ "sha256:4780677767dd52b99f0af1f123bc2c22873d30b474aa0e2fc3fe5e02217687c7", "sha256:4878e667ebabe9b65e785ac8da4d48886fe81193a84bbe49f12acff8f7a383a4", "sha256:487c8e61d7acc50b8be82bda8c8d21d20e133c3cbf41bd8ad7eb1aaeb3f07c97", - "sha256:49a866923e69bc7da45a0565636243707c22752fc38f6b9d5c8428a86121022c", "sha256:4beea0f31491bc086991b97517b9683e5cfb369205dac0148ef685ac12a20a67", "sha256:4cfbe42c686f33944e12f45a27d25a492cc0e43e1dc1da5d6a87cbcaf2e95627", "sha256:4d5bae0a37af799207140652a700f21a85946f107a199bcb06720b13a4f1f0b7", @@ -694,41 +847,88 @@ ], "version": "==1.0.4" }, + "mysqlclient": { + "hashes": [ + "sha256:0d1cd3a5a4d28c222fa199002810e8146cffd821410b67851af4cc80aeccd97c", + "sha256:828757e419fb11dd6c5ed2576ec92c3efaa93a0f7c39e263586d1ee779c3d782", + "sha256:996924f3483fd36a34a5812210c69e71dea5a3d5978d01199b78b7f6d485c855", + "sha256:b355c8b5a7d58f2e909acdbb050858390ee1b0e13672ae759e5e784110022994", + "sha256:c1ed71bd6244993b526113cca3df66428609f90e4652f37eb51c33496d478b37", + "sha256:c812b67e90082a840efb82a8978369e6e69fc62ce1bda4ca8f3084a9d862308b", + "sha256:dea88c8d3f5a5d9293dfe7f087c16dd350ceb175f2f6631c9cf4caf3e19b7a96" + ], + "index": "pypi", + "version": "==2.1.1" + }, + "nltk": { + "hashes": [ + "sha256:ba3de02490308b248f9b94c8bc1ac0683e9aa2ec49ee78536d8667afb5e3eec8", + "sha256:d6507d6460cec76d70afea4242a226a7542f85c669177b9c7f562b7cf1b05502" + ], + "index": "pypi", + "version": "==3.7" + }, "numpy": { "hashes": [ - "sha256:1408c3527a74a0209c781ac82bde2182b0f0bf54dea6e6a363fe0cc4488a7ce7", - "sha256:173f28921b15d341afadf6c3898a34f20a0569e4ad5435297ba262ee8941e77b", - "sha256:1865fdf51446839ca3fffaab172461f2b781163f6f395f1aed256b1ddc253622", - "sha256:3119daed207e9410eaf57dcf9591fdc68045f60483d94956bee0bfdcba790953", - "sha256:35590b9c33c0f1c9732b3231bb6a72d1e4f77872390c47d50a615686ae7ed3fd", - "sha256:37e5ebebb0eb54c5b4a9b04e6f3018e16b8ef257d26c8945925ba8105008e645", - "sha256:37ece2bd095e9781a7156852e43d18044fd0d742934833335599c583618181b9", - "sha256:3ab67966c8d45d55a2bdf40701536af6443763907086c0a6d1232688e27e5447", - "sha256:47f10ab202fe4d8495ff484b5561c65dd59177949ca07975663f4494f7269e3e", - "sha256:55df0f7483b822855af67e38fb3a526e787adf189383b4934305565d71c4b148", - "sha256:5d732d17b8a9061540a10fda5bfeabca5785700ab5469a5e9b93aca5e2d3a5fb", - "sha256:68b69f52e6545af010b76516f5daaef6173e73353e3295c5cb9f96c35d755641", - "sha256:7e8229f3687cdadba2c4faef39204feb51ef7c1a9b669247d49a24f3e2e1617c", - "sha256:8002574a6b46ac3b5739a003b5233376aeac5163e5dcd43dd7ad062f3e186129", - "sha256:876f60de09734fbcb4e27a97c9a286b51284df1326b1ac5f1bf0ad3678236b22", - "sha256:9ce242162015b7e88092dccd0e854548c0926b75c7924a3495e02c6067aba1f5", - "sha256:a35c4e64dfca659fe4d0f1421fc0f05b8ed1ca8c46fb73d9e5a7f175f85696bb", - "sha256:aeba539285dcf0a1ba755945865ec61240ede5432df41d6e29fab305f4384db2", - "sha256:b15c3f1ed08df4980e02cc79ee058b788a3d0bef2fb3c9ca90bb8cbd5b8a3a04", - "sha256:c2f91f88230042a130ceb1b496932aa717dcbd665350beb821534c5c7e15881c", - "sha256:d748ef349bfef2e1194b59da37ed5a29c19ea8d7e6342019921ba2ba4fd8b624", - "sha256:e0d7447679ae9a7124385ccf0ea990bb85bb869cef217e2ea6c844b6a6855073" + "sha256:07a8c89a04997625236c5ecb7afe35a02af3896c8aa01890a849913a2309c676", + "sha256:08d9b008d0156c70dc392bb3ab3abb6e7a711383c3247b410b39962263576cd4", + "sha256:17e5226674f6ea79e14e3b91bfbc153fdf3ac13f5cc54ee7bc8fdbe820a32da0", + "sha256:201b4d0552831f7250a08d3b38de0d989d6f6e4658b709a02a73c524ccc6ffce", + "sha256:2bd879d3ca4b6f39b7770829f73278b7c5e248c91d538aab1e506c628353e47f", + "sha256:2c10a93606e0b4b95c9b04b77dc349b398fdfbda382d2a39ba5a822f669a0123", + "sha256:3ca688e1b9b95d80250bca34b11a05e389b1420d00e87a0d12dc45f131f704a1", + "sha256:48a3aecd3b997bf452a2dedb11f4e79bc5bfd21a1d4cc760e703c31d57c84b3e", + "sha256:4f41f5bf20d9a521f8cab3a34557cd77b6f205ab2116651f12959714494268b0", + "sha256:5593f67e66dea4e237f5af998d31a43e447786b2154ba1ad833676c788f37cde", + "sha256:568dfd16224abddafb1cbcce2ff14f522abe037268514dd7e42c6776a1c3f8e5", + "sha256:5bfb1bb598e8229c2d5d48db1860bcf4311337864ea3efdbe1171fb0c5da515d", + "sha256:5e28cd64624dc2354a349152599e55308eb6ca95a13ce6a7d5679ebff2962913", + "sha256:633679a472934b1c20a12ed0c9a6c9eb167fbb4cb89031939bfd03dd9dbc62b8", + "sha256:639b54cdf6aa4f82fe37ebf70401bbb74b8508fddcf4797f9fe59615b8c5813a", + "sha256:806970e69106556d1dd200e26647e9bee5e2b3f1814f9da104a943e8d548ca38", + "sha256:806cc25d5c43e240db709875e947076b2826f47c2c340a5a2f36da5bb10c58d6", + "sha256:8247f01c4721479e482cc2f9f7d973f3f47810cbc8c65e38fd1bbd3141cc9842", + "sha256:8251ed96f38b47b4295b1ae51631de7ffa8260b5b087808ef09a39a9d66c97ab", + "sha256:8ebf7e194b89bc66b78475bd3624d92980fca4e5bb86dda08d677d786fefc414", + "sha256:8ecb818231afe5f0f568c81f12ce50f2b828ff2b27487520d85eb44c71313b9e", + "sha256:8f9d84a24889ebb4c641a9b99e54adb8cab50972f0166a3abc14c3b93163f074", + "sha256:909c56c4d4341ec8315291a105169d8aae732cfb4c250fbc375a1efb7a844f8f", + "sha256:92bfa69cfbdf7dfc3040978ad09a48091143cffb778ec3b03fa170c494118d75", + "sha256:97098b95aa4e418529099c26558eeb8486e66bd1e53a6b606d684d0c3616b168", + "sha256:9b83d48e464f393d46e8dd8171687394d39bc5abfe2978896b77dc2604e8635d", + "sha256:a3bae1a2ed00e90b3ba5f7bd0a7c7999b55d609e0c54ceb2b076a25e345fa9f4", + "sha256:ac987b35df8c2a2eab495ee206658117e9ce867acf3ccb376a19e83070e69418", + "sha256:b78d00e48261fbbd04aa0d7427cf78d18401ee0abd89c7559bbf422e5b1c7d01", + "sha256:b8b97a8a87cadcd3f94659b4ef6ec056261fa1e1c3317f4193ac231d4df70215", + "sha256:bd5b7ccae24e3d8501ee5563e82febc1771e73bd268eef82a1e8d2b4d556ae66", + "sha256:bdc02c0235b261925102b1bd586579b7158e9d0d07ecb61148a1799214a4afd5", + "sha256:be6b350dfbc7f708d9d853663772a9310783ea58f6035eec649fb9c4371b5389", + "sha256:c34ea7e9d13a70bf2ab64a2532fe149a9aced424cd05a2c4ba662fd989e3e45f", + "sha256:c403c81bb8ffb1c993d0165a11493fd4bf1353d258f6997b3ee288b0a48fce77", + "sha256:cf8c6aed12a935abf2e290860af8e77b26a042eb7f2582ff83dc7ed5f963340c", + "sha256:d98addfd3c8728ee8b2c49126f3c44c703e2b005d4a95998e2167af176a9e722", + "sha256:dbc7601a3b7472d559dc7b933b18b4b66f9aa7452c120e87dfb33d02008c8a18", + "sha256:dc76bca1ca98f4b122114435f83f1fcf3c0fe48e4e6f660e07996abf2f53903c", + "sha256:dec198619b7dbd6db58603cd256e092bcadef22a796f778bf87f8592b468441d", + "sha256:df28dda02c9328e122661f399f7655cdcbcf22ea42daa3650a26bce08a187450", + "sha256:e603ca1fb47b913942f3e660a15e55a9ebca906857edfea476ae5f0fe9b457d5", + "sha256:e7927a589df200c5e23c57970bafbd0cd322459aa7b1ff73b7c2e84d6e3eae62", + "sha256:ecfdd68d334a6b97472ed032b5b37a30d8217c097acfff15e8452c710e775524", + "sha256:f8c1f39caad2c896bc0018f699882b345b2a63708008be29b1f355ebf6f933fe", + "sha256:f950f8845b480cffe522913d35567e29dd381b0dc7e4ce6a4a9f9156417d2430", + "sha256:fade0d4f4d292b6f39951b6836d7a3c7ef5b2347f3c420cd9820a1d90d794802", + "sha256:fdf3c08bce27132395d3c3ba1503cac12e17282358cb4bddc25cc46b0aca07aa" ], - "markers": "python_version >= '3.8'", - "version": "==1.23.1" + "index": "pypi", + "version": "==1.22.3" }, "ocrmypdf": { "hashes": [ - "sha256:4c3d9ead76d2cbf248fa764bf6950acacc5586a153895e136332d3df0af4f4f5", - "sha256:ed2ad72ef796770c38edf5eb43392c6d166eb8959ad14a19ea0350c510b9c121" + "sha256:77fdd52cb925bb94291ae62d22f2cb8253fb4199d0bf33b43e7fb7f078cac51c", + "sha256:a34d621cadd4bf8ba15fe41db1f9cb315bcd3cfbd41a218a5df922c04e2e9541" ], "index": "pypi", - "version": "==13.6.0" + "version": "==14.0.1" }, "packaging": { "hashes": [ @@ -740,11 +940,11 @@ }, "pathvalidate": { "hashes": [ - "sha256:119ba36be7e9a405d704c7b7aea4b871c757c53c9adc0ed64f40be1ed8da2781", - "sha256:e5b2747ad557363e8f4124f0553d68878b12ecabd77bcca7e7312d5346d20262" + "sha256:5ff57d0fabe5ecb7a4f1e4957bfeb5ad8ab5ab4c0fa71f79c6bbc24bd9b7d14d", + "sha256:e39a4dfacdba70e3a96d3e4c6ff617a39e991cf242e6e1f2017f1f67c3408d33" ], "index": "pypi", - "version": "==2.5.0" + "version": "==2.5.2" }, "pdf2image": { "hashes": [ @@ -764,41 +964,45 @@ }, "pikepdf": { "hashes": [ - "sha256:021021b30c0d8bc0637c73463f85141154f8434870d60b18a9b8c9f3763e7bf4", - "sha256:0438140aee2e46c11379fe14a5a2b982b311ad2683a6749091ce60a28ee9fbf2", - "sha256:0d6ff379b9b9f5efb25e1a35e4d18c6e2f2fc6b9515f29620fafdb1a81a7b926", - "sha256:2e2b5fa3889e05ca78c2e7c8737a31f22e5689a38bab70a78d41325c9532cdfb", - "sha256:35d4913fb161fc9d8e32f970a80c8f5a8fda013393072a5b83d05738e06e7f2a", - "sha256:451435fcbbde528ea5650e61af00840c2983b218fcb58ac2d734d9c96836e53d", - "sha256:4ad6926ccdb65830a7477db96dd3fe500d6be4f5f1195caf38ed151c77f873ed", - "sha256:4f62bab6f017974a5cb640493881e1f1af9f653dc3c60c1568332e188d62bce9", - "sha256:692bcd0e1802a4d478734fd5d3a557a9050b906862e70fab2abe942bd8bd0be3", - "sha256:69e081faabcc60a652b95bdf6330198346bf2c79dd60c6935fb1b4aa7fdb7472", - "sha256:714c47c0d8d4ca07f301974b6497acacc9bb9d4387d2d5eb0cc52c0d366f80ce", - "sha256:7bd8e8bd7532c5652927061ae58668297d564d77a8844d54fd83f0a03a27c355", - "sha256:7ded2776ba03340ffd8543cf9a02322ad29f18ad32dff95d3262965d54dc4bd3", - "sha256:87b409871ab24818e49b2061cc7fc64d27f88173263945b318172b4b13b3326f", - "sha256:8a7174e748c1e442aee47a2efdc772ef13947c5da94ecae99e5cf08dde1c6a52", - "sha256:908e5cd64eaa45a3527cb13497baa09fb68aa91faf746e53269d1f3286dd6959", - "sha256:90b6a7fe632462feba79f2981b88b225a7e286f7535c87fac1d9f3c1dc165bba", - "sha256:9b7d0a38c71114c58b3c4ab4f37aa809466e9ccc16762a1cd1badbf6df194545", - "sha256:a184b83c47a22092ecbe4b849440a0a50f5bffb392f89fe5a863e115b0f6cb46", - "sha256:a60e4a6f41c0f97de81a0d9a84e1968e8ef5feb3bfa599ad77975bd9ca8266bc", - "sha256:a97b930121c2a19ad4ce8cc733fb4b45f79152becf21debf949bec51fcc95c29", - "sha256:b06d847c93857127ccfc38a578b64dc460cee39981e50ba856ffa122525b838b", - "sha256:b0f75244c48e81655a1b91fce960bfd42f1c978af273ce0d5f6ee20093741249", - "sha256:b54729e983d8c0289eb94ceb48cf170555ab0928b364e9d3b7a1204fde979647", - "sha256:b637d18b9d6a59199ad1b061e821e9eb6e6a81e3483a8233a03fa66bb40d2957", - "sha256:b8c9e5cc1c73fa4d0dae9f4b184adbc72949973a011f2746c851affec3c0ede3", - "sha256:bc7374c33c7977bdfba05546fdb07b2e5b2c53ac7a54cc1da001431dc6375e26", - "sha256:cfb76f360f914954340fa8c05c8f849f54c55a76bf94a114351ffa9a3665ad4d", - "sha256:d3b0228da670b194cdc470ddc84239f499a11ebade12c9d721195171b78c1866", - "sha256:e3c7c2e5f4cacf76a6340d43c68829a8f4a841728472d03cb996023b350e8548", - "sha256:e6f5267179115af4de26d8d83e6b5f721b3a632cd68f931acd83c78f236c7f3c", - "sha256:eb51f78841e61d2921379d5c275315c7a7fcda35aecd6ddf9e3556bad8a2e142" + "sha256:02a58790137b6e567cd822f590f3da406826bcf362f821c05d5e54e97fb34553", + "sha256:05e374d8223527f07bf27c24b00c7b8fb810f7e0bef199576537e66732cf0757", + "sha256:0681fe83604a6b3a7eb13f64aa2a636110142691e2d9e69b71503502da7ca5ac", + "sha256:0aaf2e5455310b954ca148034d266d6c38ffe330d8990119a5ea6b85c94a3d17", + "sha256:0ac4da28e9093850c526223b29063a18aca96686eff6fb53dcc066c93d7aad5a", + "sha256:188e015b522b304a683bf8e3347d8745245bcc3bb7559e3b18be29bba7aeb939", + "sha256:25681a5b30fbf6fc57af1434b132341a3b621b7d190d6046aa5ea444eaf3a99c", + "sha256:2a553de0a526b45beb4b11a19fe48509fa033e5bfd124966a768c45a3d562235", + "sha256:2c844913e6178e4a012bf31a4c570dbf44dc5dbe744a58b468b18e470b39306c", + "sha256:31637fd4990d2f79e43f407184dc4ce7c9f75af1c7e99e573b1a0edce5386e84", + "sha256:396f2188b7bcb007eea91d3a310114aa85db159981ec7e0a11e6b8083f559933", + "sha256:41755c44bf0187c91bc0bc58b7107e5e6839ebd3c71d4e41970ff6f1738ccfe8", + "sha256:4942530edd535c150dd9924ed42af80217f7ff629256defda9371c3ef7a90816", + "sha256:58501545f38056db362b7997e5ec1a84e6bb258bb1402dc88c00928e9d6c3d89", + "sha256:5aa631972c6ad5620731e5591acd66152af5c94fa0d4f1ad2a502593a07430d8", + "sha256:5d64ea8436aaea551ffa821006c02c4fb3199e24b47bfa1b9acfff97819bbc66", + "sha256:622220c768cc48859be8c317ade07a83d35508a06d9ddf5563d3e85cbf1bf7d4", + "sha256:719140beb3e80d127762dc5497ea5b94b7b8a1ba1782c46ec99d79f49174cffe", + "sha256:71e6d12c2b416c825cc97d1e5041a3f2881a5bc4a454cc6cb7b5096e7bc04bfa", + "sha256:7a6731d19c338ecf98159fa9989eaffbb15b9c25c6eef366a0c5b2a68c299849", + "sha256:836d3adad3445274415880ebe0946a465f5e41e3debbc25ccc59870c2bf3b015", + "sha256:84eddbed6c12b04360eec35a3c9970b1d1321832e18936b1bad0f7165d44bbaa", + "sha256:8534ea179d858ab91d3ae04ed3a9aac3d24241363d47bc0fd60660c468a56adf", + "sha256:90c0bd43745e80ce7ffef8a4848c59e45dbbae6b2feeda3819ad5ce3f8461daa", + "sha256:9e365c7ad614a690c20607039abdf3c5cfbf86e92ac9fdd3764e03b4a7515c23", + "sha256:a2edc608e073bd6d5c183eaecd0be8bcd160dcb1b6acd3019258d7096f6e7b8f", + "sha256:a7c05a430d3af2bab5df231a3f67586e2545a9e436e94f824f95e56a420f9748", + "sha256:ac68c694da7e95420c3d7b46c98dcc659b211c080d4b5088c317b0540d5933d6", + "sha256:ad85ebc064bb44742084be2093db8f340e01ab54f3d23a3be7c270620a43af63", + "sha256:b0fa2ec2fc4bd3ed6e91da06603dc1e486559151e98a21346232c848af73d3f4", + "sha256:b557ae766dbc5f7c1862f5fad6d852a89a58857d8849da1cb37f349d9024ca5f", + "sha256:bc57788c24a57acc64ad634f6ab749c14dfd34db1fff0f4842628a70f260c10a", + "sha256:c9549211f77fcbe3fe7b0fba359400e8c980339e5e011b84d0e12f6cdd87d712", + "sha256:ce1df32bbda7dffbe7ba1f69dd05e14f3fe952db00c5ff67bdddcfb8bfa43132", + "sha256:e3f481da764a5c102a75d89e389524fb87a5d63af7f97ba44ea551f7ab994eb8", + "sha256:edaae73c602e947f9ba98e24eab8548959db91ad189e1a3f9c5a1f091088a5e3" ], "index": "pypi", - "version": "==5.3.1" + "version": "==6.2.0" }, "pillow": { "hashes": [ @@ -817,6 +1021,7 @@ "sha256:2ad0d4df0f5ef2247e27fc790d5c9b5a0af8ade9ba340db4a73bb1a4a3e5fb4f", "sha256:2c58b24e3a63efd22554c676d81b0e57f80e0a7d3a5874a7e14ce90ec40d3069", "sha256:2d33a11f601213dcd5718109c09a52c2a1c893e7461f0be2d6febc2879ec2402", + "sha256:336b9036127eab855beec9662ac3ea13a4544a523ae273cbf108b228ecac8437", "sha256:337a74fd2f291c607d220c793a8135273c4c2ab001b03e601c36766005f36885", "sha256:37ff6b522a26d0538b753f0b4e8e164fdada12db6c6f00f62145d732d8a3152e", "sha256:3d1f14f5f691f55e1b47f824ca4fdcb4b19b4323fe43cc7bb105988cad7496be", @@ -845,6 +1050,7 @@ "sha256:a647c0d4478b995c5e54615a2e5360ccedd2f85e70ab57fbe817ca613d5e63b8", "sha256:a9c9bc489f8ab30906d7a85afac4b4944a572a7432e00698a7239f44a44e6efb", "sha256:ad2277b185ebce47a63f4dc6302e30f05762b688f8dc3de55dbae4651872cdf3", + "sha256:adabc0bce035467fb537ef3e5e74f2847c8af217ee0be0455d4fec8adc0462fc", "sha256:b6d5e92df2b77665e07ddb2e4dbd6d644b78e4c0d2e9272a852627cdba0d75cf", "sha256:bc431b065722a5ad1dfb4df354fb9333b7a582a5ee39a90e6ffff688d72f27a1", "sha256:bdd0de2d64688ecae88dd8935012c4a72681e5df632af903a1dca8c5e7aa871a", @@ -880,22 +1086,30 @@ "markers": "python_version >= '3'", "version": "==2.5.1" }, + "prompt-toolkit": { + "hashes": [ + "sha256:9696f386133df0fc8ca5af4895afe5d78f5fcfe5258111c2a79a1c3e41ffa96d", + "sha256:9ada952c9d1787f52ff6d5f3484d0b4df8952787c087edf6a1f7c2cb1ea88148" + ], + "markers": "python_full_version >= '3.6.2'", + "version": "==3.0.31" + }, "psycopg2": { "hashes": [ - "sha256:06f32425949bd5fe8f625c49f17ebb9784e1e4fe928b7cce72edc36fb68e4c0c", - "sha256:0762c27d018edbcb2d34d51596e4346c983bd27c330218c56c4dc25ef7e819bf", - "sha256:083707a696e5e1c330af2508d8fab36f9700b26621ccbcb538abe22e15485362", - "sha256:34b33e0162cfcaad151f249c2649fd1030010c16f4bbc40a604c1cb77173dcf7", - "sha256:4295093a6ae3434d33ec6baab4ca5512a5082cc43c0505293087b8a46d108461", - "sha256:8cf3878353cc04b053822896bc4922b194792df9df2f1ad8da01fb3043602126", - "sha256:8e841d1bf3434da985cc5ef13e6f75c8981ced601fd70cc6bf33351b91562981", - "sha256:9572e08b50aed176ef6d66f15a21d823bb6f6d23152d35e8451d7d2d18fdac56", - "sha256:a81e3866f99382dfe8c15a151f1ca5fde5815fde879348fe5a9884a7c092a305", - "sha256:cb10d44e6694d763fa1078a26f7f6137d69f555a78ec85dc2ef716c37447e4b2", - "sha256:d3ca6421b942f60c008f81a3541e8faf6865a28d5a9b48544b0ee4f40cac7fca" + "sha256:07b90a24d5056687781ddaef0ea172fd951f2f7293f6ffdd03d4f5077801f426", + "sha256:1da77c061bdaab450581458932ae5e469cc6e36e0d62f988376e9f513f11cb5c", + "sha256:46361c054df612c3cc813fdb343733d56543fb93565cff0f8ace422e4da06acb", + "sha256:839f9ea8f6098e39966d97fcb8d08548fbc57c523a1e27a1f0609addf40f777c", + "sha256:849bd868ae3369932127f0771c08d1109b254f08d48dc42493c3d1b87cb2d308", + "sha256:8de6a9fc5f42fa52f559e65120dcd7502394692490c98fed1221acf0819d7797", + "sha256:a11946bad3557ca254f17357d5a4ed63bdca45163e7a7d2bfb8e695df069cc3a", + "sha256:aa184d551a767ad25df3b8d22a0a62ef2962e0e374c04f6cbd1204947f540d61", + "sha256:aafa96f2da0071d6dd0cbb7633406d99f414b40ab0f918c9d9af7df928a1accb", + "sha256:c7fa041b4acb913f6968fce10169105af5200f296028251d817ab37847c30184", + "sha256:d529926254e093a1b669f692a3aa50069bc71faf5b0ecd91686a78f62767d52f" ], "index": "pypi", - "version": "==2.9.3" + "version": "==2.9.4" }, "pyasn1": { "hashes": [ @@ -942,10 +1156,10 @@ }, "pyopenssl": { "hashes": [ - "sha256:660b1b1425aac4a1bea1d94168a85d99f0b3144c869dd4390d27629d0087f1bf", - "sha256:ea252b38c87425b64116f808355e8da644ef9b07e429398bfece610f893ee2e0" + "sha256:7a83b7b272dd595222d672f5ce29aa030f1fb837630ef229f62e72e395ce8968", + "sha256:b28437c9773bb6c6958628cf9c3bebe585de661dba6f63df17111966363dd15e" ], - "version": "==22.0.0" + "version": "==22.1.0" }, "pyparsing": { "hashes": [ @@ -965,25 +1179,26 @@ }, "python-dotenv": { "hashes": [ - "sha256:b7e3b04a59693c42c36f9ab1cc2acc46fa5df8c78e178fc33a8d4cd05c8d498f", - "sha256:d92a187be61fe482e4fd675b6d52200e7be63a12b724abbf931a40ce4fa92938" + "sha256:1684eb44636dd462b66c3ee016599815514527ad99965de77f43e0944634a7e5", + "sha256:b77d08274639e3d34145dfa6c7008e66df0f04b7be7a75fd0d5292c191d79045" ], "index": "pypi", - "version": "==0.20.0" + "version": "==0.21.0" }, "python-gnupg": { "hashes": [ - "sha256:012960bde4d25dad631bb7650f563dda5e7271248a73f3584240063a293d99d8", - "sha256:aaa748795572591aaf127b4ac8985684f3673ff82b39f370c836b006e68fc537" + "sha256:345723a03e67b82aba0ea8ae2328b2e4a3906fbe2c18c4082285c3b01068f270", + "sha256:70758e387fc0e0c4badbcb394f61acbe68b34970a8fed7e0f7c89469fe17912a" ], "index": "pypi", - "version": "==0.4.9" + "version": "==0.5.0" }, "python-levenshtein": { "hashes": [ - "sha256:dc2395fbd148a1ab31090dd113c366695934b9e85fe5a4b2a032745efd0346f6" + "sha256:88a58b95e3340a918489dac0c78f731323c0a4d8f5564f839ffea80155574e77", + "sha256:9228af5523f797f0798f045dc4a95ed1f46df72bc2186e52b530a33998a51b37" ], - "version": "==0.12.2" + "version": "==0.20.7" }, "python-magic": { "hashes": [ @@ -995,10 +1210,10 @@ }, "pytz": { "hashes": [ - "sha256:1e760e2fe6a8163bc0b3d9a19c4f84342afa0a2affebfaa84b01b978a02ecaa7", - "sha256:e68985985296d9a66a881eb3193b0906246245294a881e7c8afe623866ac6a5c" + "sha256:2c0784747071402c6e99f0bafdb7da0fa22645f06554c7ae06bf6358897e9c91", + "sha256:48ce799d83b6f8aab2020e369b627446696619e79645419610b9facd909b3174" ], - "version": "==2022.1" + "version": "==2022.4" }, "pytz-deprecation-shim": { "hashes": [ @@ -1010,6 +1225,7 @@ }, "pyyaml": { "hashes": [ + "sha256:01b45c0191e6d66c470b6cf1b9531a771a83c1c4208272ead47a3ae4f2f603bf", "sha256:0283c35a6a9fbf047493e3a0ce8d79ef5030852c51e9d911a27badfde0605293", "sha256:055d937d65826939cb044fc8c9b08889e8c743fdc6a32b33e2390f66013e449b", "sha256:07751360502caac1c067a8132d150cf3d61339af5691fe9e87803040dbc5db57", @@ -1021,26 +1237,32 @@ "sha256:277a0ef2981ca40581a47093e9e2d13b3f1fbbeffae064c1d21bfceba2030287", "sha256:2cd5df3de48857ed0544b34e2d40e9fac445930039f3cfe4bcc592a1f836d513", "sha256:40527857252b61eacd1d9af500c3337ba8deb8fc298940291486c465c8b46ec0", + "sha256:432557aa2c09802be39460360ddffd48156e30721f5e8d917f01d31694216782", "sha256:473f9edb243cb1935ab5a084eb238d842fb8f404ed2193a915d1784b5a6b5fc0", "sha256:48c346915c114f5fdb3ead70312bd042a953a8ce5c7106d5bfb1a5254e47da92", "sha256:50602afada6d6cbfad699b0c7bb50d5ccffa7e46a3d738092afddc1f9758427f", "sha256:68fb519c14306fec9720a2a5b45bc9f0c8d1b9c72adf45c37baedfcd949c35a2", "sha256:77f396e6ef4c73fdc33a9157446466f1cff553d979bd00ecb64385760c6babdc", + "sha256:81957921f441d50af23654aa6c5e5eaf9b06aba7f0a19c18a538dc7ef291c5a1", "sha256:819b3830a1543db06c4d4b865e70ded25be52a2e0631ccd2f6a47a2822f2fd7c", "sha256:897b80890765f037df3403d22bab41627ca8811ae55e9a722fd0392850ec4d86", "sha256:98c4d36e99714e55cfbaaee6dd5badbc9a1ec339ebfc3b1f52e293aee6bb71a4", "sha256:9df7ed3b3d2e0ecfe09e14741b857df43adb5a3ddadc919a2d94fbdf78fea53c", "sha256:9fa600030013c4de8165339db93d182b9431076eb98eb40ee068700c9c813e34", "sha256:a80a78046a72361de73f8f395f1f1e49f956c6be882eed58505a15f3e430962b", + "sha256:afa17f5bc4d1b10afd4466fd3a44dc0e245382deca5b3c353d8b757f9e3ecb8d", "sha256:b3d267842bf12586ba6c734f89d1f5b871df0273157918b0ccefa29deb05c21c", "sha256:b5b9eccad747aabaaffbc6064800670f0c297e52c12754eb1d976c57e4f74dcb", + "sha256:bfaef573a63ba8923503d27530362590ff4f576c626d86a9fed95822a8255fd7", "sha256:c5687b8d43cf58545ade1fe3e055f70eac7a5a1a0bf42824308d868289a95737", "sha256:cba8c411ef271aa037d7357a2bc8f9ee8b58b9965831d9e51baf703280dc73d3", "sha256:d15a181d1ecd0d4270dc32edb46f7cb7733c7c508857278d3d378d14d606db2d", + "sha256:d4b0ba9512519522b118090257be113b9468d804b19d63c71dbcf4a48fa32358", "sha256:d4db7c7aef085872ef65a8fd7d6d09a14ae91f691dec3e87ee5ee0539d516f53", "sha256:d4eccecf9adf6fbcc6861a38015c2a64f38b9d94838ac1810a9023a0609e1b78", "sha256:d67d839ede4ed1b28a4e8909735fc992a923cdb84e618544973d7dfc71540803", "sha256:daf496c58a8c52083df09b80c860005194014c3698698d1a57cbcfa182142a3a", + "sha256:dbad0e9d368bb989f4515da330b88a057617d16b6a8245084f1b05400f24609f", "sha256:e61ceaab6f49fb8bdfaa0f92c4b57bcfbea54c09277b1b4f7ac376bfb7a7c174", "sha256:f84fbc98b019fef2ee9a1cb3ce93e3187a6df0b2538a651bfb890254ba9f90b5" ], @@ -1055,7 +1277,118 @@ "index": "pypi", "version": "==0.1.9" }, + "rapidfuzz": { + "hashes": [ + "sha256:036f904bcac16d726273eee7ec0636978af31d151f30c95b611240e22592ab79", + "sha256:0429a7a51d1372afaca969ee3170f9975f2fe6e187b485aeef55d3e8d7d934e0", + "sha256:09de4fd3dbcc73f61b85af006372f48fee7d4324de227702b9da0d2572445d26", + "sha256:0c8a5e65cab629ca5bb4b1d2b410f8444384b60364ab528508200acfdf9e659d", + "sha256:0e64ab58b19866ad3df53e651a429871d744f8794cca25c553396b25d679a1ac", + "sha256:0f09ff49b28e557615a9ad4d5eedbfd5b886fccb3ec35d85dd34c51348c4bf98", + "sha256:12e14b0c43e3bc0c679ef09bfcbcaf9397534e03b8854c417086779a79e08bb2", + "sha256:134a467692216e05a8806efe40e3bcae9aa81b9e051b209a4244b639a168c78e", + "sha256:13ce1019ddce7419502fac43b62ac166d3d6d290b727050e3de5bda79a6beb59", + "sha256:16a2edf3ea888c9d3582761a2bbaa734e03f6db25d96e73edd4dcef6883897ee", + "sha256:17ba5fb474515356608cdb8d750f95c12f3e4dc9a0e2c9d7caca3d4cee55048e", + "sha256:2183fc91971c0853f6170225577d24d81b865d416104b433de53e55a6d2a476a", + "sha256:24569412e1aac1ac008548cdcd40da771e14467f4bacab9f9abfe5bbb5dfe8be", + "sha256:254d5a800de54c416fa9b220e442a4861b272c1223139ae3dee0aea1c9f27c9c", + "sha256:2bc3ec87df5eaad59e6e02e6517047fb268a48866f3531c4b8b59c2c78069fe5", + "sha256:2d3652804ae17920eaa965b1e057ee0ea32d5bb02f50147c82a1d350a86fc3f1", + "sha256:30773e23bebe27ddcf7644d6ebb143bf7c9adeb18019a963172174ef522c0831", + "sha256:3b6573607568438dfc3d4341b0b00d326ac2cf86281df97e7f8c0348e2f89b5e", + "sha256:3d50a2ca8cd1cea13afd2ff8e052ba49860c64cc3e617398670fd6a8d11e450f", + "sha256:3f1c030e2d61d77cb14814640618e29cf13e4554340a3baa9191d162a4dfcd9e", + "sha256:40e8d37d67a6e4713ddb6053eb3007a3ca15eddd23f2e4a5039c39e666c10b3a", + "sha256:41c9e2acfa25c7667b70913d63887f76e981badc1e95a2878257d28b96f5a10c", + "sha256:42d18db6f7e1e6ef85a8e673b2fa3352727cc56e60e48e7c9268fe0286ab9f91", + "sha256:475aacad5d5c4f9ad920b4232cc196d79a1777fe1eada9122103c30154d18af4", + "sha256:47e163d6a6676be9a3a7e93d5a2c3c65a43c1530b680903ebdba951e07ee7999", + "sha256:5080ad715e39b8a2d82339cf4170785e9092c7625ec2095ff3590fdb0a532a41", + "sha256:52639268dffc8900892a5e57964228fb187512b0f249de9a45ba37c6f2bc52a5", + "sha256:54264d70af59224d6874fcc5828da50d99668055574fe254849cab96f3b80e43", + "sha256:553e8e3dce321ed33e8b437586e7765d78e6d8fbb236b02768b46e1b2b91b41e", + "sha256:56aa67bf938e8dcc5e940f183538f09041441f1c4c5a86abe748416950db9d27", + "sha256:578934d7524f8378175295e6411b737d35d393d91d4661c739daa8ea2b185836", + "sha256:588dd5f520683af53a9d9d0cabde0987788c0ea9adfda3b058a9c27f448b2b3f", + "sha256:5aff0ac1723f7c8d751869a51e6b12d703fd6e6153228d68d8773f19bd5bd968", + "sha256:5e3164736ed071dc743994b9228ead52b63010aba24b1621de81b3ac39d490b9", + "sha256:5e89f50f5f3be2b851e9714015e1a26c6546e6b42f3df69b86200af8eacf9d8c", + "sha256:61152fa1e3df04b4e748f09338f36ca32f7953829f4e630d26f7f564f4cb527b", + "sha256:64133c9f45cb88b508d52427339b796c76e1790300c7ea4d2ed210f224e0698d", + "sha256:65b8611c9f5385a2986e11e85137cdecf40610e5d5f250d96a9ed32b7e995c4a", + "sha256:6803ef01f4056d61120e37acba8953e6b3149363e85caaba40ee8d49753fe7bd", + "sha256:68d46ad148c9cb8be532b5dd7bc246b067e81d4cfabad19b4cb6ac4031cab124", + "sha256:6b12420d5b769cd7e1478a8085aeea1ad0ffc8f7fedc86c48b8d598e1602f5ad", + "sha256:705ccd8de2b7b5295c6a230a3919fc9db8da9d2a6347c15c871fcb2202abd237", + "sha256:7478341137e65a0227fda4f3e39b3d50e6ec7dd4f767077dd435b412c2f2c129", + "sha256:769cf4099f53507231ba04cbf9ee16bea3c193767efc9bdf5e6c59e67e6b5cea", + "sha256:7750b950a6987bce114b9f36413399712422f4f49b2ad43f4b4ee3af34968b99", + "sha256:7c457f779992a0f5527455cdc17c387268ae9f712d4e29d691704c83c6e58c2d", + "sha256:7dd6a439fb09dc9ba463de3f5c8e20f097225816b33a66380b68c8561a08045c", + "sha256:804c7c67dc316f77b01b9bef5e75f727b73ff1015ff0514972b59dc05eec4d81", + "sha256:86038b9777b2aa0ebf8c586b81cba166ccde7e6d744aad576cd98c1a07be4c53", + "sha256:86c34175830cacac1c16d2182a0f725afbd40042955b7572c8475e3b6a5d8ada", + "sha256:8a11b70ebb2d7317d69bdb1f692a0eda292a4cddfe9ccb760a8d1a9e763811dd", + "sha256:8b402e99593483a8b05a09fb2a20379ecaa9b0d1f1cf32957b42134bd3305731", + "sha256:8b480a78227457a0b65e0b23afbda9c152dee4e1b41ccc058db8c41ea7a82ab0", + "sha256:8bc00bd6b6407dc7a8eb31964bcc38862c25e7f5f5982f912f265eb3c4d83140", + "sha256:8d6fa1d009fcb9a9169548c29d65a1f05c0fcf1ac966f40e35035307d6a17050", + "sha256:9081542fea2baeebda8caa43a54ecd8a152a05ff3271c38ac8eae447377cef54", + "sha256:931a939ba5e5574f769507038fdf400dbbc46aab2866d4e5e96d83a29f081712", + "sha256:984d40ecda0bc0109c4239d782dfe87362d02b286548672f8a2468eabbf48a69", + "sha256:9924497dec6a30b5158ef7cc9c60a87c6c46d9f7b7bb7254d4f157b57b531fb8", + "sha256:a48ff6b6258a32f50f876a6c74fa2f506c1de3b11773d6bf31b6715255807a48", + "sha256:a7f5a77466c4701062469bce29358ca0797db2bc6d8f6c3cd4e13f418cca10bc", + "sha256:a98c63d1f5ec2c15adf5dc81c461c8d88c16395956f4518b78e2e04b3285b1e5", + "sha256:adc7c6cb3dde5c284d84c7c6f4602b1545ba89c6ebb857b337d0428befb344e5", + "sha256:b4f577ded3e40695d5e0796e8b7f4fa78577d873627e0d0692f7060ad73af314", + "sha256:b5c7b0a4929bfd3945d9c2022cff0b683a39accf5594897fa9004cee4f402b06", + "sha256:b5cd1ea9fa396243d34f7bac5bb5787f89310f13fd2b092d11940c6cd7bd0bd8", + "sha256:bafd18a27dbe3197e460809468a7c47d9d29d1ebab6a878d5bb5a71fda2056d6", + "sha256:bd595bd23a4e1c72d5f5ac416ea49b9a3d87e11fb2db4b960378038ce9bb12f7", + "sha256:bd7a1992e91c90197c34ccc674bd64262262627083c99896b79e2c9f5fe28075", + "sha256:bd8f36d8bd399c7d695182e467b4428adb940a157014ab605bbe4d0ab0a1976e", + "sha256:bf5277ff74c9980245697ea227057d0f05b31c96bc73bae2697c1a48d4980e45", + "sha256:bfabc6130752f4f77584b2ecbba2adf6fe469b06c52cb974ba8304f1f63bb24f", + "sha256:c10724490b87fcb86161e5ceb17893626d13363e31efee77aa8e251ee16dcdd5", + "sha256:c1477455b82d6db7336ef769f507a55bba9fe9f1c96dc531d7c2c510630307d6", + "sha256:c288e239fc3aaae3865e43e1f35b606f92ee687a0801e4d46c45d7849aebbe35", + "sha256:c305ea5405f8615e6ecd39cb28acc7a362713ba3c17c7737b591b377d1afd9ec", + "sha256:c77cec595dc80f97a1b32413fb1b618e4da8ba132697e075ad8e4025c4058575", + "sha256:c822853e9d54979eb5fcf9e54c1f90e5c18eeb399571383ac768cff47d6d6ada", + "sha256:cad5088f1adb9161f2def653908328cfa1dc9bc57e7e41ccdc9339d31cc576d1", + "sha256:cc3103e31d27352afe4c5a71702e09185850187d299145d5e98f9fb99a3be498", + "sha256:ced719fcae6f2a348ac596b67f6d7c26ff3d9d2b7378237953ac5e162d8a4e2e", + "sha256:d181889218d80f6beb5ae3838bc23e201d2a1fae688baaa40d82ef9080594315", + "sha256:d1d8192820d8489a8e3ef160cbe38f5ff974db5263c76438cf44e7574743353b", + "sha256:d24181dfdfcc3d9b37333fea2f5bf9f51e034bd9e0ba67a871f18686b797c739", + "sha256:d51b9183ebce60d4795ceaef24b8db2df3ed04307ee787d6adafcc196330a47c", + "sha256:dad6697c6b9e02dd45f73e22646913daad743afd27dadb0b6a430a1573fb4566", + "sha256:dafe8c6e74fea0fdcfec002bc77aee40b4891b14ea513e6092402609ac8dac00", + "sha256:dc0f695b32700b14f404cccaebc25eea6db323418385568297995aee8b5278f8", + "sha256:e2fe220d4b100b00734d9388e33296ac8f585c763548c372ca17b24affa178e0", + "sha256:e459287f0daaee3ee0108123d7e9a1c1c136e94d4382533a93cb509d54dc1ea3", + "sha256:ea4107a5cc00a05c92be47047662000296d2ccc7ba93aaa030cd5ecab8d5ffaf", + "sha256:ea4f0d056a95cfdabde667a1796f9ba5296d2776bce2fd4d4cb5674e0e10671f", + "sha256:ea5bc5bae1cf447b79be04f05e73b6ea39a5df63374f70cc5d6862337462d4d9", + "sha256:ecfe2fe942edabcd1553701237710de296d3eb45472f9128662c95da98e9ed43", + "sha256:eec5ad2f06701e57a2cb483c849704bdf8ea76195918550ab2fc4287970f1c76", + "sha256:f2f91b867d7eca3b99c25e06e7e3a6f84cd4ccb99f390721670ba956f79167c9", + "sha256:f5ed8d4e1545f08bd3745cc47742b3689f1a652b00590caeb32caf3297d01e06", + "sha256:f6e6395404b0239cff7873a18a94839343a44429624f2a70a27b914cc5059580", + "sha256:f71edc8503d08bc5d35187eb72f13b7ec78647f1c14bb90a758ae795b049f788", + "sha256:f72d33b0d76a658d8b692b3e42c45539939bac26ff5b71b516cb20fa6d8ff7f6", + "sha256:f9226824c132d38f2337d2c76e3009acc036f0b05f20e95e82f8195400e1e366", + "sha256:faba219b270b78e9494cfe3d955d7b45c10799c18ee47ec24b1ada93978d491b" + ], + "markers": "python_version >= '3.6'", + "version": "==2.11.1" + }, "redis": { + "extras": [ + "hiredis" + ], "hashes": [ "sha256:a52d5694c9eb4292770084fa8c863f79367ca19884b329ab574d5cb2036b3e54", "sha256:ddf27071df4adf3821c4f2ca59d67525c3a82e5f268bed97b813cb4fabf87880" @@ -1195,27 +1528,27 @@ }, "scikit-learn": { "hashes": [ - "sha256:0403ad13f283e27d43b0ad875f187ec7f5d964903d92d1ed06c51439560ecea0", - "sha256:102f51797cd8944bf44a038d106848ddf2804f2c1edf7aea45fba81a4fdc4d80", - "sha256:22145b60fef02e597a8e7f061ebc7c51739215f11ce7fcd2ca9af22c31aa9f86", - "sha256:33cf061ed0b79d647a3e4c3f6c52c412172836718a7cd4d11c1318d083300133", - "sha256:3be10d8d325821ca366d4fe7083d87c40768f842f54371a9c908d97c45da16fc", - "sha256:3e77b71e8e644f86c8b5be7f1c285ef597de4c384961389ee3e9ca36c445b256", - "sha256:45c0f6ae523353f1d99b85469d746f9c497410adff5ba8b24423705b6956a86e", - "sha256:47464c110eaa9ed9d1fe108cb403510878c3d3a40f110618d2a19b2190a3e35c", - "sha256:542ccd2592fe7ad31f5c85fed3a3deb3e252383960a85e4b49a629353fffaba4", - "sha256:723cdb278b1fa57a55f68945bc4e501a2f12abe82f76e8d21e1806cbdbef6fc5", - "sha256:8fe80df08f5b9cee5dd008eccc672e543976198d790c07e5337f7dfb67eaac05", - "sha256:8ff56d07b9507fbe07ca0f4e5c8f3e171f74a429f998da03e308166251316b34", - "sha256:b2db720e13e697d912a87c1a51194e6fb085dc6d8323caa5ca51369ca6948f78", - "sha256:b928869072366dc138762fe0929e7dc88413f8a469aebc6a64adc10a9226180c", - "sha256:c2dad2bfc502344b869d4a3f4aa7271b2a5f4fe41f7328f404844c51612e2c58", - "sha256:e851f8874398dcd50d1e174e810e9331563d189356e945b3271c0e19ee6f4d6f", - "sha256:e9d228ced1214d67904f26fb820c8abbea12b2889cd4aa8cda20a4ca0ed781c1", - "sha256:f2d5b5d6e87d482e17696a7bfa03fe9515fdfe27e462a4ad37f3d7774a5e2fd6" + "sha256:1c8fecb7c9984d9ec2ea48898229f98aad681a0873e0935f2b7f724fbce4a047", + "sha256:2b8db962360c93554cab7bb3c096c4a24695da394dd4b3c3f13409f409b425bc", + "sha256:2f46c6e3ff1054a5ec701646dcfd61d43b8ecac4d416014daed8843cf4c33d4d", + "sha256:3e7d1fc817867a350133f937aaebcafbc06192517cbdf0cf7e5774ad4d1adb9f", + "sha256:407e9a1cb9e6ba458a539986a9bd25546a757088095b3aab91d465b79a760d37", + "sha256:567417dbbe6a6278399c3e6daf1654414a5a1a4d818d28f251fa7fc28730a1bf", + "sha256:589d46f28460469f444b898223b13d99db9463e1038dc581ba698111f612264b", + "sha256:5ec3ea40d467966821843210c02117d82b097b54276fdcfb50f4dfb5c60dbe39", + "sha256:6c840f662b5d3377c4ccb8be1fc21bb52cb5d8b8790f8d6bf021739f84e543cf", + "sha256:76800652fb6d6bf527bce36ecc2cc25738b28fe1a17bd294a218fff8e8bd6d50", + "sha256:7c22d1305b16f08d57751a4ea36071e2215efb4c09cb79183faa4e8e82a3dbf8", + "sha256:a682ec0f82b6f30fb07486daed1c8001b6683cc66b51877644dfc532bece6a18", + "sha256:a90ca42fe8242fd6ff56cda2fecc5fca586a88a24ab602d275d2d0dcc0b928fb", + "sha256:b1e706deca9b2ad87ae27dafd5ac4e8eff01b6db492ed5c12cef4735ec5f21ea", + "sha256:bbef6ea1c012ff9f3e6f6e9ca006b8772d8383e177b898091e68fbd9b3f840f9", + "sha256:c33e16e9a165af6012f5be530ccfbb672e2bc5f9b840238a05eb7f6694304e3f", + "sha256:d6f232779023c3b060b80b5c82e5823723bc424dcac1d1a148aa2492c54d245d", + "sha256:f94c0146bad51daef919c402a3da8c1c6162619653e1c00c92baa168fda292f2" ], "index": "pypi", - "version": "==1.1.1" + "version": "==1.1.2" }, "scipy": { "hashes": [ @@ -1243,7 +1576,7 @@ "sha256:e013aed00ed776d790be4cb32826adb72799c61e318676172495383ba4570aa4", "sha256:f3e7a8867f307e3359cc0ed2c63b61a1e33a19080f92fe377bc7d49f646f2ec1" ], - "markers": "python_version < '3.11' and python_version >= '3.8'", + "index": "pypi", "version": "==1.8.1" }, "service-identity": { @@ -1253,13 +1586,79 @@ ], "version": "==21.1.0" }, + "setproctitle": { + "hashes": [ + "sha256:1c5d5dad7c28bdd1ec4187d818e43796f58a845aa892bb4481587010dc4d362b", + "sha256:1c8d9650154afaa86a44ff195b7b10d683c73509d085339d174e394a22cccbb9", + "sha256:1f0cde41857a644b7353a0060b5f94f7ba7cf593ebde5a1094da1be581ac9a31", + "sha256:1f29b75e86260b0ab59adb12661ef9f113d2f93a59951373eb6d68a852b13e83", + "sha256:1fa1a0fbee72b47dc339c87c890d3c03a72ea65c061ade3204f285582f2da30f", + "sha256:1ff863a20d1ff6ba2c24e22436a3daa3cd80be1dfb26891aae73f61b54b04aca", + "sha256:265ecbe2c6eafe82e104f994ddd7c811520acdd0647b73f65c24f51374cf9494", + "sha256:288943dec88e178bb2fd868adf491197cc0fc8b6810416b1c6775e686bab87fe", + "sha256:2e3ac25bfc4a0f29d2409650c7532d5ddfdbf29f16f8a256fc31c47d0dc05172", + "sha256:2fbd8187948284293f43533c150cd69a0e4192c83c377da837dbcd29f6b83084", + "sha256:4058564195b975ddc3f0462375c533cce310ccdd41b80ac9aed641c296c3eff4", + "sha256:4749a2b0c9ac52f864d13cee94546606f92b981b50e46226f7f830a56a9dc8e1", + "sha256:4d8938249a7cea45ab7e1e48b77685d0f2bab1ebfa9dde23e94ab97968996a7c", + "sha256:5194b4969f82ea842a4f6af2f82cd16ebdc3f1771fb2771796e6add9835c1973", + "sha256:55ce1e9925ce1765865442ede9dca0ba9bde10593fcd570b1f0fa25d3ec6b31c", + "sha256:589be87172b238f839e19f146b9ea47c71e413e951ef0dc6db4218ddacf3c202", + "sha256:5b932c3041aa924163f4aab970c2f0e6b4d9d773f4d50326e0ea1cd69240e5c5", + "sha256:5fb4f769c02f63fac90989711a3fee83919f47ae9afd4758ced5d86596318c65", + "sha256:630f6fe5e24a619ccf970c78e084319ee8be5be253ecc9b5b216b0f474f5ef18", + "sha256:65d884e22037b23fa25b2baf1a3316602ed5c5971eb3e9d771a38c3a69ce6e13", + "sha256:6c877691b90026670e5a70adfbcc735460a9f4c274d35ec5e8a43ce3f8443005", + "sha256:710e16fa3bade3b026907e4a5e841124983620046166f355bbb84be364bf2a02", + "sha256:7a55fe05f15c10e8c705038777656fe45e3bd676d49ad9ac8370b75c66dd7cd7", + "sha256:7aa0aac1711fadffc1d51e9d00a3bea61f68443d6ac0241a224e4d622489d665", + "sha256:7f0bed90a216ef28b9d227d8d73e28a8c9b88c0f48a082d13ab3fa83c581488f", + "sha256:7f2719a398e1a2c01c2a63bf30377a34d0b6ef61946ab9cf4d550733af8f1ef1", + "sha256:7fe9df7aeb8c64db6c34fc3b13271a363475d77bc157d3f00275a53910cb1989", + "sha256:8ff3c8cb26afaed25e8bca7b9dd0c1e36de71f35a3a0706b5c0d5172587a3827", + "sha256:9124bedd8006b0e04d4e8a71a0945da9b67e7a4ab88fdad7b1440dc5b6122c42", + "sha256:92c626edc66169a1b09e9541b9c0c9f10488447d8a2b1d87c8f0672e771bc927", + "sha256:a149a5f7f2c5a065d4e63cb0d7a4b6d3b66e6e80f12e3f8827c4f63974cbf122", + "sha256:a47d97a75fd2d10c37410b180f67a5835cb1d8fdea2648fd7f359d4277f180b9", + "sha256:a499fff50387c1520c085a07578a000123f519e5f3eee61dd68e1d301659651f", + "sha256:ab45146c71ca6592c9cc8b354a2cc9cc4843c33efcbe1d245d7d37ce9696552d", + "sha256:b2c9cb2705fc84cb8798f1ba74194f4c080aaef19d9dae843591c09b97678e98", + "sha256:b34baef93bfb20a8ecb930e395ccd2ae3268050d8cf4fe187de5e2bd806fd796", + "sha256:b617f12c9be61e8f4b2857be4a4319754756845dbbbd9c3718f468bbb1e17bcb", + "sha256:b9fb97907c830d260fa0658ed58afd48a86b2b88aac521135c352ff7fd3477fd", + "sha256:bae283e85fc084b18ffeb92e061ff7ac5af9e183c9d1345c93e178c3e5069cbe", + "sha256:c2c46200656280a064073447ebd363937562debef329482fd7e570c8d498f806", + "sha256:c8a09d570b39517de10ee5b718730e171251ce63bbb890c430c725c8c53d4484", + "sha256:c91b9bc8985d00239f7dc08a49927a7ca1ca8a6af2c3890feec3ed9665b6f91e", + "sha256:dad42e676c5261eb50fdb16bdf3e2771cf8f99a79ef69ba88729aeb3472d8575", + "sha256:de3a540cd1817ede31f530d20e6a4935bbc1b145fd8f8cf393903b1e02f1ae76", + "sha256:e00c9d5c541a2713ba0e657e0303bf96ddddc412ef4761676adc35df35d7c246", + "sha256:e1aafc91cbdacc9e5fe712c52077369168e6b6c346f3a9d51bf600b53eae56bb", + "sha256:e425be62524dc0c593985da794ee73eb8a17abb10fe692ee43bb39e201d7a099", + "sha256:e43f315c68aa61cbdef522a2272c5a5b9b8fd03c301d3167b5e1343ef50c676c", + "sha256:e49ae693306d7624015f31cb3e82708916759d592c2e5f72a35c8f4cc8aef258", + "sha256:e5c50e164cd2459bc5137c15288a9ef57160fd5cbf293265ea3c45efe7870865", + "sha256:e8579a43eafd246e285eb3a5b939e7158073d5087aacdd2308f23200eac2458b", + "sha256:e85e50b9c67854f89635a86247412f3ad66b132a4d8534ac017547197c88f27d", + "sha256:f0452282258dfcc01697026a8841258dd2057c4438b43914b611bccbcd048f10", + "sha256:f4bfc89bd33ebb8e4c0e9846a09b1f5a4a86f5cb7a317e75cc42fee1131b4f4f", + "sha256:fa2f50678f04fda7a75d0fe5dd02bbdd3b13cbe6ed4cf626e4472a7ccf47ae94", + "sha256:faec934cfe5fd6ac1151c02e67156c3f526e82f96b24d550b5d51efa4a5527c6", + "sha256:fcd3cf4286a60fdc95451d8d14e0389a6b4f5cebe02c7f2609325eb016535963", + "sha256:fe8a988c7220c002c45347430993830666e55bc350179d91fcee0feafe64e1d4", + "sha256:fed18e44711c5af4b681c2b3b18f85e6f0f1b2370a28854c645d636d5305ccd8", + "sha256:ffc61a388a5834a97953d6444a2888c24a05f2e333f9ed49f977a87bb1ad4761" + ], + "index": "pypi", + "version": "==1.3.2" + }, "setuptools": { "hashes": [ - "sha256:16923d366ced322712c71ccb97164d07472abeecd13f3a6c283f6d5d26722793", - "sha256:db3b8e2f922b2a910a29804776c643ea609badb6a32c4bcc226fd4fd902cce65" + "sha256:512e5536220e38146176efb833d4a62aa726b7bbff82cfbc8ba9eaa3996e0b17", + "sha256:f62ea9da9ed6289bfe868cd6845968a2c854d1427f8548d52cae02a42b4f0356" ], "markers": "python_version >= '3.7'", - "version": "==63.1.0" + "version": "==65.5.0" }, "six": { "hashes": [ @@ -1271,19 +1670,19 @@ }, "sniffio": { "hashes": [ - "sha256:471b71698eac1c2112a40ce2752bb2f4a4814c22a54a3eed3676bc0f5ca9f663", - "sha256:c4666eecec1d3f50960c6bdf61ab7bc350648da6c126e3cf6898d8cd4ddcd3de" + "sha256:e60305c5e5d314f5389259b7f22aaa33d8f7dee49763119234af3755c55b9101", + "sha256:eecefdce1e5bbfb7ad2eeaabf7c1eeb404d7757c379bd1f7e5cce9d8bf425384" ], - "markers": "python_version >= '3.5'", - "version": "==1.2.0" + "markers": "python_version >= '3.7'", + "version": "==1.3.0" }, "sqlparse": { "hashes": [ - "sha256:0c00730c74263a94e5a9919ade150dfc3b19c574389985446148402998287dae", - "sha256:48719e356bb8b42991bdbb1e8b83223757b93789c00910a616a071910ca4a64d" + "sha256:0323c0ec29cd52bceabc1b4d9d579e311f3e4961b98d174201d5622a23b85e34", + "sha256:69ca804846bb114d2ec380e4360a8a340db83f0ccf3afceeb1404df028f57268" ], "markers": "python_version >= '3.5'", - "version": "==0.4.2" + "version": "==0.4.3" }, "threadpoolctl": { "hashes": [ @@ -1302,22 +1701,22 @@ }, "tqdm": { "hashes": [ - "sha256:40be55d30e200777a307a7585aee69e4eabb46b4ec6a4b4a5f2d9f11e7d5408d", - "sha256:74a2cdefe14d11442cedf3ba4e21a3b84ff9a2dbdc6cfae2c34addb2a14a5ea6" + "sha256:5f4f682a004951c1b450bc753c710e9280c5746ce6ffedee253ddbcbf54cf1e4", + "sha256:6fee160d6ffcd1b1c68c65f14c829c22832bc401726335ce92c52d395944a6a1" ], "index": "pypi", - "version": "==4.64.0" + "version": "==4.64.1" }, "twisted": { "extras": [ "tls" ], "hashes": [ - "sha256:a047990f57dfae1e0bd2b7df2526d4f16dcdc843774dc108b78c52f2a5f13680", - "sha256:f9f7a91f94932477a9fc3b169d57f54f96c6e74a23d78d9ce54039a7f48928a2" + "sha256:8d4718d1e48dcc28933f8beb48dc71cfe77a125e37ad1eb7a3d0acc49baf6c99", + "sha256:e5b60de39f2d1da153fbe1874d885fe3fcbdb21fcc446fa759a53e8fc3513bed" ], - "markers": "python_full_version >= '3.6.7'", - "version": "==22.4.0" + "markers": "python_full_version >= '3.7.1'", + "version": "==22.8.0" }, "txaio": { "hashes": [ @@ -1329,19 +1728,19 @@ }, "typing-extensions": { "hashes": [ - "sha256:25642c956049920a5aa49edcdd6ab1e06d7e5d467fc00e0506c44ac86fbfca02", - "sha256:e6d2677a32f47fc7eb2795db1dd15c1f34eff616bcaf2cfb5e997f854fa1c4a6" + "sha256:1511434bb92bf8dd198c12b1cc812e800d4181cfcb867674e0f8279cc93087aa", + "sha256:16fa4864408f655d35ec496218b85f79b3437c829e93320c7c9215ccfd92489e" ], "markers": "python_version >= '3.7'", - "version": "==4.3.0" + "version": "==4.4.0" }, "tzdata": { "hashes": [ - "sha256:238e70234214138ed7b4e8a0fab0e5e13872edab3be586ab8198c407620e2ab9", - "sha256:8b536a8ec63dc0751342b3984193a3118f8fca2afe25752bb9b7fffd398552d3" + "sha256:323161b22b7802fdc78f20ca5f6073639c64f1a7227c40cd3e19fd1d0ce6650a", + "sha256:e15b2b3005e2546108af42a0eb4ccab4d9e225e2dfbf4f77aad50c70a4b1f3ab" ], "markers": "python_version >= '3.6'", - "version": "==2022.1" + "version": "==2022.5" }, "tzlocal": { "hashes": [ @@ -1353,43 +1752,65 @@ }, "urllib3": { "hashes": [ - "sha256:8298d6d56d39be0e3bc13c1c97d133f9b45d797169a0e11cdd0e0489d786f7ec", - "sha256:879ba4d1e89654d9769ce13121e0f94310ea32e8d2f8cf587b77c08bbcdb30d6" + "sha256:3fa96cf423e6987997fc326ae8df396db2a8b7c667747d47ddd8ecba91f4a74e", + "sha256:b930dd878d5a8afb066a637fbb35144fe7901e3b209d1cd4f524bd0e9deee997" ], "markers": "python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4, 3.5' and python_version < '4'", - "version": "==1.26.10" + "version": "==1.26.12" }, "uvicorn": { "extras": [ "standard" ], "hashes": [ - "sha256:c19a057deb1c5bb060946e2e5c262fc01590c6529c0af2c3d9ce941e89bc30e0", - "sha256:cade07c403c397f9fe275492a48c1b869efd175d5d8a692df649e6e7e2ed8f4e" + "sha256:0abd429ebb41e604ed8d2be6c60530de3408f250e8d2d84967d85ba9e86fe3af", + "sha256:9a66e7c42a2a95222f76ec24a4b754c158261c4696e683b9dadc72b590e0311b" ], "index": "pypi", - "version": "==0.18.2" + "version": "==0.18.3" }, "uvloop": { "hashes": [ - "sha256:04ff57aa137230d8cc968f03481176041ae789308b4d5079118331ab01112450", - "sha256:089b4834fd299d82d83a25e3335372f12117a7d38525217c2258e9b9f4578897", - "sha256:1e5f2e2ff51aefe6c19ee98af12b4ae61f5be456cd24396953244a30880ad861", - "sha256:30ba9dcbd0965f5c812b7c2112a1ddf60cf904c1c160f398e7eed3a6b82dcd9c", - "sha256:3a19828c4f15687675ea912cc28bbcb48e9bb907c801873bd1519b96b04fb805", - "sha256:6224f1401025b748ffecb7a6e2652b17768f30b1a6a3f7b44660e5b5b690b12d", - "sha256:647e481940379eebd314c00440314c81ea547aa636056f554d491e40503c8464", - "sha256:6ccd57ae8db17d677e9e06192e9c9ec4bd2066b77790f9aa7dede2cc4008ee8f", - "sha256:772206116b9b57cd625c8a88f2413df2fcfd0b496eb188b82a43bed7af2c2ec9", - "sha256:8e0d26fa5875d43ddbb0d9d79a447d2ace4180d9e3239788208527c4784f7cab", - "sha256:98d117332cc9e5ea8dfdc2b28b0a23f60370d02e1395f88f40d1effd2cb86c4f", - "sha256:b572256409f194521a9895aef274cea88731d14732343da3ecdb175228881638", - "sha256:bd53f7f5db562f37cd64a3af5012df8cac2c464c97e732ed556800129505bd64", - "sha256:bd8f42ea1ea8f4e84d265769089964ddda95eb2bb38b5cbe26712b0616c3edee", - "sha256:e814ac2c6f9daf4c36eb8e85266859f42174a4ff0d71b99405ed559257750382", - "sha256:f74bc20c7b67d1c27c72601c78cf95be99d5c2cdd4514502b4f3eb0933ff1228" + "sha256:0949caf774b9fcefc7c5756bacbbbd3fc4c05a6b7eebc7c7ad6f825b23998d6d", + "sha256:0ddf6baf9cf11a1a22c71487f39f15b2cf78eb5bde7e5b45fbb99e8a9d91b9e1", + "sha256:1436c8673c1563422213ac6907789ecb2b070f5939b9cbff9ef7113f2b531595", + "sha256:23609ca361a7fc587031429fa25ad2ed7242941adec948f9d10c045bfecab06b", + "sha256:2a6149e1defac0faf505406259561bc14b034cdf1d4711a3ddcdfbaa8d825a05", + "sha256:2deae0b0fb00a6af41fe60a675cec079615b01d68beb4cc7b722424406b126a8", + "sha256:307958f9fc5c8bb01fad752d1345168c0abc5d62c1b72a4a8c6c06f042b45b20", + "sha256:30babd84706115626ea78ea5dbc7dd8d0d01a2e9f9b306d24ca4ed5796c66ded", + "sha256:3378eb62c63bf336ae2070599e49089005771cc651c8769aaad72d1bd9385a7c", + "sha256:3d97672dc709fa4447ab83276f344a165075fd9f366a97b712bdd3fee05efae8", + "sha256:3db8de10ed684995a7f34a001f15b374c230f7655ae840964d51496e2f8a8474", + "sha256:3ebeeec6a6641d0adb2ea71dcfb76017602ee2bfd8213e3fcc18d8f699c5104f", + "sha256:45cea33b208971e87a31c17622e4b440cac231766ec11e5d22c76fab3bf9df62", + "sha256:6708f30db9117f115eadc4f125c2a10c1a50d711461699a0cbfaa45b9a78e376", + "sha256:68532f4349fd3900b839f588972b3392ee56042e440dd5873dfbbcd2cc67617c", + "sha256:6aafa5a78b9e62493539456f8b646f85abc7093dd997f4976bb105537cf2635e", + "sha256:7d37dccc7ae63e61f7b96ee2e19c40f153ba6ce730d8ba4d3b4e9738c1dccc1b", + "sha256:864e1197139d651a76c81757db5eb199db8866e13acb0dfe96e6fc5d1cf45fc4", + "sha256:8887d675a64cfc59f4ecd34382e5b4f0ef4ae1da37ed665adba0c2badf0d6578", + "sha256:8efcadc5a0003d3a6e887ccc1fb44dec25594f117a94e3127954c05cf144d811", + "sha256:9b09e0f0ac29eee0451d71798878eae5a4e6a91aa275e114037b27f7db72702d", + "sha256:a4aee22ece20958888eedbad20e4dbb03c37533e010fb824161b4f05e641f738", + "sha256:a5abddb3558d3f0a78949c750644a67be31e47936042d4f6c888dd6f3c95f4aa", + "sha256:c092a2c1e736086d59ac8e41f9c98f26bbf9b9222a76f21af9dfe949b99b2eb9", + "sha256:c686a47d57ca910a2572fddfe9912819880b8765e2f01dc0dd12a9bf8573e539", + "sha256:cbbe908fda687e39afd6ea2a2f14c2c3e43f2ca88e3a11964b297822358d0e6c", + "sha256:ce9f61938d7155f79d3cb2ffa663147d4a76d16e08f65e2c66b77bd41b356718", + "sha256:dbbaf9da2ee98ee2531e0c780455f2841e4675ff580ecf93fe5c48fe733b5667", + "sha256:f1e507c9ee39c61bfddd79714e4f85900656db1aec4d40c6de55648e85c2799c", + "sha256:ff3d00b70ce95adce264462c930fbaecb29718ba6563db354608f37e49e09024" ], - "version": "==0.16.0" + "version": "==0.17.0" + }, + "vine": { + "hashes": [ + "sha256:4c9dceab6f76ed92105027c49c823800dd33cacce13bdedc5b914e3514b7fb30", + "sha256:7d3b1624a953da82ef63462013bbd271d3eb75751489f9807598e8f340bd637e" + ], + "markers": "python_version >= '3.6'", + "version": "==5.0.0" }, "watchdog": { "hashes": [ @@ -1424,20 +1845,26 @@ }, "watchfiles": { "hashes": [ - "sha256:56abed43e645d1f2d6def83e35999cc5758b051aff54ca1065cbfcaea15b3389", - "sha256:65ca99a94fcab29d00aa406526eb29cf198c0661854d59a315596064fed02141", - "sha256:67d4c66e46a564059df4aeedab78f09cba0b697bf36cc77566b0a7015dfb7f5d", - "sha256:6e0e8829d32b05151e6009570449f44f891e05f518e495d25f960e0d0b2d0064", - "sha256:715733c2ac9da67b2790788657ff6f8b3797eb31565bfc592289b523ae907ca2", - "sha256:7b81c6e404b2aa62482a719eb778e4a16d01728302dce1f1512c1e5354a73fda", - "sha256:82238d08d8a49f1a1ba254278cd4329a154f6100b028393059722ebeddd2ff3d", - "sha256:955e8f840e1996a8a41be57de4c03af7b1515a685b7fb6abe222f859e413a907", - "sha256:cab62510f990d195986302aa6a48ed636d685b099927049120d520c96069fa49", - "sha256:d1f9de6b776b3aff17898a4cf5ac5a2d0a16212ea7aad2bbe0ef6aa3e79a96af", - "sha256:d4f45acd1143db6d3ee77a4ff12d3239bc8083108133e6174e9dcce59c1f9902", - "sha256:f7f71012e096e11256fae3b37617a9777980f281e18deb2e789e85cd5b113935" + "sha256:00e5f307a58752ec1478eeb738863544bde21cc7a2728bd1c216060406bde9c1", + "sha256:1dd1e3181ad5d83ca35e9147c72e24f39437fcdf570c9cdc532016399fb62957", + "sha256:204950f1d6083539af5c8b7d4f5f8039c3ce36fa692da12d9743448f3199cb15", + "sha256:4056398d8f6d4972fe0918707b59d4cb84470c91d3c37f0e11e5a66c2a598760", + "sha256:539bcdb55a487126776c9d8c011094214d1df3f9a2321a6c0b1583197309405a", + "sha256:53a2faeb121bc51bb6b960984f46901227e2e2475acc5a8d4c905a600436752d", + "sha256:58dc3140dcf02a8aa76464a77a093016f10e89306fec21a4814922a64f3e8b9f", + "sha256:6a3d6c699f3ce238dfa90bcef501f331a69b0d9b076f14459ed8eab26ba2f4cf", + "sha256:92675f379a9d5adbc6a52179f3e39aa56944c6eecb80384608fff2ed2619103a", + "sha256:a53cb6c06e5c1f216c792fbb432ce315239d432cb8b68d508547100939ec0399", + "sha256:a7f4271af86569bdbf131dd5c7c121c45d0ed194f3c88b88326e48a3b6a2db12", + "sha256:ad2bdcae4c0f07ca6c090f5a2c30188cc6edba011b45e7c96eb1896648092367", + "sha256:adcf15ecc2182ea9d2358c1a8c2b53203c3909484918776929b7bbe205522c0e", + "sha256:ae7c57ef920589a40270d5ef3216d693f4e6f8864d8fc8b6cb7885ca98ad2a61", + "sha256:afd35a1bd3b9e68efe384ae7538481ae725597feb66f56f4bd23ecdbda726da0", + "sha256:b5c334cd3bc88aa4a8a1e08ec9f702b63c947211275defdc2dd79dc037fcb500", + "sha256:c7e1ffbd03cbcb46d1b7833e10e7d6b678ab083b4e4b80db06cfff5baca3c93f", + "sha256:ffff3418dc753a2aed2d00200a4daeaac295c40458f8012836a65555f288be8b" ], - "version": "==0.15.0" + "version": "==0.17.0" }, "wcwidth": { "hashes": [ @@ -1588,69 +2015,54 @@ }, "zipp": { "hashes": [ - "sha256:56bf8aadb83c24db6c4b577e13de374ccfb67da2078beba1d037c17980bf43ad", - "sha256:c4f6e5bbf48e74f7a38e7cc5b0480ff42b0ae5178957d564d18932525d5cf099" + "sha256:3a7af91c3db40ec72dd9d154ae18e008c69efe8ca88dde4f9a731bb82fe2f9eb", + "sha256:972cfa31bc2fedd3fa838a51e9bc7e64b7fb725a8c00e7431554311f180e9980" ], - "index": "pypi", "markers": "python_version < '3.9'", - "version": "==3.8.0" + "version": "==3.9.0" }, "zope.interface": { "hashes": [ - "sha256:08f9636e99a9d5410181ba0729e0408d3d8748026ea938f3b970a0249daa8192", - "sha256:0b465ae0962d49c68aa9733ba92a001b2a0933c317780435f00be7ecb959c702", - "sha256:0cba8477e300d64a11a9789ed40ee8932b59f9ee05f85276dbb4b59acee5dd09", - "sha256:0cee5187b60ed26d56eb2960136288ce91bcf61e2a9405660d271d1f122a69a4", - "sha256:0ea1d73b7c9dcbc5080bb8aaffb776f1c68e807767069b9ccdd06f27a161914a", - "sha256:0f91b5b948686659a8e28b728ff5e74b1be6bf40cb04704453617e5f1e945ef3", - "sha256:15e7d1f7a6ee16572e21e3576d2012b2778cbacf75eb4b7400be37455f5ca8bf", - "sha256:17776ecd3a1fdd2b2cd5373e5ef8b307162f581c693575ec62e7c5399d80794c", - "sha256:194d0bcb1374ac3e1e023961610dc8f2c78a0f5f634d0c737691e215569e640d", - "sha256:1c0e316c9add0db48a5b703833881351444398b04111188069a26a61cfb4df78", - "sha256:205e40ccde0f37496904572035deea747390a8b7dc65146d30b96e2dd1359a83", - "sha256:273f158fabc5ea33cbc936da0ab3d4ba80ede5351babc4f577d768e057651531", - "sha256:2876246527c91e101184f63ccd1d716ec9c46519cc5f3d5375a3351c46467c46", - "sha256:2c98384b254b37ce50eddd55db8d381a5c53b4c10ee66e1e7fe749824f894021", - "sha256:2e5a26f16503be6c826abca904e45f1a44ff275fdb7e9d1b75c10671c26f8b94", - "sha256:334701327f37c47fa628fc8b8d28c7d7730ce7daaf4bda1efb741679c2b087fc", - "sha256:3748fac0d0f6a304e674955ab1365d515993b3a0a865e16a11ec9d86fb307f63", - "sha256:3c02411a3b62668200910090a0dff17c0b25aaa36145082a5a6adf08fa281e54", - "sha256:3dd4952748521205697bc2802e4afac5ed4b02909bb799ba1fe239f77fd4e117", - "sha256:3f24df7124c323fceb53ff6168da70dbfbae1442b4f3da439cd441681f54fe25", - "sha256:469e2407e0fe9880ac690a3666f03eb4c3c444411a5a5fddfdabc5d184a79f05", - "sha256:4de4bc9b6d35c5af65b454d3e9bc98c50eb3960d5a3762c9438df57427134b8e", - "sha256:5208ebd5152e040640518a77827bdfcc73773a15a33d6644015b763b9c9febc1", - "sha256:52de7fc6c21b419078008f697fd4103dbc763288b1406b4562554bd47514c004", - "sha256:5bb3489b4558e49ad2c5118137cfeaf59434f9737fa9c5deefc72d22c23822e2", - "sha256:5dba5f530fec3f0988d83b78cc591b58c0b6eb8431a85edd1569a0539a8a5a0e", - "sha256:5dd9ca406499444f4c8299f803d4a14edf7890ecc595c8b1c7115c2342cadc5f", - "sha256:5f931a1c21dfa7a9c573ec1f50a31135ccce84e32507c54e1ea404894c5eb96f", - "sha256:63b82bb63de7c821428d513607e84c6d97d58afd1fe2eb645030bdc185440120", - "sha256:66c0061c91b3b9cf542131148ef7ecbecb2690d48d1612ec386de9d36766058f", - "sha256:6f0c02cbb9691b7c91d5009108f975f8ffeab5dff8f26d62e21c493060eff2a1", - "sha256:71aace0c42d53abe6fc7f726c5d3b60d90f3c5c055a447950ad6ea9cec2e37d9", - "sha256:7d97a4306898b05404a0dcdc32d9709b7d8832c0c542b861d9a826301719794e", - "sha256:7df1e1c05304f26faa49fa752a8c690126cf98b40b91d54e6e9cc3b7d6ffe8b7", - "sha256:8270252effc60b9642b423189a2fe90eb6b59e87cbee54549db3f5562ff8d1b8", - "sha256:867a5ad16892bf20e6c4ea2aab1971f45645ff3102ad29bd84c86027fa99997b", - "sha256:877473e675fdcc113c138813a5dd440da0769a2d81f4d86614e5d62b69497155", - "sha256:8892f89999ffd992208754851e5a052f6b5db70a1e3f7d54b17c5211e37a98c7", - "sha256:9a9845c4c6bb56e508651f005c4aeb0404e518c6f000d5a1123ab077ab769f5c", - "sha256:a1e6e96217a0f72e2b8629e271e1b280c6fa3fe6e59fa8f6701bec14e3354325", - "sha256:a8156e6a7f5e2a0ff0c5b21d6bcb45145efece1909efcbbbf48c56f8da68221d", - "sha256:a9506a7e80bcf6eacfff7f804c0ad5350c8c95b9010e4356a4b36f5322f09abb", - "sha256:af310ec8335016b5e52cae60cda4a4f2a60a788cbb949a4fbea13d441aa5a09e", - "sha256:b0297b1e05fd128d26cc2460c810d42e205d16d76799526dfa8c8ccd50e74959", - "sha256:bf68f4b2b6683e52bec69273562df15af352e5ed25d1b6641e7efddc5951d1a7", - "sha256:d0c1bc2fa9a7285719e5678584f6b92572a5b639d0e471bb8d4b650a1a910920", - "sha256:d4d9d6c1a455d4babd320203b918ccc7fcbefe308615c521062bc2ba1aa4d26e", - "sha256:db1fa631737dab9fa0b37f3979d8d2631e348c3b4e8325d6873c2541d0ae5a48", - "sha256:dd93ea5c0c7f3e25335ab7d22a507b1dc43976e1345508f845efc573d3d779d8", - "sha256:f44e517131a98f7a76696a7b21b164bcb85291cee106a23beccce454e1f433a4", - "sha256:f7ee479e96f7ee350db1cf24afa5685a5899e2b34992fb99e1f7c1b0b758d263" + "sha256:006f8dd81fae28027fc28ada214855166712bf4f0bfbc5a8788f9b70982b9437", + "sha256:03f5ae315db0d0de668125d983e2a819a554f3fdb2d53b7e934e3eb3c3c7375d", + "sha256:0eb2b3e84f48dd9cfc8621c80fba905d7e228615c67f76c7df7c716065669bb6", + "sha256:1e3495bb0cdcea212154e558082c256f11b18031f05193ae2fb85d048848db14", + "sha256:26c1456520fdcafecc5765bec4783eeafd2e893eabc636908f50ee31fe5c738c", + "sha256:2cb3003941f5f4fa577479ac6d5db2b940acb600096dd9ea9bf07007f5cab46f", + "sha256:37ec9ade9902f412cc7e7a32d71f79dec3035bad9bd0170226252eed88763c48", + "sha256:3eedf3d04179774d750e8bb4463e6da350956a50ed44d7b86098e452d7ec385e", + "sha256:3f68404edb1a4fb6aa8a94675521ca26c83ebbdbb90e894f749ae0dc4ca98418", + "sha256:423c074e404f13e6fa07f4454f47fdbb38d358be22945bc812b94289d9142374", + "sha256:43490ad65d4c64e45a30e51a2beb7a6b63e1ff395302ad22392224eb618476d6", + "sha256:47ff078734a1030c48103422a99e71a7662d20258c00306546441adf689416f7", + "sha256:58a66c2020a347973168a4a9d64317bac52f9fdfd3e6b80b252be30da881a64e", + "sha256:58a975f89e4584d0223ab813c5ba4787064c68feef4b30d600f5e01de90ae9ce", + "sha256:5c6023ae7defd052cf76986ce77922177b0c2f3913bea31b5b28fbdf6cb7099e", + "sha256:6566b3d2657e7609cd8751bcb1eab1202b1692a7af223035a5887d64bb3a2f3b", + "sha256:687cab7f9ae18d2c146f315d0ca81e5ffe89a139b88277afa70d52f632515854", + "sha256:700ebf9662cf8df70e2f0cb4988e078c53f65ee3eefd5c9d80cf988c4175c8e3", + "sha256:740f3c1b44380658777669bcc42f650f5348e53797f2cee0d93dc9b0f9d7cc69", + "sha256:7bdcec93f152e0e1942102537eed7b166d6661ae57835b20a52a2a3d6a3e1bf3", + "sha256:7d9ec1e6694af39b687045712a8ad14ddcb568670d5eb1b66b48b98b9312afba", + "sha256:85dd6dd9aaae7a176948d8bb62e20e2968588fd787c29c5d0d964ab475168d3d", + "sha256:8b9f153208d74ccfa25449a0c6cb756ab792ce0dc99d9d771d935f039b38740c", + "sha256:8c791f4c203ccdbcda588ea4c8a6e4353e10435ea48ddd3d8734a26fe9714cba", + "sha256:970661ece2029915b8f7f70892e88404340fbdefd64728380cad41c8dce14ff4", + "sha256:9cdc4e898d3b1547d018829fd4a9f403e52e51bba24be0fbfa37f3174e1ef797", + "sha256:9dc4493aa3d87591e3d2bf1453e25b98038c839ca8e499df3d7106631b66fe83", + "sha256:a69c28d85bb7cf557751a5214cb3f657b2b035c8c96d71080c1253b75b79b69b", + "sha256:aeac590cce44e68ee8ad0b8ecf4d7bf15801f102d564ca1b0eb1f12f584ee656", + "sha256:be11fce0e6af6c0e8d93c10ef17b25aa7c4acb7ec644bff2596c0d639c49e20f", + "sha256:cbbf83914b9a883ab324f728de869f4e406e0cbcd92df7e0a88decf6f9ab7d5a", + "sha256:cfa614d049667bed1c737435c609c0956c5dc0dbafdc1145ee7935e4658582cb", + "sha256:d18fb0f6c8169d26044128a2e7d3c39377a8a151c564e87b875d379dbafd3930", + "sha256:d80f6236b57a95eb19d5e47eb68d0296119e1eff6deaa2971ab8abe3af918420", + "sha256:da7912ae76e1df6a1fb841b619110b1be4c86dfb36699d7fd2f177105cdea885", + "sha256:df6593e150d13cfcce69b0aec5df7bc248cb91e4258a7374c129bb6d56b4e5ca", + "sha256:f70726b60009433111fe9928f5d89cbb18962411d33c45fb19eb81b9bbd26fcd" ], "markers": "python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4'", - "version": "==5.4.0" + "version": "==5.5.0" } }, "develop": { @@ -1663,11 +2075,11 @@ }, "attrs": { "hashes": [ - "sha256:2d27e3784d7a565d36ab851fe94887c5eccd6a463168875832a1be79c82828b4", - "sha256:626ba8234211db98e869df76230a137c4c40a12d72445c45d5f5b716f076e2fd" + "sha256:29adc2665447e5191d0e7c568fde78b21f9672d344281d0c6e1ab085429b22b6", + "sha256:86efa402f67bf2df34f51a335487cf46b1ec130d02b8d39fd248abfd30da551c" ], - "markers": "python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4'", - "version": "==21.4.0" + "markers": "python_version >= '3.5'", + "version": "==22.1.0" }, "babel": { "hashes": [ @@ -1679,40 +2091,38 @@ }, "black": { "hashes": [ - "sha256:074458dc2f6e0d3dab7928d4417bb6957bb834434516f21514138437accdbe90", - "sha256:187d96c5e713f441a5829e77120c269b6514418f4513a390b0499b0987f2ff1c", - "sha256:2ea29072e954a4d55a2ff58971b83365eba5d3d357352a07a7a4df0d95f51c78", - "sha256:4af5bc0e1f96be5ae9bd7aaec219c901a94d6caa2484c21983d043371c733fc4", - "sha256:560558527e52ce8afba936fcce93a7411ab40c7d5fe8c2463e279e843c0328ee", - "sha256:568ac3c465b1c8b34b61cd7a4e349e93f91abf0f9371eda1cf87194663ab684e", - "sha256:6797f58943fceb1c461fb572edbe828d811e719c24e03375fd25170ada53825e", - "sha256:6c1734ab264b8f7929cef8ae5f900b85d579e6cbfde09d7387da8f04771b51c6", - "sha256:6c6d39e28aed379aec40da1c65434c77d75e65bb59a1e1c283de545fb4e7c6c9", - "sha256:7ba9be198ecca5031cd78745780d65a3f75a34b2ff9be5837045dce55db83d1c", - "sha256:94783f636bca89f11eb5d50437e8e17fbc6a929a628d82304c80fa9cd945f256", - "sha256:a218d7e5856f91d20f04e931b6f16d15356db1c846ee55f01bac297a705ca24f", - "sha256:a3db5b6409b96d9bd543323b23ef32a1a2b06416d525d27e0f67e74f1446c8f2", - "sha256:ac609cf8ef5e7115ddd07d85d988d074ed00e10fbc3445aee393e70164a2219c", - "sha256:b154e6bbde1e79ea3260c4b40c0b7b3109ffcdf7bc4ebf8859169a6af72cd70b", - "sha256:b270a168d69edb8b7ed32c193ef10fd27844e5c60852039599f9184460ce0807", - "sha256:b9fd45787ba8aa3f5e0a0a98920c1012c884622c6c920dbe98dbd05bc7c70fbf", - "sha256:c85928b9d5f83b23cee7d0efcb310172412fbf7cb9d9ce963bd67fd141781def", - "sha256:c9a3ac16efe9ec7d7381ddebcc022119794872abce99475345c5a61aa18c45ad", - "sha256:cfaf3895a9634e882bf9d2363fed5af8888802d670f58b279b0bece00e9a872d", - "sha256:e439798f819d49ba1c0bd9664427a05aab79bfba777a6db94fd4e56fae0cb849", - "sha256:f586c26118bc6e714ec58c09df0157fe2d9ee195c764f630eb0d8e7ccce72e69", - "sha256:f6fe02afde060bbeef044af7996f335fbe90b039ccf3f5eb8f16df8b20f77666" + "sha256:14ff67aec0a47c424bc99b71005202045dc09270da44a27848d534600ac64fc7", + "sha256:197df8509263b0b8614e1df1756b1dd41be6738eed2ba9e9769f3880c2b9d7b6", + "sha256:1e464456d24e23d11fced2bc8c47ef66d471f845c7b7a42f3bd77bf3d1789650", + "sha256:2039230db3c6c639bd84efe3292ec7b06e9214a2992cd9beb293d639c6402edb", + "sha256:21199526696b8f09c3997e2b4db8d0b108d801a348414264d2eb8eb2532e540d", + "sha256:2644b5d63633702bc2c5f3754b1b475378fbbfb481f62319388235d0cd104c2d", + "sha256:432247333090c8c5366e69627ccb363bc58514ae3e63f7fc75c54b1ea80fa7de", + "sha256:444ebfb4e441254e87bad00c661fe32df9969b2bf224373a448d8aca2132b395", + "sha256:5b9b29da4f564ba8787c119f37d174f2b69cdfdf9015b7d8c5c16121ddc054ae", + "sha256:5cc42ca67989e9c3cf859e84c2bf014f6633db63d1cbdf8fdb666dcd9e77e3fa", + "sha256:5d8f74030e67087b219b032aa33a919fae8806d49c867846bfacde57f43972ef", + "sha256:72ef3925f30e12a184889aac03d77d031056860ccae8a1e519f6cbb742736383", + "sha256:819dc789f4498ecc91438a7de64427c73b45035e2e3680c92e18795a839ebb66", + "sha256:915ace4ff03fdfff953962fa672d44be269deb2eaf88499a0f8805221bc68c87", + "sha256:9311e99228ae10023300ecac05be5a296f60d2fd10fff31cf5c1fa4ca4b1988d", + "sha256:974308c58d057a651d182208a484ce80a26dac0caef2895836a92dd6ebd725e0", + "sha256:b8b49776299fece66bffaafe357d929ca9451450f5466e997a7285ab0fe28e3b", + "sha256:c957b2b4ea88587b46cf49d1dc17681c1e672864fd7af32fc1e9664d572b3458", + "sha256:e41a86c6c650bcecc6633ee3180d80a025db041a8e2398dcc059b3afa8382cd4", + "sha256:f513588da599943e0cde4e32cc9879e825d58720d6557062d1098c5ad80080e1", + "sha256:fba8a281e570adafb79f7755ac8721b6cf1bbf691186a287e990c7929c7692ff" ], "index": "pypi", - "version": "==22.6.0" + "version": "==22.10.0" }, "certifi": { "hashes": [ - "sha256:84c85a9078b11105f04f3036a9482ae10e4621616db313fe045dd24743a0820d", - "sha256:fe86415d55e84719d75f8b69414f6438ac3547d2078ab91b67e779ef69378412" + "sha256:0d9c601124e5a6ba9712dbc60d9c53c21e34f5f641fe83002317394311bdce14", + "sha256:90c1a32f1d68f940488354e36370f6cca89f0f106db09518524c88d6ed83f382" ], "markers": "python_version >= '3.6'", - "version": "==2022.6.15" + "version": "==2022.9.24" }, "cfgv": { "hashes": [ @@ -1724,11 +2134,11 @@ }, "charset-normalizer": { "hashes": [ - "sha256:5189b6f22b01957427f35b6a08d9a0bc45b46d3788ef5a92e978433c7a35f8a5", - "sha256:575e708016ff3a5e3681541cb9d79312c416835686d054a23accb873b254f413" + "sha256:5a3d016c7c547f69d6f81fb0db9449ce888b418b5b9952cc5e6e66843e9dd845", + "sha256:83e9a75d1911279afd89352c68b45348559d1fc0506b054b346651b5e7fee29f" ], "markers": "python_version >= '3.6'", - "version": "==2.1.0" + "version": "==2.1.1" }, "click": { "hashes": [ @@ -1748,50 +2158,59 @@ }, "coverage": { "hashes": [ - "sha256:01c5615d13f3dd3aa8543afc069e5319cfa0c7d712f6e04b920431e5c564a749", - "sha256:106c16dfe494de3193ec55cac9640dd039b66e196e4641fa8ac396181578b982", - "sha256:129cd05ba6f0d08a766d942a9ed4b29283aff7b2cccf5b7ce279d50796860bb3", - "sha256:145f296d00441ca703a659e8f3eb48ae39fb083baba2d7ce4482fb2723e050d9", - "sha256:1480ff858b4113db2718848d7b2d1b75bc79895a9c22e76a221b9d8d62496428", - "sha256:269eaa2c20a13a5bf17558d4dc91a8d078c4fa1872f25303dddcbba3a813085e", - "sha256:26dff09fb0d82693ba9e6231248641d60ba606150d02ed45110f9ec26404ed1c", - "sha256:2bd9a6fc18aab8d2e18f89b7ff91c0f34ff4d5e0ba0b33e989b3cd4194c81fd9", - "sha256:309ce4a522ed5fca432af4ebe0f32b21d6d7ccbb0f5fcc99290e71feba67c264", - "sha256:3384f2a3652cef289e38100f2d037956194a837221edd520a7ee5b42d00cc605", - "sha256:342d4aefd1c3e7f620a13f4fe563154d808b69cccef415415aece4c786665397", - "sha256:39ee53946bf009788108b4dd2894bf1349b4e0ca18c2016ffa7d26ce46b8f10d", - "sha256:4321f075095a096e70aff1d002030ee612b65a205a0a0f5b815280d5dc58100c", - "sha256:4803e7ccf93230accb928f3a68f00ffa80a88213af98ed338a57ad021ef06815", - "sha256:4ce1b258493cbf8aec43e9b50d89982346b98e9ffdfaae8ae5793bc112fb0068", - "sha256:664a47ce62fe4bef9e2d2c430306e1428ecea207ffd68649e3b942fa8ea83b0b", - "sha256:75ab269400706fab15981fd4bd5080c56bd5cc07c3bccb86aab5e1d5a88dc8f4", - "sha256:83c4e737f60c6936460c5be330d296dd5b48b3963f48634c53b3f7deb0f34ec4", - "sha256:84631e81dd053e8a0d4967cedab6db94345f1c36107c71698f746cb2636c63e3", - "sha256:84e65ef149028516c6d64461b95a8dbcfce95cfd5b9eb634320596173332ea84", - "sha256:865d69ae811a392f4d06bde506d531f6a28a00af36f5c8649684a9e5e4a85c83", - "sha256:87f4f3df85aa39da00fd3ec4b5abeb7407e82b68c7c5ad181308b0e2526da5d4", - "sha256:8c08da0bd238f2970230c2a0d28ff0e99961598cb2e810245d7fc5afcf1254e8", - "sha256:961e2fb0680b4f5ad63234e0bf55dfb90d302740ae9c7ed0120677a94a1590cb", - "sha256:9b3e07152b4563722be523e8cd0b209e0d1a373022cfbde395ebb6575bf6790d", - "sha256:a7f3049243783df2e6cc6deafc49ea123522b59f464831476d3d1448e30d72df", - "sha256:bf5601c33213d3cb19d17a796f8a14a9eaa5e87629a53979a5981e3e3ae166f6", - "sha256:cec3a0f75c8f1031825e19cd86ee787e87cf03e4fd2865c79c057092e69e3a3b", - "sha256:d42c549a8f41dc103a8004b9f0c433e2086add8a719da00e246e17cbe4056f72", - "sha256:d67d44996140af8b84284e5e7d398e589574b376fb4de8ccd28d82ad8e3bea13", - "sha256:d9c80df769f5ec05ad21ea34be7458d1dc51ff1fb4b2219e77fe24edf462d6df", - "sha256:e57816f8ffe46b1df8f12e1b348f06d164fd5219beba7d9433ba79608ef011cc", - "sha256:ee2ddcac99b2d2aec413e36d7a429ae9ebcadf912946b13ffa88e7d4c9b712d6", - "sha256:f02cbbf8119db68455b9d763f2f8737bb7db7e43720afa07d8eb1604e5c5ae28", - "sha256:f1d5aa2703e1dab4ae6cf416eb0095304f49d004c39e9db1d86f57924f43006b", - "sha256:f5b66caa62922531059bc5ac04f836860412f7f88d38a476eda0a6f11d4724f4", - "sha256:f69718750eaae75efe506406c490d6fc5a6161d047206cc63ce25527e8a3adad", - "sha256:fb73e0011b8793c053bfa85e53129ba5f0250fdc0392c1591fd35d915ec75c46", - "sha256:fd180ed867e289964404051a958f7cccabdeed423f91a899829264bb7974d3d3", - "sha256:fdb6f7bd51c2d1714cea40718f6149ad9be6a2ee7d93b19e9f00934c0f2a74d9", - "sha256:ffa9297c3a453fba4717d06df579af42ab9a28022444cae7fa605af4df612d54" + "sha256:027018943386e7b942fa832372ebc120155fd970837489896099f5cfa2890f79", + "sha256:11b990d520ea75e7ee8dcab5bc908072aaada194a794db9f6d7d5cfd19661e5a", + "sha256:12adf310e4aafddc58afdb04d686795f33f4d7a6fa67a7a9d4ce7d6ae24d949f", + "sha256:1431986dac3923c5945271f169f59c45b8802a114c8f548d611f2015133df77a", + "sha256:1ef221513e6f68b69ee9e159506d583d31aa3567e0ae84eaad9d6ec1107dddaa", + "sha256:20c8ac5386253717e5ccc827caad43ed66fea0efe255727b1053a8154d952398", + "sha256:2198ea6fc548de52adc826f62cb18554caedfb1d26548c1b7c88d8f7faa8f6ba", + "sha256:255758a1e3b61db372ec2736c8e2a1fdfaf563977eedbdf131de003ca5779b7d", + "sha256:265de0fa6778d07de30bcf4d9dc471c3dc4314a23a3c6603d356a3c9abc2dfcf", + "sha256:33a7da4376d5977fbf0a8ed91c4dffaaa8dbf0ddbf4c8eea500a2486d8bc4d7b", + "sha256:42eafe6778551cf006a7c43153af1211c3aaab658d4d66fa5fcc021613d02518", + "sha256:4433b90fae13f86fafff0b326453dd42fc9a639a0d9e4eec4d366436d1a41b6d", + "sha256:4a5375e28c5191ac38cca59b38edd33ef4cc914732c916f2929029b4bfb50795", + "sha256:4a8dbc1f0fbb2ae3de73eb0bdbb914180c7abfbf258e90b311dcd4f585d44bd2", + "sha256:59f53f1dc5b656cafb1badd0feb428c1e7bc19b867479ff72f7a9dd9b479f10e", + "sha256:5dbec3b9095749390c09ab7c89d314727f18800060d8d24e87f01fb9cfb40b32", + "sha256:633713d70ad6bfc49b34ead4060531658dc6dfc9b3eb7d8a716d5873377ab745", + "sha256:6b07130585d54fe8dff3d97b93b0e20290de974dc8177c320aeaf23459219c0b", + "sha256:6c4459b3de97b75e3bd6b7d4b7f0db13f17f504f3d13e2a7c623786289dd670e", + "sha256:6d4817234349a80dbf03640cec6109cd90cba068330703fa65ddf56b60223a6d", + "sha256:723e8130d4ecc8f56e9a611e73b31219595baa3bb252d539206f7bbbab6ffc1f", + "sha256:784f53ebc9f3fd0e2a3f6a78b2be1bd1f5575d7863e10c6e12504f240fd06660", + "sha256:7b6be138d61e458e18d8e6ddcddd36dd96215edfe5f1168de0b1b32635839b62", + "sha256:7ccf362abd726b0410bf8911c31fbf97f09f8f1061f8c1cf03dfc4b6372848f6", + "sha256:83516205e254a0cb77d2d7bb3632ee019d93d9f4005de31dca0a8c3667d5bc04", + "sha256:851cf4ff24062c6aec510a454b2584f6e998cada52d4cb58c5e233d07172e50c", + "sha256:8f830ed581b45b82451a40faabb89c84e1a998124ee4212d440e9c6cf70083e5", + "sha256:94e2565443291bd778421856bc975d351738963071e9b8839ca1fc08b42d4bef", + "sha256:95203854f974e07af96358c0b261f1048d8e1083f2de9b1c565e1be4a3a48cfc", + "sha256:97117225cdd992a9c2a5515db1f66b59db634f59d0679ca1fa3fe8da32749cae", + "sha256:98e8a10b7a314f454d9eff4216a9a94d143a7ee65018dd12442e898ee2310578", + "sha256:a1170fa54185845505fbfa672f1c1ab175446c887cce8212c44149581cf2d466", + "sha256:a6b7d95969b8845250586f269e81e5dfdd8ff828ddeb8567a4a2eaa7313460c4", + "sha256:a8fb6cf131ac4070c9c5a3e21de0f7dc5a0fbe8bc77c9456ced896c12fcdad91", + "sha256:af4fffaffc4067232253715065e30c5a7ec6faac36f8fc8d6f64263b15f74db0", + "sha256:b4a5be1748d538a710f87542f22c2cad22f80545a847ad91ce45e77417293eb4", + "sha256:b5604380f3415ba69de87a289a2b56687faa4fe04dbee0754bfcae433489316b", + "sha256:b9023e237f4c02ff739581ef35969c3739445fb059b060ca51771e69101efffe", + "sha256:bc8ef5e043a2af066fa8cbfc6e708d58017024dc4345a1f9757b329a249f041b", + "sha256:c4ed2820d919351f4167e52425e096af41bfabacb1857186c1ea32ff9983ed75", + "sha256:cca4435eebea7962a52bdb216dec27215d0df64cf27fc1dd538415f5d2b9da6b", + "sha256:d900bb429fdfd7f511f868cedd03a6bbb142f3f9118c09b99ef8dc9bf9643c3c", + "sha256:d9ecf0829c6a62b9b573c7bb6d4dcd6ba8b6f80be9ba4fc7ed50bf4ac9aecd72", + "sha256:dbdb91cd8c048c2b09eb17713b0c12a54fbd587d79adcebad543bc0cd9a3410b", + "sha256:de3001a203182842a4630e7b8d1a2c7c07ec1b45d3084a83d5d227a3806f530f", + "sha256:e07f4a4a9b41583d6eabec04f8b68076ab3cd44c20bd29332c6572dda36f372e", + "sha256:ef8674b0ee8cc11e2d574e3e2998aea5df5ab242e012286824ea3c6970580e53", + "sha256:f4f05d88d9a80ad3cac6244d36dd89a3c00abc16371769f1340101d3cb899fc3", + "sha256:f642e90754ee3e06b0e7e51bce3379590e76b7f76b708e1a71ff043f87025c84", + "sha256:fc2af30ed0d5ae0b1abdb4ebdce598eafd5b35397d4d75deb341a614d333d987" ], "markers": "python_version >= '3.7'", - "version": "==6.4.1" + "version": "==6.5.0" }, "coveralls": { "hashes": [ @@ -1803,10 +2222,10 @@ }, "distlib": { "hashes": [ - "sha256:6564fe0a8f51e734df6333d08b8b94d4ea8ee6b99b5ed50613f731fd4089f34b", - "sha256:e4b58818180336dc9c529bfb9a0b58728ffc09ad92027a3f30b7cd91e3458579" + "sha256:14bad2d9b04d3a36127ac97f30b12a19268f211063d8f8ee4f47108896e11b46", + "sha256:f35c4b692542ca110de7ef0bea44d73981caeb34ca0b9b6b2e6d7790dda8f80e" ], - "version": "==0.3.4" + "version": "==0.3.6" }, "docopt": { "hashes": [ @@ -1840,35 +2259,35 @@ }, "faker": { "hashes": [ - "sha256:8e94a749d2f3d9b367f61eb33be6a534f0a2d305c54e912ee6618370e3278db7", - "sha256:a126fa66f54e65a67f913dcc698c9d023def7277882536bde2968fcac701bfd5" + "sha256:096c15e136adb365db24d8c3964fe26bfc68fe060c9385071a339f8c14e09c8a", + "sha256:a741b77f484215c3aab2604100669657189548f440fcb2ed0f8b7ee21c385629" ], - "markers": "python_version >= '3.6'", - "version": "==13.15.0" + "markers": "python_version >= '3.7'", + "version": "==15.1.1" }, "filelock": { "hashes": [ - "sha256:37def7b658813cda163b56fc564cdc75e86d338246458c4c28ae84cabefa2404", - "sha256:3a0fd85166ad9dbab54c9aec96737b744106dc5f15c0b09a6744a445299fcf04" + "sha256:55447caa666f2198c5b6b13a26d2084d26fa5b115c00d065664b2124680c4edc", + "sha256:617eb4e5eedc82fc5f47b6d61e4d11cb837c56cb4544e39081099fa17ad109d4" ], "index": "pypi", - "version": "==3.7.1" + "version": "==3.8.0" }, "identify": { "hashes": [ - "sha256:0dca2ea3e4381c435ef9c33ba100a78a9b40c0bab11189c7cf121f75815efeaa", - "sha256:3d11b16f3fe19f52039fb7e39c9c884b21cb1b586988114fbe42671f03de3e82" + "sha256:6c32dbd747aa4ceee1df33f25fed0b0f6e0d65721b15bd151307ff7056d50245", + "sha256:b276db7ec52d7e89f5bc4653380e33054ddc803d25875952ad90b0f012cbcdaa" ], "markers": "python_version >= '3.7'", - "version": "==2.5.1" + "version": "==2.5.6" }, "idna": { "hashes": [ - "sha256:84d9dd047ffa80596e0f246e2eab0b391788b0503584e8945f2368256d2735ff", - "sha256:9d643ff0a55b762d5cdb124b8eaa99c66322e2157b69160bc32796e824360e6d" + "sha256:814f528e8dead7d329833b91c5faa87d60bf71824cd12a7530b5526063d02cb4", + "sha256:90b77e79eaa3eba6de819a0c442c0b4ceefc341a7a2ab77d7562bf49f425c5c2" ], "markers": "python_version >= '3.5'", - "version": "==3.3" + "version": "==3.4" }, "imagesize": { "hashes": [ @@ -1878,14 +2297,6 @@ "markers": "python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3'", "version": "==1.4.1" }, - "importlib-metadata": { - "hashes": [ - "sha256:637245b8bab2b6502fcbc752cc4b7a6f6243bb02b31c5c26156ad103d3d45670", - "sha256:7401a975809ea1fdc658c3aa4f78cc2195a0e019c5cbc4c06122884e9ae80c23" - ], - "markers": "python_version < '3.10'", - "version": "==4.12.0" - }, "iniconfig": { "hashes": [ "sha256:011e24c64b7f47f6ebd835bb12a743f2fbe9a26d4cecaa7f53bc4f35ee9da8b3", @@ -1963,19 +2374,19 @@ }, "mdit-py-plugins": { "hashes": [ - "sha256:b1279701cee2dbf50e188d3da5f51fee8d78d038cdf99be57c6b9d1aa93b4073", - "sha256:ecc24f51eeec6ab7eecc2f9724e8272c2fb191c2e93cf98109120c2cace69750" + "sha256:3fc13298497d6e04fe96efdd41281bfe7622152f9caa1815ea99b5c893de9441", + "sha256:606a7f29cf56dbdfaf914acb21709b8f8ee29d857e8f29dcc33d8cb84c57bfa1" ], - "markers": "python_version ~= '3.6'", - "version": "==0.3.0" + "markers": "python_version >= '3.7'", + "version": "==0.3.1" }, "mdurl": { "hashes": [ - "sha256:6a8f6804087b7128040b2fb2ebe242bdc2affaeaa034d5fc9feeed30b443651b", - "sha256:f79c9709944df218a4cdb0fcc0b0c7ead2f44594e3e84dc566606f04ad749c20" + "sha256:84008a41e51615a49fc9966191ff91509e3c40b939176e643fd50a5c2196b8f8", + "sha256:bb413d29f5eea38f31dd4754dd7377d4465116fb207585f97bf925588687c1ba" ], "markers": "python_version >= '3.7'", - "version": "==0.1.1" + "version": "==0.1.2" }, "mypy-extensions": { "hashes": [ @@ -1986,11 +2397,11 @@ }, "myst-parser": { "hashes": [ - "sha256:4965e51918837c13bf1c6f6fe2c6bddddf193148360fbdaefe743a4981358f6a", - "sha256:739a4d96773a8e55a2cacd3941ce46a446ee23dcd6b37e06f73f551ad7821d86" + "sha256:61b275b85d9f58aa327f370913ae1bec26ebad372cc99f3ab85c8ec3ee8d9fb8", + "sha256:79317f4bb2c13053dd6e64f9da1ba1da6cd9c40c8a430c447a7b146a594c246d" ], "index": "pypi", - "version": "==0.18.0" + "version": "==0.18.1" }, "nodeenv": { "hashes": [ @@ -2010,10 +2421,11 @@ }, "pathspec": { "hashes": [ - "sha256:7d15c4ddb0b5c802d161efc417ec1a2558ea2653c2e8ad9c19098201dc1c993a", - "sha256:e564499435a2673d586f6b2130bb5b95f04a3ba06f81b8f895b651a3c76aabb1" + "sha256:46846318467efc4556ccfd27816e004270a9eeeeb4d062ce5e6fc7a87c573f93", + "sha256:7ace6161b621d31e7902eb6b5ae148d12cfd23f4a249b9ffb6b9fee12084323d" ], - "version": "==0.9.0" + "markers": "python_version >= '3.7'", + "version": "==0.10.1" }, "platformdirs": { "hashes": [ @@ -2049,19 +2461,19 @@ }, "pycodestyle": { "hashes": [ - "sha256:720f8b39dde8b293825e7ff02c475f3077124006db4f440dcbc9a20b76548a20", - "sha256:eddd5847ef438ea1c7870ca7eb78a9d47ce0cdb4851a5523949f2601d0cbbe7f" + "sha256:2c9607871d58c76354b697b42f5d57e1ada7d261c261efac224b664affdc5785", + "sha256:d1735fc58b418fd7c5f658d28d943854f8a849b01a5d0a1e6f3f3fdd0166804b" ], "index": "pypi", - "version": "==2.8.0" + "version": "==2.9.1" }, "pygments": { "hashes": [ - "sha256:5eb116118f9612ff1ee89ac96437bb6b49e8f04d8a13b514ba26f620208e26eb", - "sha256:dc9c10fb40944260f6ed4c688ece0cd2048414940f1cea51b8b226318411c519" + "sha256:56a8508ae95f98e2b9bdf93a6be5ae3f7d8af858b43e02c5a2ff083726be40c1", + "sha256:f643f331ab57ba3c9d89212ee4a2dabc6e94f117cf4eefde99a0574720d14c42" ], "markers": "python_version >= '3.6'", - "version": "==2.12.0" + "version": "==2.13.0" }, "pyparsing": { "hashes": [ @@ -2073,19 +2485,19 @@ }, "pytest": { "hashes": [ - "sha256:13d0e3ccfc2b6e26be000cb6568c832ba67ba32e719443bfe725814d3c42433c", - "sha256:a06a0425453864a270bc45e71f783330a7428defb4230fb5e6a731fde06ecd45" + "sha256:1377bda3466d70b55e3f5cecfa55bb7cfcf219c7964629b967c37cf0bda818b7", + "sha256:4f365fec2dff9c1162f834d9f18af1ba13062db0c708bf7b946f8a5c76180c39" ], "index": "pypi", - "version": "==7.1.2" + "version": "==7.1.3" }, "pytest-cov": { "hashes": [ - "sha256:578d5d15ac4a25e5f961c938b85a05b09fdaae9deef3bb6de9a6e766622ca7a6", - "sha256:e7f0f5b1617d2210a2cabc266dfe2f4c75a8d32fb89eafb7ad9d06f6d076d470" + "sha256:2feb1b751d66a8bd934e5edfa2e961d11309dc37b73b0eabe73b5945fee20f6b", + "sha256:996b79efde6433cdbd0088872dbc5fb3ed7fe1578b68cdbba634f14bb8dd0470" ], "index": "pypi", - "version": "==3.0.0" + "version": "==4.0.0" }, "pytest-django": { "hashes": [ @@ -2136,13 +2548,14 @@ }, "pytz": { "hashes": [ - "sha256:1e760e2fe6a8163bc0b3d9a19c4f84342afa0a2affebfaa84b01b978a02ecaa7", - "sha256:e68985985296d9a66a881eb3193b0906246245294a881e7c8afe623866ac6a5c" + "sha256:2c0784747071402c6e99f0bafdb7da0fa22645f06554c7ae06bf6358897e9c91", + "sha256:48ce799d83b6f8aab2020e369b627446696619e79645419610b9facd909b3174" ], - "version": "==2022.1" + "version": "==2022.4" }, "pyyaml": { "hashes": [ + "sha256:01b45c0191e6d66c470b6cf1b9531a771a83c1c4208272ead47a3ae4f2f603bf", "sha256:0283c35a6a9fbf047493e3a0ce8d79ef5030852c51e9d911a27badfde0605293", "sha256:055d937d65826939cb044fc8c9b08889e8c743fdc6a32b33e2390f66013e449b", "sha256:07751360502caac1c067a8132d150cf3d61339af5691fe9e87803040dbc5db57", @@ -2154,26 +2567,32 @@ "sha256:277a0ef2981ca40581a47093e9e2d13b3f1fbbeffae064c1d21bfceba2030287", "sha256:2cd5df3de48857ed0544b34e2d40e9fac445930039f3cfe4bcc592a1f836d513", "sha256:40527857252b61eacd1d9af500c3337ba8deb8fc298940291486c465c8b46ec0", + "sha256:432557aa2c09802be39460360ddffd48156e30721f5e8d917f01d31694216782", "sha256:473f9edb243cb1935ab5a084eb238d842fb8f404ed2193a915d1784b5a6b5fc0", "sha256:48c346915c114f5fdb3ead70312bd042a953a8ce5c7106d5bfb1a5254e47da92", "sha256:50602afada6d6cbfad699b0c7bb50d5ccffa7e46a3d738092afddc1f9758427f", "sha256:68fb519c14306fec9720a2a5b45bc9f0c8d1b9c72adf45c37baedfcd949c35a2", "sha256:77f396e6ef4c73fdc33a9157446466f1cff553d979bd00ecb64385760c6babdc", + "sha256:81957921f441d50af23654aa6c5e5eaf9b06aba7f0a19c18a538dc7ef291c5a1", "sha256:819b3830a1543db06c4d4b865e70ded25be52a2e0631ccd2f6a47a2822f2fd7c", "sha256:897b80890765f037df3403d22bab41627ca8811ae55e9a722fd0392850ec4d86", "sha256:98c4d36e99714e55cfbaaee6dd5badbc9a1ec339ebfc3b1f52e293aee6bb71a4", "sha256:9df7ed3b3d2e0ecfe09e14741b857df43adb5a3ddadc919a2d94fbdf78fea53c", "sha256:9fa600030013c4de8165339db93d182b9431076eb98eb40ee068700c9c813e34", "sha256:a80a78046a72361de73f8f395f1f1e49f956c6be882eed58505a15f3e430962b", + "sha256:afa17f5bc4d1b10afd4466fd3a44dc0e245382deca5b3c353d8b757f9e3ecb8d", "sha256:b3d267842bf12586ba6c734f89d1f5b871df0273157918b0ccefa29deb05c21c", "sha256:b5b9eccad747aabaaffbc6064800670f0c297e52c12754eb1d976c57e4f74dcb", + "sha256:bfaef573a63ba8923503d27530362590ff4f576c626d86a9fed95822a8255fd7", "sha256:c5687b8d43cf58545ade1fe3e055f70eac7a5a1a0bf42824308d868289a95737", "sha256:cba8c411ef271aa037d7357a2bc8f9ee8b58b9965831d9e51baf703280dc73d3", "sha256:d15a181d1ecd0d4270dc32edb46f7cb7733c7c508857278d3d378d14d606db2d", + "sha256:d4b0ba9512519522b118090257be113b9468d804b19d63c71dbcf4a48fa32358", "sha256:d4db7c7aef085872ef65a8fd7d6d09a14ae91f691dec3e87ee5ee0539d516f53", "sha256:d4eccecf9adf6fbcc6861a38015c2a64f38b9d94838ac1810a9023a0609e1b78", "sha256:d67d839ede4ed1b28a4e8909735fc992a923cdb84e618544973d7dfc71540803", "sha256:daf496c58a8c52083df09b80c860005194014c3698698d1a57cbcfa182142a3a", + "sha256:dbad0e9d368bb989f4515da330b88a057617d16b6a8245084f1b05400f24609f", "sha256:e61ceaab6f49fb8bdfaa0f92c4b57bcfbea54c09277b1b4f7ac376bfb7a7c174", "sha256:f84fbc98b019fef2ee9a1cb3ce93e3187a6df0b2538a651bfb890254ba9f90b5" ], @@ -2189,11 +2608,11 @@ }, "setuptools": { "hashes": [ - "sha256:16923d366ced322712c71ccb97164d07472abeecd13f3a6c283f6d5d26722793", - "sha256:db3b8e2f922b2a910a29804776c643ea609badb6a32c4bcc226fd4fd902cce65" + "sha256:512e5536220e38146176efb833d4a62aa726b7bbff82cfbc8ba9eaa3996e0b17", + "sha256:f62ea9da9ed6289bfe868cd6845968a2c854d1427f8548d52cae02a42b4f0356" ], "markers": "python_version >= '3.7'", - "version": "==63.1.0" + "version": "==65.5.0" }, "six": { "hashes": [ @@ -2212,11 +2631,11 @@ }, "sphinx": { "hashes": [ - "sha256:b18e978ea7565720f26019c702cd85c84376e948370f1cd43d60265010e1c7b0", - "sha256:d3e57663eed1d7c5c50895d191fdeda0b54ded6f44d5621b50709466c338d1e8" + "sha256:060ca5c9f7ba57a08a1219e547b269fadf125ae25b06b9fa7f66768efb652d6d", + "sha256:51026de0a9ff9fc13c05d74913ad66047e104f56a129ff73e174eb5c3ee794b5" ], "index": "pypi", - "version": "==5.0.2" + "version": "==5.3.0" }, "sphinx-autobuild": { "hashes": [ @@ -2284,9 +2703,11 @@ }, "termcolor": { "hashes": [ - "sha256:1d6d69ce66211143803fbc56652b41d73b4a400a2891d7bf7a1cdf4c02de613b" + "sha256:6b2cf769e93364a2676e1de56a7c0cff2cf5bd07f37e9cc80b0dd6320ebfe388", + "sha256:7e597f9de8e001a3208c4132938597413b9da45382b6f1d150cff8d062b7aaa3" ], - "version": "==1.1.0" + "markers": "python_version >= '3.7'", + "version": "==2.0.1" }, "toml": { "hashes": [ @@ -2318,49 +2739,40 @@ "sha256:d3a2f5999215a3a06a4fc218026cd84c61b8b2b40ac5296a6db1f1451ef04c1e", "sha256:e5f923aa6a47e133d1cf87d60700889d7eae68988704e20c75fb2d65677a8e4b" ], - "markers": "python_version > '2.7'", + "markers": "python_version >= '3.7'", "version": "==6.2" }, "tox": { "hashes": [ - "sha256:c138327815f53bc6da4fe56baec5f25f00622ae69ef3fe4e1e385720e22486f9", - "sha256:c38e15f4733683a9cc0129fba078633e07eb0961f550a010ada879e95fb32632" + "sha256:44f3c347c68c2c68799d7d44f1808f9d396fc8a1a500cbc624253375c7ae107e", + "sha256:bf037662d7c740d15c9924ba23bb3e587df20598697bb985ac2b49bdc2d847f6" ], "index": "pypi", - "version": "==3.25.1" + "version": "==3.26.0" }, "typing-extensions": { "hashes": [ - "sha256:25642c956049920a5aa49edcdd6ab1e06d7e5d467fc00e0506c44ac86fbfca02", - "sha256:e6d2677a32f47fc7eb2795db1dd15c1f34eff616bcaf2cfb5e997f854fa1c4a6" + "sha256:1511434bb92bf8dd198c12b1cc812e800d4181cfcb867674e0f8279cc93087aa", + "sha256:16fa4864408f655d35ec496218b85f79b3437c829e93320c7c9215ccfd92489e" ], "markers": "python_version >= '3.7'", - "version": "==4.3.0" + "version": "==4.4.0" }, "urllib3": { "hashes": [ - "sha256:8298d6d56d39be0e3bc13c1c97d133f9b45d797169a0e11cdd0e0489d786f7ec", - "sha256:879ba4d1e89654d9769ce13121e0f94310ea32e8d2f8cf587b77c08bbcdb30d6" + "sha256:3fa96cf423e6987997fc326ae8df396db2a8b7c667747d47ddd8ecba91f4a74e", + "sha256:b930dd878d5a8afb066a637fbb35144fe7901e3b209d1cd4f524bd0e9deee997" ], "markers": "python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4, 3.5' and python_version < '4'", - "version": "==1.26.10" + "version": "==1.26.12" }, "virtualenv": { "hashes": [ - "sha256:288171134a2ff3bfb1a2f54f119e77cd1b81c29fc1265a2356f3e8d14c7d58c4", - "sha256:b30aefac647e86af6d82bfc944c556f8f1a9c90427b2fb4e3bfbf338cb82becf" + "sha256:227ea1b9994fdc5ea31977ba3383ef296d7472ea85be9d6732e42a91c04e80da", + "sha256:d07dfc5df5e4e0dbc92862350ad87a36ed505b978f6c39609dc489eadd5b0d27" ], - "markers": "python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4'", - "version": "==20.15.1" - }, - "zipp": { - "hashes": [ - "sha256:56bf8aadb83c24db6c4b577e13de374ccfb67da2078beba1d037c17980bf43ad", - "sha256:c4f6e5bbf48e74f7a38e7cc5b0480ff42b0ae5178957d564d18932525d5cf099" - ], - "index": "pypi", - "markers": "python_version < '3.9'", - "version": "==3.8.0" + "markers": "python_version >= '3.6'", + "version": "==20.16.5" } } } diff --git a/docker-builders/Dockerfile.jbig2enc b/docker-builders/Dockerfile.jbig2enc index d9f1643fd..90318084f 100644 --- a/docker-builders/Dockerfile.jbig2enc +++ b/docker-builders/Dockerfile.jbig2enc @@ -7,6 +7,7 @@ FROM debian:bullseye-slim as main LABEL org.opencontainers.image.description="A intermediate image with jbig2enc built" ARG DEBIAN_FRONTEND=noninteractive +ARG JBIG2ENC_VERSION ARG BUILD_PACKAGES="\ build-essential \ @@ -19,21 +20,16 @@ ARG BUILD_PACKAGES="\ WORKDIR /usr/src/jbig2enc -# As this is an base image for a multi-stage final image -# the added size of the install is basically irrelevant -RUN apt-get update --quiet \ - && apt-get install --yes --quiet --no-install-recommends ${BUILD_PACKAGES} \ - && rm -rf /var/lib/apt/lists/* - -# Layers after this point change according to required version -# For better caching, seperate the basic installs from -# the building - -ARG JBIG2ENC_VERSION - RUN set -eux \ - && git clone --quiet --branch $JBIG2ENC_VERSION https://github.com/agl/jbig2enc . -RUN set -eux \ - && ./autogen.sh -RUN set -eux \ - && ./configure && make + && echo "Installing build tools" \ + && apt-get update --quiet \ + && apt-get install --yes --quiet --no-install-recommends ${BUILD_PACKAGES} \ + && echo "Building jbig2enc" \ + && git clone --quiet --branch $JBIG2ENC_VERSION https://github.com/agl/jbig2enc . \ + && ./autogen.sh \ + && ./configure \ + && make \ + && echo "Cleaning up image" \ + && apt-get -y purge ${BUILD_PACKAGES} \ + && apt-get -y autoremove --purge \ + && rm -rf /var/lib/apt/lists/* diff --git a/docker-builders/Dockerfile.pikepdf b/docker-builders/Dockerfile.pikepdf index ff7086b7c..750306360 100644 --- a/docker-builders/Dockerfile.pikepdf +++ b/docker-builders/Dockerfile.pikepdf @@ -17,6 +17,7 @@ FROM python:3.9-slim-bullseye as main LABEL org.opencontainers.image.description="A intermediate image with pikepdf wheel built" ARG DEBIAN_FRONTEND=noninteractive +ARG PIKEPDF_VERSION ARG BUILD_PACKAGES="\ build-essential \ @@ -55,34 +56,33 @@ COPY --from=qpdf-builder /usr/src/qpdf/*.deb ./ # the added size of the install is basically irrelevant RUN set -eux \ - && apt-get update --quiet \ - && apt-get install --yes --quiet --no-install-recommends $BUILD_PACKAGES \ - && dpkg --install libqpdf28_*.deb \ - && dpkg --install libqpdf-dev_*.deb \ - && python3 -m pip install --no-cache-dir --upgrade \ - pip \ - wheel \ - # https://pikepdf.readthedocs.io/en/latest/installation.html#requirements - pybind11 \ - && rm -rf /var/lib/apt/lists/* - -# Layers after this point change according to required version -# For better caching, seperate the basic installs from -# the building - -ARG PIKEPDF_VERSION - -RUN set -eux \ + && echo "Installing build tools" \ + && apt-get update --quiet \ + && apt-get install --yes --quiet --no-install-recommends ${BUILD_PACKAGES} \ + && echo "Installing qpdf" \ + && dpkg --install libqpdf29_*.deb \ + && dpkg --install libqpdf-dev_*.deb \ + && echo "Installing Python tools" \ + && python3 -m pip install --no-cache-dir --upgrade \ + pip \ + wheel \ + # https://pikepdf.readthedocs.io/en/latest/installation.html#requirements + pybind11 \ && echo "Building pikepdf wheel ${PIKEPDF_VERSION}" \ - && mkdir wheels \ - && python3 -m pip wheel \ - # Build the package at the required version - pikepdf==${PIKEPDF_VERSION} \ - # Output the *.whl into this directory - --wheel-dir wheels \ - # Do not use a binary packge for the package being built - --no-binary=pikepdf \ - # Do use binary packages for dependencies - --prefer-binary \ - --no-cache-dir \ - && ls -ahl wheels + && mkdir wheels \ + && python3 -m pip wheel \ + # Build the package at the required version + pikepdf==${PIKEPDF_VERSION} \ + # Output the *.whl into this directory + --wheel-dir wheels \ + # Do not use a binary packge for the package being built + --no-binary=pikepdf \ + # Do use binary packages for dependencies + --prefer-binary \ + # Don't cache build files + --no-cache-dir \ + && ls -ahl wheels \ + && echo "Cleaning up image" \ + && apt-get -y purge ${BUILD_PACKAGES} \ + && apt-get -y autoremove --purge \ + && rm -rf /var/lib/apt/lists/* diff --git a/docker-builders/Dockerfile.psycopg2 b/docker-builders/Dockerfile.psycopg2 index 5e6157a02..56bc7a1b2 100644 --- a/docker-builders/Dockerfile.psycopg2 +++ b/docker-builders/Dockerfile.psycopg2 @@ -6,6 +6,7 @@ FROM python:3.9-slim-bullseye as main LABEL org.opencontainers.image.description="A intermediate image with psycopg2 wheel built" +ARG PSYCOPG2_VERSION ARG DEBIAN_FRONTEND=noninteractive ARG BUILD_PACKAGES="\ @@ -21,29 +22,27 @@ WORKDIR /usr/src # the added size of the install is basically irrelevant RUN set -eux \ - && apt-get update --quiet \ - && apt-get install --yes --quiet --no-install-recommends $BUILD_PACKAGES \ - && rm -rf /var/lib/apt/lists/* \ - && python3 -m pip install --no-cache-dir --upgrade pip wheel - -# Layers after this point change according to required version -# For better caching, seperate the basic installs from -# the building - -ARG PSYCOPG2_VERSION - -RUN set -eux \ + && echo "Installing build tools" \ + && apt-get update --quiet \ + && apt-get install --yes --quiet --no-install-recommends ${BUILD_PACKAGES} \ + && echo "Installing Python tools" \ + && python3 -m pip install --no-cache-dir --upgrade pip wheel \ && echo "Building psycopg2 wheel ${PSYCOPG2_VERSION}" \ - && cd /usr/src \ - && mkdir wheels \ - && python3 -m pip wheel \ - # Build the package at the required version - psycopg2==${PSYCOPG2_VERSION} \ - # Output the *.whl into this directory - --wheel-dir wheels \ - # Do not use a binary packge for the package being built - --no-binary=psycopg2 \ - # Do use binary packages for dependencies - --prefer-binary \ - --no-cache-dir \ - && ls -ahl wheels/ + && cd /usr/src \ + && mkdir wheels \ + && python3 -m pip wheel \ + # Build the package at the required version + psycopg2==${PSYCOPG2_VERSION} \ + # Output the *.whl into this directory + --wheel-dir wheels \ + # Do not use a binary packge for the package being built + --no-binary=psycopg2 \ + # Do use binary packages for dependencies + --prefer-binary \ + # Don't cache build files + --no-cache-dir \ + && ls -ahl wheels/ \ + && echo "Cleaning up image" \ + && apt-get -y purge ${BUILD_PACKAGES} \ + && apt-get -y autoremove --purge \ + && rm -rf /var/lib/apt/lists/* diff --git a/docker-builders/Dockerfile.qpdf b/docker-builders/Dockerfile.qpdf index 0d738a4ad..de27b2d5d 100644 --- a/docker-builders/Dockerfile.qpdf +++ b/docker-builders/Dockerfile.qpdf @@ -1,8 +1,15 @@ +# This Dockerfile compiles the jbig2enc library +# Inputs: +# - QPDF_VERSION - the version of qpdf to build a .deb. +# Must be present as a deb-src in bookworm + FROM debian:bullseye-slim as main LABEL org.opencontainers.image.description="A intermediate image with qpdf built" ARG DEBIAN_FRONTEND=noninteractive +# This must match to pikepdf's minimum at least +ARG QPDF_VERSION ARG BUILD_PACKAGES="\ build-essential \ @@ -15,39 +22,27 @@ ARG BUILD_PACKAGES="\ libjpeg62-turbo-dev \ libgnutls28-dev \ packaging-dev \ + cmake \ zlib1g-dev" WORKDIR /usr/src -# As this is an base image for a multi-stage final image -# the added size of the install is basically irrelevant - -RUN set -eux \ - && apt-get update --quiet \ - && apt-get install --yes --quiet --no-install-recommends $BUILD_PACKAGES \ - && rm -rf /var/lib/apt/lists/* - -# Layers after this point change according to required version -# For better caching, seperate the basic installs from -# the building - -# This must match to pikepdf's minimum at least -ARG QPDF_VERSION - -# In order to get the required version of qpdf, it is backported from bookwork -# and then built from source RUN set -eux \ + && echo "Installing build tools" \ + && apt-get update --quiet \ + && apt-get install --yes --quiet --no-install-recommends $BUILD_PACKAGES \ + && echo "Getting qpdf src" \ + && echo "deb-src http://deb.debian.org/debian/ bookworm main" > /etc/apt/sources.list.d/bookworm-src.list \ + && apt-get update \ + && mkdir qpdf \ + && cd qpdf \ + && apt-get source --yes --quiet qpdf=${QPDF_VERSION}-1/bookworm \ && echo "Building qpdf" \ - && echo "deb-src http://deb.debian.org/debian/ bookworm main" > /etc/apt/sources.list.d/bookworm-src.list \ - && apt-get update \ - && mkdir qpdf \ - && cd qpdf \ - && apt-get source --yes --quiet qpdf=${QPDF_VERSION}-1/bookworm \ - && rm -rf /var/lib/apt/lists/* \ - && cd qpdf-$QPDF_VERSION \ - # We don't need to build the tests (also don't run them) - && rm -rf libtests \ - && DEBEMAIL=hello@paperless-ngx.com debchange --bpo \ - && export DEB_BUILD_OPTIONS="terse nocheck nodoc parallel=2" \ - && dpkg-buildpackage --build=binary --unsigned-source --unsigned-changes \ - && ls -ahl ../*.deb + && cd qpdf-$QPDF_VERSION \ + && export DEB_BUILD_OPTIONS="terse nocheck nodoc parallel=2" \ + && dpkg-buildpackage --build=binary --unsigned-source --unsigned-changes --post-clean \ + && ls -ahl ../*.deb \ + && echo "Cleaning up image" \ + && apt-get -y purge ${BUILD_PACKAGES} \ + && apt-get -y autoremove --purge \ + && rm -rf /var/lib/apt/lists/* diff --git a/docker/compose/docker-compose.env b/docker/compose/docker-compose.env index 34e694b92..c4dbb4cce 100644 --- a/docker/compose/docker-compose.env +++ b/docker/compose/docker-compose.env @@ -36,3 +36,7 @@ # The default language to use for OCR. Set this to the language most of your # documents are written in. #PAPERLESS_OCR_LANGUAGE=eng + +# Set if accessing paperless via a domain subpath e.g. https://domain.com/PATHPREFIX and using a reverse-proxy like traefik or nginx +#PAPERLESS_FORCE_SCRIPT_NAME=/PATHPREFIX +#PAPERLESS_STATIC_URL=/PATHPREFIX/static/ # trailing slash required diff --git a/docker/compose/docker-compose.mariadb-tika.yml b/docker/compose/docker-compose.mariadb-tika.yml new file mode 100644 index 000000000..b3699e4d7 --- /dev/null +++ b/docker/compose/docker-compose.mariadb-tika.yml @@ -0,0 +1,102 @@ +# docker-compose file for running paperless from the Docker Hub. +# This file contains everything paperless needs to run. +# Paperless supports amd64, arm and arm64 hardware. +# +# All compose files of paperless configure paperless in the following way: +# +# - Paperless is (re)started on system boot, if it was running before shutdown. +# - Docker volumes for storing data are managed by Docker. +# - Folders for importing and exporting files are created in the same directory +# as this file and mounted to the correct folders inside the container. +# - Paperless listens on port 8000. +# +# In addition to that, this docker-compose file adds the following optional +# configurations: +# +# - Instead of SQLite (default), MariaDB is used as the database server. +# - Apache Tika and Gotenberg servers are started with paperless and paperless +# is configured to use these services. These provide support for consuming +# Office documents (Word, Excel, Power Point and their LibreOffice counter- +# parts. +# +# To install and update paperless with this file, do the following: +# +# - Copy this file as 'docker-compose.yml' and the files 'docker-compose.env' +# and '.env' into a folder. +# - Run 'docker-compose pull'. +# - Run 'docker-compose run --rm webserver createsuperuser' to create a user. +# - Run 'docker-compose up -d'. +# +# For more extensive installation and update instructions, refer to the +# documentation. + +version: "3.4" +services: + broker: + image: docker.io/library/redis:7 + restart: unless-stopped + volumes: + - redisdata:/data + + db: + image: docker.io/library/mariadb:10 + restart: unless-stopped + volumes: + - dbdata:/var/lib/mysql + environment: + MARIADB_HOST: paperless + MARIADB_DATABASE: paperless + MARIADB_USER: paperless + MARIADB_PASSWORD: paperless + MARIADB_ROOT_PASSWORD: paperless + ports: + - "3306:3306" + + webserver: + image: ghcr.io/paperless-ngx/paperless-ngx:latest + restart: unless-stopped + depends_on: + - db + - broker + - gotenberg + - tika + ports: + - 8000:8000 + healthcheck: + test: ["CMD", "curl", "-f", "http://localhost:8000"] + interval: 30s + timeout: 10s + retries: 5 + volumes: + - data:/usr/src/paperless/data + - media:/usr/src/paperless/media + - ./export:/usr/src/paperless/export + - ./consume:/usr/src/paperless/consume + env_file: docker-compose.env + environment: + PAPERLESS_REDIS: redis://broker:6379 + PAPERLESS_DBENGINE: mariadb + PAPERLESS_DBHOST: db + PAPERLESS_DBUSER: paperless + PAPERLESS_DBPASSWORD: paperless + PAPERLESS_DBPORT: 3306 + PAPERLESS_TIKA_ENABLED: 1 + PAPERLESS_TIKA_GOTENBERG_ENDPOINT: http://gotenberg:3000 + PAPERLESS_TIKA_ENDPOINT: http://tika:9998 + + gotenberg: + image: docker.io/gotenberg/gotenberg:7.6 + restart: unless-stopped + command: + - "gotenberg" + - "--chromium-disable-routes=true" + + tika: + image: ghcr.io/paperless-ngx/tika:latest + restart: unless-stopped + +volumes: + data: + media: + dbdata: + redisdata: diff --git a/docker/compose/docker-compose.mariadb.yml b/docker/compose/docker-compose.mariadb.yml new file mode 100644 index 000000000..8cb452464 --- /dev/null +++ b/docker/compose/docker-compose.mariadb.yml @@ -0,0 +1,83 @@ +# docker-compose file for running paperless from the Docker Hub. +# This file contains everything paperless needs to run. +# Paperless supports amd64, arm and arm64 hardware. +# +# All compose files of paperless configure paperless in the following way: +# +# - Paperless is (re)started on system boot, if it was running before shutdown. +# - Docker volumes for storing data are managed by Docker. +# - Folders for importing and exporting files are created in the same directory +# as this file and mounted to the correct folders inside the container. +# - Paperless listens on port 8000. +# +# In addition to that, this docker-compose file adds the following optional +# configurations: +# +# - Instead of SQLite (default), MariaDB is used as the database server. +# +# To install and update paperless with this file, do the following: +# +# - Copy this file as 'docker-compose.yml' and the files 'docker-compose.env' +# and '.env' into a folder. +# - Run 'docker-compose pull'. +# - Run 'docker-compose run --rm webserver createsuperuser' to create a user. +# - Run 'docker-compose up -d'. +# +# For more extensive installation and update instructions, refer to the +# documentation. + +version: "3.4" +services: + broker: + image: docker.io/library/redis:7 + restart: unless-stopped + volumes: + - redisdata:/data + + db: + image: docker.io/library/mariadb:10 + restart: unless-stopped + volumes: + - dbdata:/var/lib/mysql + environment: + MARIADB_HOST: paperless + MARIADB_DATABASE: paperless + MARIADB_USER: paperless + MARIADB_PASSWORD: paperless + MARIADB_ROOT_PASSWORD: paperless + ports: + - "3306:3306" + + webserver: + image: ghcr.io/paperless-ngx/paperless-ngx:latest + restart: unless-stopped + depends_on: + - db + - broker + ports: + - 8000:8000 + healthcheck: + test: ["CMD", "curl", "-f", "http://localhost:8000"] + interval: 30s + timeout: 10s + retries: 5 + volumes: + - data:/usr/src/paperless/data + - media:/usr/src/paperless/media + - ./export:/usr/src/paperless/export + - ./consume:/usr/src/paperless/consume + env_file: docker-compose.env + environment: + PAPERLESS_REDIS: redis://broker:6379 + PAPERLESS_DBENGINE: mariadb + PAPERLESS_DBHOST: db + PAPERLESS_DBUSER: paperless + PAPERLESS_DBPASSWORD: paperless + PAPERLESS_DBPORT: 3306 + + +volumes: + data: + media: + dbdata: + redisdata: diff --git a/docker/compose/docker-compose.portainer.yml b/docker/compose/docker-compose.portainer.yml index fa34735b9..c3720e213 100644 --- a/docker/compose/docker-compose.portainer.yml +++ b/docker/compose/docker-compose.portainer.yml @@ -31,7 +31,7 @@ version: "3.4" services: broker: - image: docker.io/library/redis:6.0 + image: docker.io/library/redis:7 restart: unless-stopped volumes: - redisdata:/data diff --git a/docker/compose/docker-compose.postgres-tika.yml b/docker/compose/docker-compose.postgres-tika.yml index 216138d7a..1158e7d67 100644 --- a/docker/compose/docker-compose.postgres-tika.yml +++ b/docker/compose/docker-compose.postgres-tika.yml @@ -33,7 +33,7 @@ version: "3.4" services: broker: - image: docker.io/library/redis:6.0 + image: docker.io/library/redis:7 restart: unless-stopped volumes: - redisdata:/data @@ -77,7 +77,7 @@ services: PAPERLESS_TIKA_ENDPOINT: http://tika:9998 gotenberg: - image: docker.io/gotenberg/gotenberg:7.4 + image: docker.io/gotenberg/gotenberg:7.6 restart: unless-stopped # The gotenberg chromium route is used to convert .eml files. We do not diff --git a/docker/compose/docker-compose.postgres.yml b/docker/compose/docker-compose.postgres.yml index 85c70f1a3..5a2ab2496 100644 --- a/docker/compose/docker-compose.postgres.yml +++ b/docker/compose/docker-compose.postgres.yml @@ -29,7 +29,7 @@ version: "3.4" services: broker: - image: docker.io/library/redis:6.0 + image: docker.io/library/redis:7 restart: unless-stopped volumes: - redisdata:/data diff --git a/docker/compose/docker-compose.sqlite-tika.yml b/docker/compose/docker-compose.sqlite-tika.yml index eea7dd5f3..a331c1ad1 100644 --- a/docker/compose/docker-compose.sqlite-tika.yml +++ b/docker/compose/docker-compose.sqlite-tika.yml @@ -33,7 +33,7 @@ version: "3.4" services: broker: - image: docker.io/library/redis:6.0 + image: docker.io/library/redis:7 restart: unless-stopped volumes: - redisdata:/data @@ -65,7 +65,7 @@ services: PAPERLESS_TIKA_ENDPOINT: http://tika:9998 gotenberg: - image: docker.io/gotenberg/gotenberg:7.4 + image: docker.io/gotenberg/gotenberg:7.6 restart: unless-stopped # The gotenberg chromium route is used to convert .eml files. We do not diff --git a/docker/compose/docker-compose.sqlite.yml b/docker/compose/docker-compose.sqlite.yml index f1f3a02d4..5f5b9063b 100644 --- a/docker/compose/docker-compose.sqlite.yml +++ b/docker/compose/docker-compose.sqlite.yml @@ -26,7 +26,7 @@ version: "3.4" services: broker: - image: docker.io/library/redis:6.0 + image: docker.io/library/redis:7 restart: unless-stopped volumes: - redisdata:/data diff --git a/docker/docker-entrypoint.sh b/docker/docker-entrypoint.sh index c1e7588e1..2a0269e73 100755 --- a/docker/docker-entrypoint.sh +++ b/docker/docker-entrypoint.sh @@ -50,6 +50,31 @@ map_folders() { # Export these so they can be used in docker-prepare.sh export DATA_DIR="${PAPERLESS_DATA_DIR:-/usr/src/paperless/data}" export MEDIA_ROOT_DIR="${PAPERLESS_MEDIA_ROOT:-/usr/src/paperless/media}" + export CONSUME_DIR="${PAPERLESS_CONSUMPTION_DIR:-/usr/src/paperless/consume}" +} + +nltk_data () { + # Store the NLTK data outside the Docker container + local nltk_data_dir="${DATA_DIR}/nltk" + readonly truthy_things=("yes y 1 t true") + + # If not set, or it looks truthy + if [[ -z "${PAPERLESS_ENABLE_NLTK}" ]] || [[ "${truthy_things[*]}" =~ ${PAPERLESS_ENABLE_NLTK,} ]]; then + + # Download or update the snowball stemmer data + python3 -W ignore::RuntimeWarning -m nltk.downloader -d "${nltk_data_dir}" snowball_data + + # Download or update the stopwords corpus + python3 -W ignore::RuntimeWarning -m nltk.downloader -d "${nltk_data_dir}" stopwords + + # Download or update the punkt tokenizer data + python3 -W ignore::RuntimeWarning -m nltk.downloader -d "${nltk_data_dir}" punkt + + else + echo "Skipping NLTK data download" + + fi + } initialize() { @@ -62,7 +87,8 @@ initialize() { PAPERLESS_AUTO_LOGIN_USERNAME \ PAPERLESS_ADMIN_USER \ PAPERLESS_ADMIN_MAIL \ - PAPERLESS_ADMIN_PASSWORD; do + PAPERLESS_ADMIN_PASSWORD \ + PAPERLESS_REDIS; do # Check for a version of this var with _FILE appended # and convert the contents to the env var value file_env ${env_var} @@ -76,7 +102,11 @@ initialize() { local export_dir="/usr/src/paperless/export" - for dir in "${export_dir}" "${DATA_DIR}" "${DATA_DIR}/index" "${MEDIA_ROOT_DIR}" "${MEDIA_ROOT_DIR}/documents" "${MEDIA_ROOT_DIR}/documents/originals" "${MEDIA_ROOT_DIR}/documents/thumbnails"; do + for dir in \ + "${export_dir}" \ + "${DATA_DIR}" "${DATA_DIR}/index" \ + "${MEDIA_ROOT_DIR}" "${MEDIA_ROOT_DIR}/documents" "${MEDIA_ROOT_DIR}/documents/originals" "${MEDIA_ROOT_DIR}/documents/thumbnails" \ + "${CONSUME_DIR}"; do if [[ ! -d "${dir}" ]]; then echo "Creating directory ${dir}" mkdir "${dir}" @@ -87,15 +117,21 @@ initialize() { echo "Creating directory ${tmp_dir}" mkdir -p "${tmp_dir}" + nltk_data + set +e echo "Adjusting permissions of paperless files. This may take a while." chown -R paperless:paperless ${tmp_dir} - for dir in "${export_dir}" "${DATA_DIR}" "${MEDIA_ROOT_DIR}"; do + for dir in \ + "${export_dir}" \ + "${DATA_DIR}" \ + "${MEDIA_ROOT_DIR}" \ + "${CONSUME_DIR}"; do find "${dir}" -not \( -user paperless -and -group paperless \) -exec chown paperless:paperless {} + done set -e - gosu paperless /sbin/docker-prepare.sh + "${gosu_cmd[@]}" /sbin/docker-prepare.sh } install_languages() { @@ -137,6 +173,11 @@ install_languages() { echo "Paperless-ngx docker container starting..." +gosu_cmd=(gosu paperless) +if [ "$(id -u)" == "$(id -u paperless)" ]; then + gosu_cmd=() +fi + # Install additional languages if specified if [[ -n "$PAPERLESS_OCR_LANGUAGES" ]]; then install_languages "$PAPERLESS_OCR_LANGUAGES" @@ -146,7 +187,7 @@ initialize if [[ "$1" != "/"* ]]; then echo Executing management command "$@" - exec gosu paperless python3 manage.py "$@" + exec "${gosu_cmd[@]}" python3 manage.py "$@" else echo Executing "$@" exec "$@" diff --git a/docker/docker-prepare.sh b/docker/docker-prepare.sh index 879e1653a..c4e45c032 100755 --- a/docker/docker-prepare.sh +++ b/docker/docker-prepare.sh @@ -28,6 +28,30 @@ wait_for_postgres() { done } +wait_for_mariadb() { + echo "Waiting for MariaDB to start..." + + host="${PAPERLESS_DBHOST:=localhost}" + port="${PAPERLESS_DBPORT:=3306}" + + attempt_num=1 + max_attempts=5 + + while ! true > /dev/tcp/$host/$port; do + + if [ $attempt_num -eq $max_attempts ]; then + echo "Unable to connect to database." + exit 1 + else + echo "Attempt $attempt_num failed! Trying again in 5 seconds..." + + fi + + attempt_num=$(("$attempt_num" + 1)) + sleep 5 + done +} + wait_for_redis() { # We use a Python script to send the Redis ping # instead of installing redis-tools just for 1 thing @@ -66,7 +90,9 @@ superuser() { } do_work() { - if [[ -n "${PAPERLESS_DBHOST}" ]]; then + if [[ "${PAPERLESS_DBENGINE}" == "mariadb" ]]; then + wait_for_mariadb + elif [[ -n "${PAPERLESS_DBHOST}" ]]; then wait_for_postgres fi diff --git a/docker/paperless_cmd.sh b/docker/paperless_cmd.sh new file mode 100755 index 000000000..81a7c6334 --- /dev/null +++ b/docker/paperless_cmd.sh @@ -0,0 +1,15 @@ +#!/usr/bin/env bash + +rootless_args=() +if [ "$(id -u)" == "$(id -u paperless)" ]; then + rootless_args=( + --user + paperless + --logfile + supervisord.log + --pidfile + supervisord.pid + ) +fi + +exec /usr/local/bin/supervisord -c /etc/supervisord.conf "${rootless_args[@]}" diff --git a/docker/supervisord.conf b/docker/supervisord.conf index c1681b7b3..0199b86fe 100644 --- a/docker/supervisord.conf +++ b/docker/supervisord.conf @@ -19,14 +19,28 @@ stderr_logfile_maxbytes=0 [program:consumer] command=python3 manage.py document_consumer user=paperless +stopsignal=INT stdout_logfile=/dev/stdout stdout_logfile_maxbytes=0 stderr_logfile=/dev/stderr stderr_logfile_maxbytes=0 -[program:scheduler] -command=python3 manage.py qcluster +[program:celery] + +command = celery --app paperless worker --loglevel INFO +user=paperless +stopasgroup = true +stopwaitsecs = 60 + +stdout_logfile=/dev/stdout +stdout_logfile_maxbytes=0 +stderr_logfile=/dev/stderr +stderr_logfile_maxbytes=0 + +[program:celery-beat] + +command = celery --app paperless beat --loglevel INFO user=paperless stopasgroup = true diff --git a/docker/wait-for-redis.py b/docker/wait-for-redis.py index 8ceae1ba9..86f35a7cf 100755 --- a/docker/wait-for-redis.py +++ b/docker/wait-for-redis.py @@ -18,7 +18,7 @@ if __name__ == "__main__": REDIS_URL: Final[str] = os.getenv("PAPERLESS_REDIS", "redis://localhost:6379") - print(f"Waiting for Redis: {REDIS_URL}", flush=True) + print(f"Waiting for Redis...", flush=True) attempt = 0 with Redis.from_url(url=REDIS_URL) as client: @@ -37,8 +37,8 @@ if __name__ == "__main__": attempt += 1 if attempt >= MAX_RETRY_COUNT: - print(f"Failed to connect to: {REDIS_URL}") + print(f"Failed to connect to redis using environment variable PAPERLESS_REDIS.") sys.exit(os.EX_UNAVAILABLE) else: - print(f"Connected to Redis broker: {REDIS_URL}") + print(f"Connected to Redis broker.") sys.exit(os.EX_OK) diff --git a/docs/Dockerfile b/docs/Dockerfile deleted file mode 100644 index bb4b35e2d..000000000 --- a/docs/Dockerfile +++ /dev/null @@ -1,17 +0,0 @@ -FROM python:3.5.1 - -# Install Sphinx and Pygments -RUN pip install --no-cache-dir Sphinx Pygments \ - # Setup directories, copy data - && mkdir /build - -COPY . /build -WORKDIR /build/docs - -# Build documentation -RUN make html - -# Start webserver -WORKDIR /build/docs/_build/html -EXPOSE 8000/tcp -CMD ["python3", "-m", "http.server"] diff --git a/docs/_static/css/custom.css b/docs/_static/css/custom.css index 87694a598..c0b3ed83a 100644 --- a/docs/_static/css/custom.css +++ b/docs/_static/css/custom.css @@ -439,7 +439,8 @@ a.image-reference img { } .rst-content code.literal, -.rst-content tt.literal { +.rst-content tt.literal, +html.writer-html5 .rst-content dl.footnote code { border-color: var(--color-border); background-color: var(--color-border); color: var(--color-text-code-inline) diff --git a/docs/administration.rst b/docs/administration.rst index dfb88ff80..ed2075a48 100644 --- a/docs/administration.rst +++ b/docs/administration.rst @@ -35,13 +35,15 @@ Options available to docker installations: ``/var/lib/docker/volumes`` on the host and you need to be root in order to access them. - Paperless uses 3 volumes: + Paperless uses 4 volumes: * ``paperless_media``: This is where your documents are stored. * ``paperless_data``: This is where auxillary data is stored. This folder also contains the SQLite database, if you use it. * ``paperless_pgdata``: Exists only if you use PostgreSQL and contains the database. + * ``paperless_dbdata``: Exists only if you use MariaDB and contains + the database. Options available to bare-metal and non-docker installations: @@ -49,7 +51,7 @@ Options available to bare-metal and non-docker installations: crashes at some point or your disk fails, you can simply copy the folder back into place and it works. - When using PostgreSQL, you'll also have to backup the database. + When using PostgreSQL or MariaDB, you'll also have to backup the database. .. _migrating-restoring: @@ -310,6 +312,7 @@ there are tools for it. -c, --correspondent -T, --tags -t, --document_type + -s, --storage_path -i, --inbox-only --use-first -f, --overwrite @@ -318,7 +321,7 @@ Run this after changing or adding matching rules. It'll loop over all of the documents in your database and attempt to match documents according to the new rules. -Specify any combination of ``-c``, ``-T`` and ``-t`` to have the +Specify any combination of ``-c``, ``-T``, ``-t`` and ``-s`` to have the retagger perform matching of the specified metadata type. If you don't specify any of these options, the document retagger won't do anything. diff --git a/docs/advanced_usage.rst b/docs/advanced_usage.rst index 6449c478b..4723ff4b7 100644 --- a/docs/advanced_usage.rst +++ b/docs/advanced_usage.rst @@ -121,10 +121,10 @@ Pre-consumption script ====================== Executed after the consumer sees a new document in the consumption folder, but -before any processing of the document is performed. This script receives exactly -one argument: +before any processing of the document is performed. This script can access the +following relevant environment variables set: -* Document file name +* ``DOCUMENT_SOURCE_PATH`` A simple but common example for this would be creating a simple script like this: @@ -134,7 +134,7 @@ this: .. code:: bash #!/usr/bin/env bash - pdf2pdfocr.py -i ${1} + pdf2pdfocr.py -i ${DOCUMENT_SOURCE_PATH} ``/etc/paperless.conf`` @@ -157,16 +157,21 @@ Post-consumption script ======================= Executed after the consumer has successfully processed a document and has moved it -into paperless. It receives the following arguments: +into paperless. It receives the following environment variables: -* Document id -* Generated file name -* Source path -* Thumbnail path -* Download URL -* Thumbnail URL -* Correspondent -* Tags +* ``DOCUMENT_ID`` +* ``DOCUMENT_FILE_NAME`` +* ``DOCUMENT_CREATED`` +* ``DOCUMENT_MODIFIED`` +* ``DOCUMENT_ADDED`` +* ``DOCUMENT_SOURCE_PATH`` +* ``DOCUMENT_ARCHIVE_PATH`` +* ``DOCUMENT_THUMBNAIL_PATH`` +* ``DOCUMENT_DOWNLOAD_URL`` +* ``DOCUMENT_THUMBNAIL_URL`` +* ``DOCUMENT_CORRESPONDENT`` +* ``DOCUMENT_TAGS`` +* ``DOCUMENT_ORIGINAL_FILENAME`` The script can be in any language, but for a simple shell script example, you can take a look at `post-consumption-example.sh`_ in this project. @@ -213,7 +218,8 @@ using the identifier which it has assigned to each document. You will end up get files like ``0000123.pdf`` in your media directory. This isn't necessarily a bad thing, because you normally don't have to access these files manually. However, if you wish to name your files differently, you can do that by adjusting the -``PAPERLESS_FILENAME_FORMAT`` configuration option. +``PAPERLESS_FILENAME_FORMAT`` configuration option. Paperless adds the correct +file extension e.g. ``.pdf``, ``.jpg`` automatically. This variable allows you to configure the filename (folders are allowed) using placeholders. For example, configuring this to diff --git a/docs/changelog.md b/docs/changelog.md index 9ba2f9aa0..1caa00220 100644 --- a/docs/changelog.md +++ b/docs/changelog.md @@ -1,5 +1,321 @@ # Changelog +## paperless-ngx 1.9.1 + +### Bug Fixes + +- Bugfix: Fixes missing OCR mode skip_noarchive [@stumpylog](https://github.com/stumpylog) ([#1645](https://github.com/paperless-ngx/paperless-ngx/pull/1645)) +- Fix reset button padding on small screens [@shamoon](https://github.com/shamoon) ([#1646](https://github.com/paperless-ngx/paperless-ngx/pull/1646)) + +### Documentation + +- Improve docs re [@janis-ax](https://github.com/janis-ax) ([#1625](https://github.com/paperless-ngx/paperless-ngx/pull/1625)) +- [Documentation] Add v1.9.0 changelog [@github-actions](https://github.com/github-actions) ([#1639](https://github.com/paperless-ngx/paperless-ngx/pull/1639)) + +### All App Changes + +- Bugfix: Fixes missing OCR mode skip_noarchive [@stumpylog](https://github.com/stumpylog) ([#1645](https://github.com/paperless-ngx/paperless-ngx/pull/1645)) +- Fix reset button padding on small screens [@shamoon](https://github.com/shamoon) ([#1646](https://github.com/paperless-ngx/paperless-ngx/pull/1646)) + +## paperless-ngx 1.9.0 + +### Features + +- Feature: Faster, less memory barcode handling [@stumpylog](https://github.com/stumpylog) ([#1594](https://github.com/paperless-ngx/paperless-ngx/pull/1594)) +- Feature: Display django-q process names [@stumpylog](https://github.com/stumpylog) ([#1567](https://github.com/paperless-ngx/paperless-ngx/pull/1567)) +- Feature: Add MariaDB support [@bckelly1](https://github.com/bckelly1) ([#543](https://github.com/paperless-ngx/paperless-ngx/pull/543)) +- Feature: Simplify IMAP login for UTF-8 [@stumpylog](https://github.com/stumpylog) ([#1492](https://github.com/paperless-ngx/paperless-ngx/pull/1492)) +- Feature: Even better re-do of OCR [@stumpylog](https://github.com/stumpylog) ([#1451](https://github.com/paperless-ngx/paperless-ngx/pull/1451)) +- Feature: document comments [@tim-vogel](https://github.com/tim-vogel) ([#1375](https://github.com/paperless-ngx/paperless-ngx/pull/1375)) +- Adding date suggestions to the documents details view [@Eckii24](https://github.com/Eckii24) ([#1367](https://github.com/paperless-ngx/paperless-ngx/pull/1367)) +- Feature: Event driven consumer [@stumpylog](https://github.com/stumpylog) ([#1421](https://github.com/paperless-ngx/paperless-ngx/pull/1421)) +- Feature: Adds storage paths to re-tagger command [@stumpylog](https://github.com/stumpylog) ([#1446](https://github.com/paperless-ngx/paperless-ngx/pull/1446)) +- Feature: Preserve original filename in metadata [@GwynHannay](https://github.com/GwynHannay) ([#1440](https://github.com/paperless-ngx/paperless-ngx/pull/1440)) +- Handle tags for gmail email accounts [@sisao](https://github.com/sisao) ([#1433](https://github.com/paperless-ngx/paperless-ngx/pull/1433)) +- Update redis image [@tribut](https://github.com/tribut) ([#1436](https://github.com/paperless-ngx/paperless-ngx/pull/1436)) +- PAPERLESS_REDIS may be set via docker secrets [@DennisGaida](https://github.com/DennisGaida) ([#1405](https://github.com/paperless-ngx/paperless-ngx/pull/1405)) + +### Bug Fixes + +- paperless_cmd.sh: use exec to run supervisord [@lemmi](https://github.com/lemmi) ([#1617](https://github.com/paperless-ngx/paperless-ngx/pull/1617)) +- Fix: Double barcode separation creates empty file [@stumpylog](https://github.com/stumpylog) ([#1596](https://github.com/paperless-ngx/paperless-ngx/pull/1596)) +- Fix: Resolve issue with slow classifier [@stumpylog](https://github.com/stumpylog) ([#1576](https://github.com/paperless-ngx/paperless-ngx/pull/1576)) +- Fix document comments not updating on document navigation [@shamoon](https://github.com/shamoon) ([#1566](https://github.com/paperless-ngx/paperless-ngx/pull/1566)) +- Fix: Include storage paths in document exporter [@shamoon](https://github.com/shamoon) ([#1557](https://github.com/paperless-ngx/paperless-ngx/pull/1557)) +- Chore: Cleanup and validate settings [@stumpylog](https://github.com/stumpylog) ([#1551](https://github.com/paperless-ngx/paperless-ngx/pull/1551)) +- Bugfix: Better gunicorn settings for workers [@stumpylog](https://github.com/stumpylog) ([#1500](https://github.com/paperless-ngx/paperless-ngx/pull/1500)) +- Fix actions button in tasks table [@shamoon](https://github.com/shamoon) ([#1488](https://github.com/paperless-ngx/paperless-ngx/pull/1488)) +- Fix: Add missing filter rule types to SavedViewFilterRule model \& fix migrations [@shamoon](https://github.com/shamoon) ([#1463](https://github.com/paperless-ngx/paperless-ngx/pull/1463)) +- Fix paperless.conf.example typo [@qcasey](https://github.com/qcasey) ([#1460](https://github.com/paperless-ngx/paperless-ngx/pull/1460)) +- Bugfix: Fixes the creation of an archive file, even if noarchive was specified [@stumpylog](https://github.com/stumpylog) ([#1442](https://github.com/paperless-ngx/paperless-ngx/pull/1442)) +- Fix: created_date should not be required [@shamoon](https://github.com/shamoon) ([#1412](https://github.com/paperless-ngx/paperless-ngx/pull/1412)) +- Fix: dev backend testing [@stumpylog](https://github.com/stumpylog) ([#1420](https://github.com/paperless-ngx/paperless-ngx/pull/1420)) +- Bugfix: Catch all exceptions during the task signals [@stumpylog](https://github.com/stumpylog) ([#1387](https://github.com/paperless-ngx/paperless-ngx/pull/1387)) +- Fix: saved view page parameter [@shamoon](https://github.com/shamoon) ([#1376](https://github.com/paperless-ngx/paperless-ngx/pull/1376)) +- Fix: Correct browser unsaved changes warning [@shamoon](https://github.com/shamoon) ([#1369](https://github.com/paperless-ngx/paperless-ngx/pull/1369)) +- Fix: correct date pasting with other formats [@shamoon](https://github.com/shamoon) ([#1370](https://github.com/paperless-ngx/paperless-ngx/pull/1370)) +- Bugfix: Allow webserver bind address to be configured [@stumpylog](https://github.com/stumpylog) ([#1358](https://github.com/paperless-ngx/paperless-ngx/pull/1358)) +- Bugfix: Chain exceptions during exception handling [@stumpylog](https://github.com/stumpylog) ([#1354](https://github.com/paperless-ngx/paperless-ngx/pull/1354)) +- Fix: missing tooltip translation \& filter editor wrapping [@shamoon](https://github.com/shamoon) ([#1305](https://github.com/paperless-ngx/paperless-ngx/pull/1305)) +- Bugfix: Interaction between barcode and directories as tags [@stumpylog](https://github.com/stumpylog) ([#1303](https://github.com/paperless-ngx/paperless-ngx/pull/1303)) + +### Documentation + +- [Beta] Paperless-ngx v1.9.0 Release Candidate [@stumpylog](https://github.com/stumpylog) ([#1560](https://github.com/paperless-ngx/paperless-ngx/pull/1560)) +- docs/configuration: Fix binary variable defaults [@erikarvstedt](https://github.com/erikarvstedt) ([#1528](https://github.com/paperless-ngx/paperless-ngx/pull/1528)) +- Info about installing on subpath [@viktor-c](https://github.com/viktor-c) ([#1350](https://github.com/paperless-ngx/paperless-ngx/pull/1350)) +- Docs: move scanner \& software recs to GH wiki [@shamoon](https://github.com/shamoon) ([#1482](https://github.com/paperless-ngx/paperless-ngx/pull/1482)) +- Docs: Update mobile scanner section [@tooomm](https://github.com/tooomm) ([#1467](https://github.com/paperless-ngx/paperless-ngx/pull/1467)) +- Adding date suggestions to the documents details view [@Eckii24](https://github.com/Eckii24) ([#1367](https://github.com/paperless-ngx/paperless-ngx/pull/1367)) +- docs: scanners: add Brother ads4700w [@ocelotsloth](https://github.com/ocelotsloth) ([#1450](https://github.com/paperless-ngx/paperless-ngx/pull/1450)) +- Feature: Adds storage paths to re-tagger command [@stumpylog](https://github.com/stumpylog) ([#1446](https://github.com/paperless-ngx/paperless-ngx/pull/1446)) +- Changes to Redis documentation [@Zerteax](https://github.com/Zerteax) ([#1441](https://github.com/paperless-ngx/paperless-ngx/pull/1441)) +- Update scanners.rst [@glassbox-sco](https://github.com/glassbox-sco) ([#1430](https://github.com/paperless-ngx/paperless-ngx/pull/1430)) +- Update scanners.rst [@derlucas](https://github.com/derlucas) ([#1415](https://github.com/paperless-ngx/paperless-ngx/pull/1415)) +- Bugfix: Allow webserver bind address to be configured [@stumpylog](https://github.com/stumpylog) ([#1358](https://github.com/paperless-ngx/paperless-ngx/pull/1358)) +- docs: fix small typo [@tooomm](https://github.com/tooomm) ([#1352](https://github.com/paperless-ngx/paperless-ngx/pull/1352)) +- [Documentation] Add v1.8.0 changelog [@github-actions](https://github.com/github-actions) ([#1298](https://github.com/paperless-ngx/paperless-ngx/pull/1298)) + +### Maintenance + +- [Beta] Paperless-ngx v1.9.0 Release Candidate [@stumpylog](https://github.com/stumpylog) ([#1560](https://github.com/paperless-ngx/paperless-ngx/pull/1560)) +- paperless_cmd.sh: use exec to run supervisord [@lemmi](https://github.com/lemmi) ([#1617](https://github.com/paperless-ngx/paperless-ngx/pull/1617)) +- Chore: Extended container image cleanup [@stumpylog](https://github.com/stumpylog) ([#1556](https://github.com/paperless-ngx/paperless-ngx/pull/1556)) +- Chore: Smaller library images [@stumpylog](https://github.com/stumpylog) ([#1546](https://github.com/paperless-ngx/paperless-ngx/pull/1546)) +- Bump tj-actions/changed-files from 24 to 29.0.2 [@dependabot](https://github.com/dependabot) ([#1493](https://github.com/paperless-ngx/paperless-ngx/pull/1493)) +- Bugfix: Better gunicorn settings for workers [@stumpylog](https://github.com/stumpylog) ([#1500](https://github.com/paperless-ngx/paperless-ngx/pull/1500)) +- [CI] Fix release drafter issues [@qcasey](https://github.com/qcasey) ([#1301](https://github.com/paperless-ngx/paperless-ngx/pull/1301)) +- Fix: dev backend testing [@stumpylog](https://github.com/stumpylog) ([#1420](https://github.com/paperless-ngx/paperless-ngx/pull/1420)) +- Chore: Exclude dependabot PRs from Project, set status to Needs Review [@qcasey](https://github.com/qcasey) ([#1397](https://github.com/paperless-ngx/paperless-ngx/pull/1397)) +- Chore: Add to label PRs based on and title [@qcasey](https://github.com/qcasey) ([#1396](https://github.com/paperless-ngx/paperless-ngx/pull/1396)) +- Chore: use pre-commit in the Ci workflow [@stumpylog](https://github.com/stumpylog) ([#1362](https://github.com/paperless-ngx/paperless-ngx/pull/1362)) +- Chore: Fixes permissions for image tag cleanup [@stumpylog](https://github.com/stumpylog) ([#1315](https://github.com/paperless-ngx/paperless-ngx/pull/1315)) +- Bump leonsteinhaeuser/project-beta-automations from 1.2.1 to 1.3.0 [@dependabot](https://github.com/dependabot) ([#1328](https://github.com/paperless-ngx/paperless-ngx/pull/1328)) +- Bump tj-actions/changed-files from 23.1 to 24 [@dependabot](https://github.com/dependabot) ([#1329](https://github.com/paperless-ngx/paperless-ngx/pull/1329)) +- Feature: Remove requirements.txt and use pipenv everywhere [@stumpylog](https://github.com/stumpylog) ([#1316](https://github.com/paperless-ngx/paperless-ngx/pull/1316)) + +### Dependencies + +
+34 changes + +- Bump pikepdf from 5.5.0 to 5.6.1 [@dependabot](https://github.com/dependabot) ([#1537](https://github.com/paperless-ngx/paperless-ngx/pull/1537)) +- Bump black from 22.6.0 to 22.8.0 [@dependabot](https://github.com/dependabot) ([#1539](https://github.com/paperless-ngx/paperless-ngx/pull/1539)) +- Bump tqdm from 4.64.0 to 4.64.1 [@dependabot](https://github.com/dependabot) ([#1540](https://github.com/paperless-ngx/paperless-ngx/pull/1540)) +- Bump pytest from 7.1.2 to 7.1.3 [@dependabot](https://github.com/dependabot) ([#1538](https://github.com/paperless-ngx/paperless-ngx/pull/1538)) +- Bump tj-actions/changed-files from 24 to 29.0.2 [@dependabot](https://github.com/dependabot) ([#1493](https://github.com/paperless-ngx/paperless-ngx/pull/1493)) +- Bump angular packages, jest-preset-angular in src-ui [@dependabot](https://github.com/dependabot) ([#1502](https://github.com/paperless-ngx/paperless-ngx/pull/1502)) +- Bump jest-environment-jsdom from 28.1.3 to 29.0.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1507](https://github.com/paperless-ngx/paperless-ngx/pull/1507)) +- Bump [@types/node from 18.6.3 to 18.7.14 in /src-ui @dependabot](https://github.com/types/node from 18.6.3 to 18.7.14 in /src-ui @dependabot) ([#1506](https://github.com/paperless-ngx/paperless-ngx/pull/1506)) +- Bump [@angular-builders/jest from 14.0.0 to 14.0.1 in /src-ui @dependabot](https://github.com/angular-builders/jest from 14.0.0 to 14.0.1 in /src-ui @dependabot) ([#1505](https://github.com/paperless-ngx/paperless-ngx/pull/1505)) +- Bump zone.js from 0.11.7 to 0.11.8 in /src-ui [@dependabot](https://github.com/dependabot) ([#1504](https://github.com/paperless-ngx/paperless-ngx/pull/1504)) +- Bump ngx-color from 8.0.1 to 8.0.2 in /src-ui [@dependabot](https://github.com/dependabot) ([#1494](https://github.com/paperless-ngx/paperless-ngx/pull/1494)) +- Bump cypress from 10.3.1 to 10.7.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1496](https://github.com/paperless-ngx/paperless-ngx/pull/1496)) +- Bump [@cypress/schematic from 2.0.0 to 2.1.1 in /src-ui @dependabot](https://github.com/cypress/schematic from 2.0.0 to 2.1.1 in /src-ui @dependabot) ([#1495](https://github.com/paperless-ngx/paperless-ngx/pull/1495)) +- Bump [@popperjs/core from 2.11.5 to 2.11.6 in /src-ui @dependabot](https://github.com/popperjs/core from 2.11.5 to 2.11.6 in /src-ui @dependabot) ([#1498](https://github.com/paperless-ngx/paperless-ngx/pull/1498)) +- Bump sphinx from 5.0.2 to 5.1.1 [@dependabot](https://github.com/dependabot) ([#1297](https://github.com/paperless-ngx/paperless-ngx/pull/1297)) +- Chore: Bump Python dependencies [@stumpylog](https://github.com/stumpylog) ([#1445](https://github.com/paperless-ngx/paperless-ngx/pull/1445)) +- Chore: Update Python deps [@stumpylog](https://github.com/stumpylog) ([#1391](https://github.com/paperless-ngx/paperless-ngx/pull/1391)) +- Bump watchfiles from 0.15.0 to 0.16.1 [@dependabot](https://github.com/dependabot) ([#1285](https://github.com/paperless-ngx/paperless-ngx/pull/1285)) +- Bump leonsteinhaeuser/project-beta-automations from 1.2.1 to 1.3.0 [@dependabot](https://github.com/dependabot) ([#1328](https://github.com/paperless-ngx/paperless-ngx/pull/1328)) +- Bump tj-actions/changed-files from 23.1 to 24 [@dependabot](https://github.com/dependabot) ([#1329](https://github.com/paperless-ngx/paperless-ngx/pull/1329)) +- Bump cypress from 10.3.0 to 10.3.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1342](https://github.com/paperless-ngx/paperless-ngx/pull/1342)) +- Bump ngx-color from 7.3.3 to 8.0.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1343](https://github.com/paperless-ngx/paperless-ngx/pull/1343)) +- Bump [@angular/cli from 14.0.4 to 14.1.0 in /src-ui @dependabot](https://github.com/angular/cli from 14.0.4 to 14.1.0 in /src-ui @dependabot) ([#1330](https://github.com/paperless-ngx/paperless-ngx/pull/1330)) +- Bump [@types/node from 18.0.0 to 18.6.3 in /src-ui @dependabot](https://github.com/types/node from 18.0.0 to 18.6.3 in /src-ui @dependabot) ([#1341](https://github.com/paperless-ngx/paperless-ngx/pull/1341)) +- Bump jest-preset-angular from 12.1.0 to 12.2.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1340](https://github.com/paperless-ngx/paperless-ngx/pull/1340)) +- Bump concurrently from 7.2.2 to 7.3.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1326](https://github.com/paperless-ngx/paperless-ngx/pull/1326)) +- Bump ng2-pdf-viewer from 9.0.0 to 9.1.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1337](https://github.com/paperless-ngx/paperless-ngx/pull/1337)) +- Bump jest-environment-jsdom from 28.1.2 to 28.1.3 in /src-ui [@dependabot](https://github.com/dependabot) ([#1336](https://github.com/paperless-ngx/paperless-ngx/pull/1336)) +- Bump ngx-file-drop from 13.0.0 to 14.0.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1331](https://github.com/paperless-ngx/paperless-ngx/pull/1331)) +- Bump jest and [@types/jest in /src-ui @dependabot](https://github.com/types/jest in /src-ui @dependabot) ([#1333](https://github.com/paperless-ngx/paperless-ngx/pull/1333)) +- Bump bootstrap from 5.1.3 to 5.2.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1327](https://github.com/paperless-ngx/paperless-ngx/pull/1327)) +- Bump typescript from 4.6.4 to 4.7.4 in /src-ui [@dependabot](https://github.com/dependabot) ([#1324](https://github.com/paperless-ngx/paperless-ngx/pull/1324)) +- Bump ts-node from 10.8.1 to 10.9.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1325](https://github.com/paperless-ngx/paperless-ngx/pull/1325)) +- Bump rxjs from 7.5.5 to 7.5.6 in /src-ui [@dependabot](https://github.com/dependabot) ([#1323](https://github.com/paperless-ngx/paperless-ngx/pull/1323)) +
+ +### All App Changes + +- [Beta] Paperless-ngx v1.9.0 Release Candidate [@stumpylog](https://github.com/stumpylog) ([#1560](https://github.com/paperless-ngx/paperless-ngx/pull/1560)) +- Feature: Faster, less memory barcode handling [@stumpylog](https://github.com/stumpylog) ([#1594](https://github.com/paperless-ngx/paperless-ngx/pull/1594)) +- Fix: Consume directory permissions were not updated [@stumpylog](https://github.com/stumpylog) ([#1605](https://github.com/paperless-ngx/paperless-ngx/pull/1605)) +- Fix: Double barcode separation creates empty file [@stumpylog](https://github.com/stumpylog) ([#1596](https://github.com/paperless-ngx/paperless-ngx/pull/1596)) +- Fix: Parsing Tika documents fails with AttributeError [@stumpylog](https://github.com/stumpylog) ([#1591](https://github.com/paperless-ngx/paperless-ngx/pull/1591)) +- Fix: Resolve issue with slow classifier [@stumpylog](https://github.com/stumpylog) ([#1576](https://github.com/paperless-ngx/paperless-ngx/pull/1576)) +- Feature: Display django-q process names [@stumpylog](https://github.com/stumpylog) ([#1567](https://github.com/paperless-ngx/paperless-ngx/pull/1567)) +- Fix document comments not updating on document navigation [@shamoon](https://github.com/shamoon) ([#1566](https://github.com/paperless-ngx/paperless-ngx/pull/1566)) +- Feature: Add MariaDB support [@bckelly1](https://github.com/bckelly1) ([#543](https://github.com/paperless-ngx/paperless-ngx/pull/543)) +- Fix: Include storage paths in document exporter [@shamoon](https://github.com/shamoon) ([#1557](https://github.com/paperless-ngx/paperless-ngx/pull/1557)) +- Chore: Cleanup and validate settings [@stumpylog](https://github.com/stumpylog) ([#1551](https://github.com/paperless-ngx/paperless-ngx/pull/1551)) +- Bump pikepdf from 5.5.0 to 5.6.1 [@dependabot](https://github.com/dependabot) ([#1537](https://github.com/paperless-ngx/paperless-ngx/pull/1537)) +- Bump black from 22.6.0 to 22.8.0 [@dependabot](https://github.com/dependabot) ([#1539](https://github.com/paperless-ngx/paperless-ngx/pull/1539)) +- Bump tqdm from 4.64.0 to 4.64.1 [@dependabot](https://github.com/dependabot) ([#1540](https://github.com/paperless-ngx/paperless-ngx/pull/1540)) +- Bump pytest from 7.1.2 to 7.1.3 [@dependabot](https://github.com/dependabot) ([#1538](https://github.com/paperless-ngx/paperless-ngx/pull/1538)) +- Bump angular packages, jest-preset-angular in src-ui [@dependabot](https://github.com/dependabot) ([#1502](https://github.com/paperless-ngx/paperless-ngx/pull/1502)) +- Bump jest-environment-jsdom from 28.1.3 to 29.0.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1507](https://github.com/paperless-ngx/paperless-ngx/pull/1507)) +- Bump [@types/node from 18.6.3 to 18.7.14 in /src-ui @dependabot](https://github.com/types/node from 18.6.3 to 18.7.14 in /src-ui @dependabot) ([#1506](https://github.com/paperless-ngx/paperless-ngx/pull/1506)) +- Bump [@angular-builders/jest from 14.0.0 to 14.0.1 in /src-ui @dependabot](https://github.com/angular-builders/jest from 14.0.0 to 14.0.1 in /src-ui @dependabot) ([#1505](https://github.com/paperless-ngx/paperless-ngx/pull/1505)) +- Bump zone.js from 0.11.7 to 0.11.8 in /src-ui [@dependabot](https://github.com/dependabot) ([#1504](https://github.com/paperless-ngx/paperless-ngx/pull/1504)) +- Bump ngx-color from 8.0.1 to 8.0.2 in /src-ui [@dependabot](https://github.com/dependabot) ([#1494](https://github.com/paperless-ngx/paperless-ngx/pull/1494)) +- Bump cypress from 10.3.1 to 10.7.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1496](https://github.com/paperless-ngx/paperless-ngx/pull/1496)) +- Bump [@cypress/schematic from 2.0.0 to 2.1.1 in /src-ui @dependabot](https://github.com/cypress/schematic from 2.0.0 to 2.1.1 in /src-ui @dependabot) ([#1495](https://github.com/paperless-ngx/paperless-ngx/pull/1495)) +- Bump [@popperjs/core from 2.11.5 to 2.11.6 in /src-ui @dependabot](https://github.com/popperjs/core from 2.11.5 to 2.11.6 in /src-ui @dependabot) ([#1498](https://github.com/paperless-ngx/paperless-ngx/pull/1498)) +- Feature: Simplify IMAP login for UTF-8 [@stumpylog](https://github.com/stumpylog) ([#1492](https://github.com/paperless-ngx/paperless-ngx/pull/1492)) +- Fix actions button in tasks table [@shamoon](https://github.com/shamoon) ([#1488](https://github.com/paperless-ngx/paperless-ngx/pull/1488)) +- Fix: Add missing filter rule types to SavedViewFilterRule model \& fix migrations [@shamoon](https://github.com/shamoon) ([#1463](https://github.com/paperless-ngx/paperless-ngx/pull/1463)) +- Feature: Even better re-do of OCR [@stumpylog](https://github.com/stumpylog) ([#1451](https://github.com/paperless-ngx/paperless-ngx/pull/1451)) +- Feature: document comments [@tim-vogel](https://github.com/tim-vogel) ([#1375](https://github.com/paperless-ngx/paperless-ngx/pull/1375)) +- Adding date suggestions to the documents details view [@Eckii24](https://github.com/Eckii24) ([#1367](https://github.com/paperless-ngx/paperless-ngx/pull/1367)) +- Bump sphinx from 5.0.2 to 5.1.1 [@dependabot](https://github.com/dependabot) ([#1297](https://github.com/paperless-ngx/paperless-ngx/pull/1297)) +- Feature: Event driven consumer [@stumpylog](https://github.com/stumpylog) ([#1421](https://github.com/paperless-ngx/paperless-ngx/pull/1421)) +- Bugfix: Fixes the creation of an archive file, even if noarchive was specified [@stumpylog](https://github.com/stumpylog) ([#1442](https://github.com/paperless-ngx/paperless-ngx/pull/1442)) +- Feature: Adds storage paths to re-tagger command [@stumpylog](https://github.com/stumpylog) ([#1446](https://github.com/paperless-ngx/paperless-ngx/pull/1446)) +- Feature: Preserve original filename in metadata [@GwynHannay](https://github.com/GwynHannay) ([#1440](https://github.com/paperless-ngx/paperless-ngx/pull/1440)) +- Handle tags for gmail email accounts [@sisao](https://github.com/sisao) ([#1433](https://github.com/paperless-ngx/paperless-ngx/pull/1433)) +- Fix: should not be required [@shamoon](https://github.com/shamoon) ([#1412](https://github.com/paperless-ngx/paperless-ngx/pull/1412)) +- Bugfix: Catch all exceptions during the task signals [@stumpylog](https://github.com/stumpylog) ([#1387](https://github.com/paperless-ngx/paperless-ngx/pull/1387)) +- Fix: saved view page parameter [@shamoon](https://github.com/shamoon) ([#1376](https://github.com/paperless-ngx/paperless-ngx/pull/1376)) +- Fix: Correct browser unsaved changes warning [@shamoon](https://github.com/shamoon) ([#1369](https://github.com/paperless-ngx/paperless-ngx/pull/1369)) +- Fix: correct date pasting with other formats [@shamoon](https://github.com/shamoon) ([#1370](https://github.com/paperless-ngx/paperless-ngx/pull/1370)) +- Chore: use pre-commit in the Ci workflow [@stumpylog](https://github.com/stumpylog) ([#1362](https://github.com/paperless-ngx/paperless-ngx/pull/1362)) +- Bugfix: Chain exceptions during exception handling [@stumpylog](https://github.com/stumpylog) ([#1354](https://github.com/paperless-ngx/paperless-ngx/pull/1354)) +- Bump watchfiles from 0.15.0 to 0.16.1 [@dependabot](https://github.com/dependabot) ([#1285](https://github.com/paperless-ngx/paperless-ngx/pull/1285)) +- Bump cypress from 10.3.0 to 10.3.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1342](https://github.com/paperless-ngx/paperless-ngx/pull/1342)) +- Bump ngx-color from 7.3.3 to 8.0.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1343](https://github.com/paperless-ngx/paperless-ngx/pull/1343)) +- Bump [@angular/cli from 14.0.4 to 14.1.0 in /src-ui @dependabot](https://github.com/angular/cli from 14.0.4 to 14.1.0 in /src-ui @dependabot) ([#1330](https://github.com/paperless-ngx/paperless-ngx/pull/1330)) +- Bump [@types/node from 18.0.0 to 18.6.3 in /src-ui @dependabot](https://github.com/types/node from 18.0.0 to 18.6.3 in /src-ui @dependabot) ([#1341](https://github.com/paperless-ngx/paperless-ngx/pull/1341)) +- Bump jest-preset-angular from 12.1.0 to 12.2.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1340](https://github.com/paperless-ngx/paperless-ngx/pull/1340)) +- Bump concurrently from 7.2.2 to 7.3.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1326](https://github.com/paperless-ngx/paperless-ngx/pull/1326)) +- Bump ng2-pdf-viewer from 9.0.0 to 9.1.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1337](https://github.com/paperless-ngx/paperless-ngx/pull/1337)) +- Bump jest-environment-jsdom from 28.1.2 to 28.1.3 in /src-ui [@dependabot](https://github.com/dependabot) ([#1336](https://github.com/paperless-ngx/paperless-ngx/pull/1336)) +- Bump ngx-file-drop from 13.0.0 to 14.0.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1331](https://github.com/paperless-ngx/paperless-ngx/pull/1331)) +- Bump jest and [@types/jest in /src-ui @dependabot](https://github.com/types/jest in /src-ui @dependabot) ([#1333](https://github.com/paperless-ngx/paperless-ngx/pull/1333)) +- Bump bootstrap from 5.1.3 to 5.2.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1327](https://github.com/paperless-ngx/paperless-ngx/pull/1327)) +- Bump typescript from 4.6.4 to 4.7.4 in /src-ui [@dependabot](https://github.com/dependabot) ([#1324](https://github.com/paperless-ngx/paperless-ngx/pull/1324)) +- Bump ts-node from 10.8.1 to 10.9.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1325](https://github.com/paperless-ngx/paperless-ngx/pull/1325)) +- Bump rxjs from 7.5.5 to 7.5.6 in /src-ui [@dependabot](https://github.com/dependabot) ([#1323](https://github.com/paperless-ngx/paperless-ngx/pull/1323)) +- Fix: missing tooltip translation \& filter editor wrapping [@shamoon](https://github.com/shamoon) ([#1305](https://github.com/paperless-ngx/paperless-ngx/pull/1305)) +- Feature: Remove requirements.txt and use pipenv everywhere [@stumpylog](https://github.com/stumpylog) ([#1316](https://github.com/paperless-ngx/paperless-ngx/pull/1316)) +- Bugfix: Interaction between barcode and directories as tags [@stumpylog](https://github.com/stumpylog) ([#1303](https://github.com/paperless-ngx/paperless-ngx/pull/1303)) + +## paperless-ngx 1.8.0 + +### Features + +- Feature use env vars in pre post scripts [@ziprandom](https://github.com/ziprandom) ([#1154](https://github.com/paperless-ngx/paperless-ngx/pull/1154)) +- frontend task queue [@shamoon](https://github.com/shamoon) ([#1020](https://github.com/paperless-ngx/paperless-ngx/pull/1020)) +- Fearless scikit-learn updates [@stumpylog](https://github.com/stumpylog) ([#1082](https://github.com/paperless-ngx/paperless-ngx/pull/1082)) +- Adds support for Docker secrets [@stumpylog](https://github.com/stumpylog) ([#1034](https://github.com/paperless-ngx/paperless-ngx/pull/1034)) +- make frontend timezone un-aware [@shamoon](https://github.com/shamoon) ([#957](https://github.com/paperless-ngx/paperless-ngx/pull/957)) +- Change document thumbnails to WebP [@stumpylog](https://github.com/stumpylog) ([#1127](https://github.com/paperless-ngx/paperless-ngx/pull/1127)) +- Fork django-q to update dependencies [@stumpylog](https://github.com/stumpylog) ([#1014](https://github.com/paperless-ngx/paperless-ngx/pull/1014)) +- Fix: Rework query params logic [@shamoon](https://github.com/shamoon) ([#1000](https://github.com/paperless-ngx/paperless-ngx/pull/1000)) +- Enhancement: show note on language change and offer reload [@shamoon](https://github.com/shamoon) ([#1030](https://github.com/paperless-ngx/paperless-ngx/pull/1030)) +- Include error information when Redis connection fails [@stumpylog](https://github.com/stumpylog) ([#1016](https://github.com/paperless-ngx/paperless-ngx/pull/1016)) +- frontend settings saved to database [@shamoon](https://github.com/shamoon) ([#919](https://github.com/paperless-ngx/paperless-ngx/pull/919)) +- Add "Created" as additional (optional) parameter for post_documents [@eingemaischt](https://github.com/eingemaischt) ([#965](https://github.com/paperless-ngx/paperless-ngx/pull/965)) +- Convert Changelog to markdown, auto-commit future changelogs [@qcasey](https://github.com/qcasey) ([#935](https://github.com/paperless-ngx/paperless-ngx/pull/935)) +- allow all ASN filtering functions [@shamoon](https://github.com/shamoon) ([#920](https://github.com/paperless-ngx/paperless-ngx/pull/920)) +- gunicorn: Allow IPv6 sockets [@vlcty](https://github.com/vlcty) ([#924](https://github.com/paperless-ngx/paperless-ngx/pull/924)) +- initial app loading indicators [@shamoon](https://github.com/shamoon) ([#899](https://github.com/paperless-ngx/paperless-ngx/pull/899)) + +### Bug Fixes + +- Fix: dropdown selected items not visible again [@shamoon](https://github.com/shamoon) ([#1261](https://github.com/paperless-ngx/paperless-ngx/pull/1261)) +- [CI] Fix automatic changelog generation on release [@qcasey](https://github.com/qcasey) ([#1249](https://github.com/paperless-ngx/paperless-ngx/pull/1249)) +- Fix: Prevent duplicate api calls on text filtering [@shamoon](https://github.com/shamoon) ([#1133](https://github.com/paperless-ngx/paperless-ngx/pull/1133)) +- make frontend timezone un-aware [@shamoon](https://github.com/shamoon) ([#957](https://github.com/paperless-ngx/paperless-ngx/pull/957)) +- Feature / fix quick toggleable filters [@shamoon](https://github.com/shamoon) ([#1122](https://github.com/paperless-ngx/paperless-ngx/pull/1122)) +- Chore: Manually downgrade reportlab (and update everything else) [@stumpylog](https://github.com/stumpylog) ([#1116](https://github.com/paperless-ngx/paperless-ngx/pull/1116)) +- Bugfix: Don't assume default Docker folders [@stumpylog](https://github.com/stumpylog) ([#1088](https://github.com/paperless-ngx/paperless-ngx/pull/1088)) +- Bugfix: Better sanity check messages [@stumpylog](https://github.com/stumpylog) ([#1049](https://github.com/paperless-ngx/paperless-ngx/pull/1049)) +- Fix vertical margins between pages of pdf viewer [@shamoon](https://github.com/shamoon) ([#1081](https://github.com/paperless-ngx/paperless-ngx/pull/1081)) +- Bugfix: Pass debug setting on to django-q [@stumpylog](https://github.com/stumpylog) ([#1058](https://github.com/paperless-ngx/paperless-ngx/pull/1058)) +- Bugfix: Don't assume the document has a title set [@stumpylog](https://github.com/stumpylog) ([#1057](https://github.com/paperless-ngx/paperless-ngx/pull/1057)) +- Bugfix: Corrects the setting of max pixel size for OCR [@stumpylog](https://github.com/stumpylog) ([#1008](https://github.com/paperless-ngx/paperless-ngx/pull/1008)) +- better date pasting [@shamoon](https://github.com/shamoon) ([#1007](https://github.com/paperless-ngx/paperless-ngx/pull/1007)) +- Enhancement: Alphabetize tags by default [@shamoon](https://github.com/shamoon) ([#1017](https://github.com/paperless-ngx/paperless-ngx/pull/1017)) +- Fix: Rework query params logic [@shamoon](https://github.com/shamoon) ([#1000](https://github.com/paperless-ngx/paperless-ngx/pull/1000)) +- Fix: add translation for some un-translated tooltips [@shamoon](https://github.com/shamoon) ([#995](https://github.com/paperless-ngx/paperless-ngx/pull/995)) +- Change npm --no-optional to --omit=optional [@shamoon](https://github.com/shamoon) ([#986](https://github.com/paperless-ngx/paperless-ngx/pull/986)) +- Add `myst-parser` to fix readthedocs [@qcasey](https://github.com/qcasey) ([#982](https://github.com/paperless-ngx/paperless-ngx/pull/982)) +- Fix: Title is changed after switching doc quickly [@shamoon](https://github.com/shamoon) ([#979](https://github.com/paperless-ngx/paperless-ngx/pull/979)) +- Fix: warn when closing a document with unsaved changes due to max open docs [@shamoon](https://github.com/shamoon) ([#956](https://github.com/paperless-ngx/paperless-ngx/pull/956)) +- Bugfix: Adds configurable intoify debounce time [@stumpylog](https://github.com/stumpylog) ([#953](https://github.com/paperless-ngx/paperless-ngx/pull/953)) +- Bugfix: Fixes document filename date off by 1 issue [@stumpylog](https://github.com/stumpylog) ([#942](https://github.com/paperless-ngx/paperless-ngx/pull/942)) +- fixes #949: change to MIME detection for files [@gador](https://github.com/gador) ([#962](https://github.com/paperless-ngx/paperless-ngx/pull/962)) +- docs: fix some typos [@Berjou](https://github.com/Berjou) ([#948](https://github.com/paperless-ngx/paperless-ngx/pull/948)) +- [Docs] Fix 2 small typos [@tooomm](https://github.com/tooomm) ([#946](https://github.com/paperless-ngx/paperless-ngx/pull/946)) +- [Readme] Fix typo [@tooomm](https://github.com/tooomm) ([#941](https://github.com/paperless-ngx/paperless-ngx/pull/941)) +- Fix: management pages plurals incorrect in other languages [@shamoon](https://github.com/shamoon) ([#939](https://github.com/paperless-ngx/paperless-ngx/pull/939)) +- Fix: v1.7.1 frontend visual fixes [@shamoon](https://github.com/shamoon) ([#933](https://github.com/paperless-ngx/paperless-ngx/pull/933)) +- Fix: unassigned query params ignored [@shamoon](https://github.com/shamoon) ([#930](https://github.com/paperless-ngx/paperless-ngx/pull/930)) +- Fix: allow commas in non-multi rules query params [@shamoon](https://github.com/shamoon) ([#923](https://github.com/paperless-ngx/paperless-ngx/pull/923)) +- Fix: Include version in export for better error messages [@stumpylog](https://github.com/stumpylog) ([#883](https://github.com/paperless-ngx/paperless-ngx/pull/883)) +- Bugfix: Superuser Management Won't Reset Password [@stumpylog](https://github.com/stumpylog) ([#903](https://github.com/paperless-ngx/paperless-ngx/pull/903)) +- Fix Ignore Date Parsing [@stumpylog](https://github.com/stumpylog) ([#721](https://github.com/paperless-ngx/paperless-ngx/pull/721)) + +### Documentation + +- Feature use env vars in pre post scripts [@ziprandom](https://github.com/ziprandom) ([#1154](https://github.com/paperless-ngx/paperless-ngx/pull/1154)) +- Add `myst-parser` to fix readthedocs [@qcasey](https://github.com/qcasey) ([#982](https://github.com/paperless-ngx/paperless-ngx/pull/982)) +- Add "Created" as additional (optional) parameter for post_documents [@eingemaischt](https://github.com/eingemaischt) ([#965](https://github.com/paperless-ngx/paperless-ngx/pull/965)) +- Bugfix: Adds configurable intoify debounce time [@stumpylog](https://github.com/stumpylog) ([#953](https://github.com/paperless-ngx/paperless-ngx/pull/953)) +- docs: fix some typos [@Berjou](https://github.com/Berjou) ([#948](https://github.com/paperless-ngx/paperless-ngx/pull/948)) +- [Docs] Fix 2 small typos [@tooomm](https://github.com/tooomm) ([#946](https://github.com/paperless-ngx/paperless-ngx/pull/946)) +- Convert Changelog to markdown, auto-commit future changelogs [@qcasey](https://github.com/qcasey) ([#935](https://github.com/paperless-ngx/paperless-ngx/pull/935)) +- [Readme] Fix typo [@tooomm](https://github.com/tooomm) ([#941](https://github.com/paperless-ngx/paperless-ngx/pull/941)) + +### Maintenance + +- Adds support for Docker secrets [@stumpylog](https://github.com/stumpylog) ([#1034](https://github.com/paperless-ngx/paperless-ngx/pull/1034)) +- Bugfix: Don't assume default Docker folders [@stumpylog](https://github.com/stumpylog) ([#1088](https://github.com/paperless-ngx/paperless-ngx/pull/1088)) +- Include error information when Redis connection fails [@stumpylog](https://github.com/stumpylog) ([#1016](https://github.com/paperless-ngx/paperless-ngx/pull/1016)) +- Fix: add translation for some un-translated tooltips [@shamoon](https://github.com/shamoon) ([#995](https://github.com/paperless-ngx/paperless-ngx/pull/995)) +- gunicorn: Allow IPv6 sockets [@vlcty](https://github.com/vlcty) ([#924](https://github.com/paperless-ngx/paperless-ngx/pull/924)) + +### Dependencies + +
+34 changes + +- Fearless scikit-learn updates [@stumpylog](https://github.com/stumpylog) ([#1082](https://github.com/paperless-ngx/paperless-ngx/pull/1082)) +- Bump pillow from 9.1.1 to 9.2.0 [@dependabot](https://github.com/dependabot) ([#1193](https://github.com/paperless-ngx/paperless-ngx/pull/1193)) +- Bump watchdog from 2.1.8 to 2.1.9 [@dependabot](https://github.com/dependabot) ([#1132](https://github.com/paperless-ngx/paperless-ngx/pull/1132)) +- Bump scikit-learn from 1.0.2 to 1.1.1 [@dependabot](https://github.com/dependabot) ([#992](https://github.com/paperless-ngx/paperless-ngx/pull/992)) +- Bump setuptools from 62.3.3 to 62.6.0 [@dependabot](https://github.com/dependabot) ([#1150](https://github.com/paperless-ngx/paperless-ngx/pull/1150)) +- Bump django-filter from 21.1 to 22.1 [@dependabot](https://github.com/dependabot) ([#1191](https://github.com/paperless-ngx/paperless-ngx/pull/1191)) +- Bump actions/setup-python from 3 to 4 [@dependabot](https://github.com/dependabot) ([#1176](https://github.com/paperless-ngx/paperless-ngx/pull/1176)) +- Bump sphinx from 4.5.0 to 5.0.2 [@dependabot](https://github.com/dependabot) ([#1151](https://github.com/paperless-ngx/paperless-ngx/pull/1151)) +- Bump docker/metadata-action from 3 to 4 [@dependabot](https://github.com/dependabot) ([#1178](https://github.com/paperless-ngx/paperless-ngx/pull/1178)) +- Bump tj-actions/changed-files from 22.1 to 23.1 [@dependabot](https://github.com/dependabot) ([#1179](https://github.com/paperless-ngx/paperless-ngx/pull/1179)) +- Bump @angular/cli from 13.3.7 to 14.0.4 in /src-ui [@dependabot](https://github.com/dependabot) ([#1177](https://github.com/paperless-ngx/paperless-ngx/pull/1177)) +- Bump cypress from 10.0.1 to 10.3.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1187](https://github.com/paperless-ngx/paperless-ngx/pull/1187)) +- Bump zone.js from 0.11.5 to 0.11.6 in /src-ui [@dependabot](https://github.com/dependabot) ([#1185](https://github.com/paperless-ngx/paperless-ngx/pull/1185)) +- Bump ts-node from 10.8.0 to 10.8.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1184](https://github.com/paperless-ngx/paperless-ngx/pull/1184)) +- Bump jest-environment-jsdom from 28.1.0 to 28.1.2 in /src-ui [@dependabot](https://github.com/dependabot) ([#1175](https://github.com/paperless-ngx/paperless-ngx/pull/1175)) +- Bump @types/node from 17.0.38 to 18.0.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1183](https://github.com/paperless-ngx/paperless-ngx/pull/1183)) +- Bump concurrently from 7.2.1 to 7.2.2 in /src-ui [@dependabot](https://github.com/dependabot) ([#1181](https://github.com/paperless-ngx/paperless-ngx/pull/1181)) +- Bump jest-preset-angular from 12.0.1 to 12.1.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1182](https://github.com/paperless-ngx/paperless-ngx/pull/1182)) +- Bump jest and @types/jest in /src-ui [@dependabot](https://github.com/dependabot) ([#1180](https://github.com/paperless-ngx/paperless-ngx/pull/1180)) +- Bump whitenoise from 6.1.0 to 6.2.0 [@dependabot](https://github.com/dependabot) ([#1103](https://github.com/paperless-ngx/paperless-ngx/pull/1103)) +- Bump cypress from 9.6.1 to 10.0.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1083](https://github.com/paperless-ngx/paperless-ngx/pull/1083)) +- Bump docker/setup-qemu-action from 1 to 2 [@dependabot](https://github.com/dependabot) ([#1065](https://github.com/paperless-ngx/paperless-ngx/pull/1065)) +- Bump docker/setup-buildx-action from 1 to 2 [@dependabot](https://github.com/dependabot) ([#1064](https://github.com/paperless-ngx/paperless-ngx/pull/1064)) +- Bump docker/build-push-action from 2 to 3 [@dependabot](https://github.com/dependabot) ([#1063](https://github.com/paperless-ngx/paperless-ngx/pull/1063)) +- Bump @cypress/schematic from 1.7.0 to 2.0.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1075](https://github.com/paperless-ngx/paperless-ngx/pull/1075)) +- Bump tj-actions/changed-files from 19 to 22.1 [@dependabot](https://github.com/dependabot) ([#1062](https://github.com/paperless-ngx/paperless-ngx/pull/1062)) +- Bump concurrently from 7.1.0 to 7.2.1 in /src-ui [@dependabot](https://github.com/dependabot) ([#1073](https://github.com/paperless-ngx/paperless-ngx/pull/1073)) +- Bump @types/jest from 27.4.1 to 27.5.2 in /src-ui [@dependabot](https://github.com/dependabot) ([#1074](https://github.com/paperless-ngx/paperless-ngx/pull/1074)) +- Bump ts-node from 10.7.0 to 10.8.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1070](https://github.com/paperless-ngx/paperless-ngx/pull/1070)) +- Bump jest from 28.0.3 to 28.1.0 in /src-ui [@dependabot](https://github.com/dependabot) ([#1071](https://github.com/paperless-ngx/paperless-ngx/pull/1071)) +- Chore: npm package updates 22-06-01 [@shamoon](https://github.com/shamoon) ([#1069](https://github.com/paperless-ngx/paperless-ngx/pull/1069)) +- Bump docker/login-action from 1 to 2 [@dependabot](https://github.com/dependabot) ([#1061](https://github.com/paperless-ngx/paperless-ngx/pull/1061)) +- Chore: Manually update dependencies [@stumpylog](https://github.com/stumpylog) ([#1013](https://github.com/paperless-ngx/paperless-ngx/pull/1013)) +- Chore: Manually update all Python dependencies [@stumpylog](https://github.com/stumpylog) ([#973](https://github.com/paperless-ngx/paperless-ngx/pull/973)) +
+ ## paperless-ngx 1.7.1 ### Features @@ -17,7 +333,7 @@ ### Bug Fixes - Feature / fix saved view \& sort field query params [\@shamoon](https://github.com/shamoon) ([\#881](https://github.com/paperless-ngx/paperless-ngx/pull/881)) -- mobile friendlier manage pages [\@shamoon](https://github.com/shamoon) ([\#873](https://github.com/paperless-ngx/paperless-ngx/pull/873)) +- Mobile friendlier manage pages [\@shamoon](https://github.com/shamoon) ([\#873](https://github.com/paperless-ngx/paperless-ngx/pull/873)) - Add timeout to healthcheck [\@shamoon](https://github.com/shamoon) ([\#880](https://github.com/paperless-ngx/paperless-ngx/pull/880)) - Always accept yyyy-mm-dd date inputs [\@shamoon](https://github.com/shamoon) ([\#864](https://github.com/paperless-ngx/paperless-ngx/pull/864)) - Fix local Docker image building [\@stumpylog](https://github.com/stumpylog) ([\#849](https://github.com/paperless-ngx/paperless-ngx/pull/849)) @@ -70,137 +386,137 @@ ## paperless-ngx 1.7.0 -Breaking Changes +### Breaking Changes - `PAPERLESS_URL` is now required when using a reverse proxy. See [\#674](https://github.com/paperless-ngx/paperless-ngx/pull/674). -Features +### Features - Allow setting more than one tag in mail rules - [\@jonasc](https://github.com/jonasc) (\#270) -- global drag\'n\'drop [\@shamoon](https://github.com/shamoon) - (\#283). + [\@jonasc](https://github.com/jonasc) ([\#270](https://github.com/paperless-ngx/paperless-ngx/pull/270)) +- Global drag\'n\'drop [\@shamoon](https://github.com/shamoon) + ([\#283](https://github.com/paperless-ngx/paperless-ngx/pull/283)) - Fix: download buttons should disable while waiting - [\@shamoon](https://github.com/shamoon) (\#630). -- Update checker [\@shamoon](https://github.com/shamoon) (\#591). + [\@shamoon](https://github.com/shamoon) ([\#630](https://github.com/paperless-ngx/paperless-ngx/pull/630)) +- Update checker [\@shamoon](https://github.com/shamoon) ([\#591](https://github.com/paperless-ngx/paperless-ngx/pull/591)) - Show prompt on password-protected pdfs - [\@shamoon](https://github.com/shamoon) (\#564). + [\@shamoon](https://github.com/shamoon) ([\#564](https://github.com/paperless-ngx/paperless-ngx/pull/564)) - Filtering query params aka browser navigation for filtering - [\@shamoon](https://github.com/shamoon) (\#540). + [\@shamoon](https://github.com/shamoon) ([\#540](https://github.com/paperless-ngx/paperless-ngx/pull/540)) - Clickable tags in dashboard widgets - [\@shamoon](https://github.com/shamoon) (\#515). + [\@shamoon](https://github.com/shamoon) ([\#515](https://github.com/paperless-ngx/paperless-ngx/pull/515)) - Add bottom pagination [\@shamoon](https://github.com/shamoon) - (\#372). + ([\#372](https://github.com/paperless-ngx/paperless-ngx/pull/372)) - Feature barcode splitter [\@gador](https://github.com/gador) - (\#532). -- App loading screen [\@shamoon](https://github.com/shamoon) (\#298). + ([\#532](https://github.com/paperless-ngx/paperless-ngx/pull/532)) +- App loading screen [\@shamoon](https://github.com/shamoon) ([\#298](https://github.com/paperless-ngx/paperless-ngx/pull/298)) - Use progress bar for delayed buttons - [\@shamoon](https://github.com/shamoon) (\#415). + [\@shamoon](https://github.com/shamoon) ([\#415](https://github.com/paperless-ngx/paperless-ngx/pull/415)) - Add minimum length for documents text filter - [\@shamoon](https://github.com/shamoon) (\#401). + [\@shamoon](https://github.com/shamoon) ([\#401](https://github.com/paperless-ngx/paperless-ngx/pull/401)) - Added nav buttons in the document detail view - [\@GruberViktor](https://github.com/gruberviktor) (\#273). + [\@GruberViktor](https://github.com/gruberviktor) ([\#273](https://github.com/paperless-ngx/paperless-ngx/pull/273)) - Improve date keyboard input [\@shamoon](https://github.com/shamoon) - (\#253). -- Color theming [\@shamoon](https://github.com/shamoon) (\#243). + ([\#253](https://github.com/paperless-ngx/paperless-ngx/pull/253)) +- Color theming [\@shamoon](https://github.com/shamoon) ([\#243](https://github.com/paperless-ngx/paperless-ngx/pull/243)) - Parse dates when entered without separators - [\@GruberViktor](https://github.com/gruberviktor) (\#250). + [\@GruberViktor](https://github.com/gruberviktor) ([\#250](https://github.com/paperless-ngx/paperless-ngx/pull/250)) -Bug Fixes +### Bug Fixes -- add \"localhost\" to ALLOWED_HOSTS - [\@gador](https://github.com/gador) (\#700). -- Fix: scanners table [\@qcasey](https://github.com/qcasey) (\#690). +- Add \"localhost\" to ALLOWED_HOSTS + [\@gador](https://github.com/gador) ([\#700](https://github.com/paperless-ngx/paperless-ngx/pull/700)) +- Fix: scanners table [\@qcasey](https://github.com/qcasey) ([\#690](https://github.com/paperless-ngx/paperless-ngx/pull/690)) - Adds wait for file before consuming - [\@stumpylog](https://github.com/stumpylog) (\#483). + [\@stumpylog](https://github.com/stumpylog) ([\#483](https://github.com/paperless-ngx/paperless-ngx/pull/483)) - Fix: frontend document editing erases time data - [\@shamoon](https://github.com/shamoon) (\#654). + [\@shamoon](https://github.com/shamoon) ([\#654](https://github.com/paperless-ngx/paperless-ngx/pull/654)) - Increase length of SavedViewFilterRule - [\@stumpylog](https://github.com/stumpylog) (\#612). + [\@stumpylog](https://github.com/stumpylog) ([\#612](https://github.com/paperless-ngx/paperless-ngx/pull/612)) - Fixes attachment filename matching during mail fetching - [\@stumpylog](https://github.com/stumpylog) (\#680). + [\@stumpylog](https://github.com/stumpylog) ([\#680](https://github.com/paperless-ngx/paperless-ngx/pull/680)) - Add `PAPERLESS_URL` env variable & CSRF var - [\@shamoon](https://github.com/shamoon) (\#674). + [\@shamoon](https://github.com/shamoon) ([\#674](https://github.com/paperless-ngx/paperless-ngx/discussions/674)) - Fix: download buttons should disable while waiting - [\@shamoon](https://github.com/shamoon) (\#630). + [\@shamoon](https://github.com/shamoon) ([\#630](https://github.com/paperless-ngx/paperless-ngx/pull/630)) - Fixes downloaded filename, add more consumer ignore settings - [\@stumpylog](https://github.com/stumpylog) (\#599). + [\@stumpylog](https://github.com/stumpylog) ([\#599](https://github.com/paperless-ngx/paperless-ngx/pull/599)) - FIX BUG: case-sensitive matching was not possible - [\@danielBreitlauch](https://github.com/danielbreitlauch) (\#594). -- uses shutil.move instead of rename - [\@gador](https://github.com/gador) (\#617). + [\@danielBreitlauch](https://github.com/danielbreitlauch) ([\#594](https://github.com/paperless-ngx/paperless-ngx/pull/594)) +- Uses shutil.move instead of rename + [\@gador](https://github.com/gador) ([\#617](https://github.com/paperless-ngx/paperless-ngx/pull/617)) - Fix npm deps 01.02.22 2 [\@shamoon](https://github.com/shamoon) - (\#610). + ([\#610](https://github.com/paperless-ngx/paperless-ngx/discussions/610)) - Fix npm dependencies 01.02.22 - [\@shamoon](https://github.com/shamoon) (\#600). -- fix issue 416: implement PAPERLESS_OCR_MAX_IMAGE_PIXELS - [\@hacker-h](https://github.com/hacker-h) (\#441). -- fix: exclude cypress from build in Dockerfile - [\@FrankStrieter](https://github.com/FrankStrieter) (\#526). + [\@shamoon](https://github.com/shamoon) ([\#600](https://github.com/paperless-ngx/paperless-ngx/pull/600)) +- Fix issue 416: implement `PAPERLESS_OCR_MAX_IMAGE_PIXELS` + [\@hacker-h](https://github.com/hacker-h) ([\#441](https://github.com/paperless-ngx/paperless-ngx/pull/441)) +- Fix: exclude cypress from build in Dockerfile + [\@FrankStrieter](https://github.com/FrankStrieter) ([\#526](https://github.com/paperless-ngx/paperless-ngx/pull/526)) - Corrections to pass pre-commit hooks - [\@schnuffle](https://github.com/schnuffle) (\#454). + [\@schnuffle](https://github.com/schnuffle) ([\#454](https://github.com/paperless-ngx/paperless-ngx/pull/454)) - Fix 311 unable to click checkboxes in document list - [\@shamoon](https://github.com/shamoon) (\#313). + [\@shamoon](https://github.com/shamoon) ([\#313](https://github.com/paperless-ngx/paperless-ngx/pull/313)) - Fix imap tools bug [\@stumpylog](https://github.com/stumpylog) - (\#393). + ([\#393](https://github.com/paperless-ngx/paperless-ngx/pull/393)) - Fix filterable dropdown buttons arent translated - [\@shamoon](https://github.com/shamoon) (\#366). + [\@shamoon](https://github.com/shamoon) ([\#366](https://github.com/paperless-ngx/paperless-ngx/pull/366)) - Fix 224: \"Auto-detected date is day before receipt date\" - [\@a17t](https://github.com/a17t) (\#246). + [\@a17t](https://github.com/a17t) ([\#246](https://github.com/paperless-ngx/paperless-ngx/pull/246)) - Fix minor sphinx errors [\@shamoon](https://github.com/shamoon) - (\#322). + ([\#322](https://github.com/paperless-ngx/paperless-ngx/pull/322)) - Fix page links hidden [\@shamoon](https://github.com/shamoon) - (\#314). + ([\#314](https://github.com/paperless-ngx/paperless-ngx/pull/314)) - Fix: Include excluded items in dropdown count - [\@shamoon](https://github.com/shamoon) (\#263). + [\@shamoon](https://github.com/shamoon) ([\#263](https://github.com/paperless-ngx/paperless-ngx/pull/263)) -Translation +### Translation - [\@miku323](https://github.com/miku323) contributed to Slovenian - translation. + translation - [\@FaintGhost](https://github.com/FaintGhost) contributed to Chinese - Simplified translation. + Simplified translation - [\@DarkoBG79](https://github.com/DarkoBG79) contributed to Serbian - translation. + translation - [Kemal Secer](https://crowdin.com/profile/kemal.secer) contributed - to Turkish translation. + to Turkish translation - [\@Prominence](https://github.com/Prominence) contributed to - Belarusian translation. + Belarusian translation -Documentation +### Documentation -- Fix: scanners table [\@qcasey](https://github.com/qcasey) (\#690). -- Add [PAPERLESS\_URL]{.title-ref} env variable & CSRF var - [\@shamoon](https://github.com/shamoon) (\#674). +- Fix: scanners table [\@qcasey](https://github.com/qcasey) ([\#690](https://github.com/paperless-ngx/paperless-ngx/pull/690)) +- Add `PAPERLESS_URL` env variable & CSRF var + [\@shamoon](https://github.com/shamoon) ([\#674](https://github.com/paperless-ngx/paperless-ngx/pull/674)) - Fixes downloaded filename, add more consumer ignore settings - [\@stumpylog](https://github.com/stumpylog) (\#599). -- fix issue 416: implement `PAPERLESS_OCR_MAX_IMAGE_PIXELS` - [\@hacker-h](https://github.com/hacker-h) (\#441). + [\@stumpylog](https://github.com/stumpylog) ([\#599](https://github.com/paperless-ngx/paperless-ngx/pull/599)) +- Fix issue 416: implement `PAPERLESS_OCR_MAX_IMAGE_PIXELS` + [\@hacker-h](https://github.com/hacker-h) ([\#441](https://github.com/paperless-ngx/paperless-ngx/pull/441)) - Fix minor sphinx errors [\@shamoon](https://github.com/shamoon) - (\#322). + ([\#322](https://github.com/paperless-ngx/paperless-ngx/pull/322)) -Maintenance +### Maintenance - Add `PAPERLESS_URL` env variable & CSRF var - [\@shamoon](https://github.com/shamoon) (\#674). + [\@shamoon](https://github.com/shamoon) ([\#674](https://github.com/paperless-ngx/paperless-ngx/pull/674)) - Chore: Implement release-drafter action for Changelogs - [\@qcasey](https://github.com/qcasey) (\#669). -- Chore: Add CODEOWNERS [\@qcasey](https://github.com/qcasey) (\#667). + [\@qcasey](https://github.com/qcasey) ([\#669](https://github.com/paperless-ngx/paperless-ngx/pull/669)) +- Chore: Add CODEOWNERS [\@qcasey](https://github.com/qcasey) ([\#667](https://github.com/paperless-ngx/paperless-ngx/pull/667)) - Support docker-compose v2 in install - [\@stumpylog](https://github.com/stumpylog) (\#611). + [\@stumpylog](https://github.com/stumpylog) ([\#611](https://github.com/paperless-ngx/paperless-ngx/pull/611)) - Add Belarusian localization [\@shamoon](https://github.com/shamoon) - (\#588). + ([\#588](https://github.com/paperless-ngx/paperless-ngx/pull/588)) - Add Turkish localization [\@shamoon](https://github.com/shamoon) - (\#536). + ([\#536](https://github.com/paperless-ngx/paperless-ngx/pull/536)) - Add Serbian localization [\@shamoon](https://github.com/shamoon) - (\#504). + ([\#504](https://github.com/paperless-ngx/paperless-ngx/pull/504)) - Create PULL_REQUEST_TEMPLATE.md - [\@shamoon](https://github.com/shamoon) (\#304). + [\@shamoon](https://github.com/shamoon) ([\#304](https://github.com/paperless-ngx/paperless-ngx/pull/304)) - Add Chinese localization [\@shamoon](https://github.com/shamoon) - (\#247). + ([\#247](https://github.com/paperless-ngx/paperless-ngx/pull/247)) - Add Slovenian language for frontend - [\@shamoon](https://github.com/shamoon) (\#315). + [\@shamoon](https://github.com/shamoon) ([\#315](https://github.com/paperless-ngx/paperless-ngx/pull/315)) ## paperless-ngx 1.6.0 @@ -216,46 +532,46 @@ include: - Updated Python and Angular dependencies. - Dropped support for Python 3.7. - Dropped support for Ansible playbooks (thanks - [\@slankes](https://github.com/slankes) \#109). If someone would - like to continue supporting them, please see the [ansible + [\@slankes](https://github.com/slankes) [\#109](https://github.com/paperless-ngx/paperless-ngx/pull/109)). If someone would + like to continue supporting them, please see our [ansible repo](https://github.com/paperless-ngx/paperless-ngx-ansible). - Python code is now required to use Black formatting (thanks - [\@kpj](https://github.com/kpj) \#168). + [\@kpj](https://github.com/kpj) [\#168](https://github.com/paperless-ngx/paperless-ngx/pull/168)). - [\@tribut](https://github.com/tribut) added support for a custom SSO - logout redirect (jonaswinkler\#1258). See + logout redirect ([jonaswinkler\#1258](https://github.com/jonaswinkler/paperless-ng/pull/1258)). See `PAPERLESS_LOGOUT_REDIRECT_URL`. - [\@shamoon](https://github.com/shamoon) added a loading indicator - when document list is reloading (jonaswinkler\#1297). + when document list is reloading ([jonaswinkler\#1297](https://github.com/jonaswinkler/paperless-ng/pull/1297)). - [\@shamoon](https://github.com/shamoon) improved the PDF viewer on - mobile (\#2). + mobile ([\#2](https://github.com/paperless-ngx/paperless-ngx/pull/2)). - [\@shamoon](https://github.com/shamoon) added \'any\' / \'all\' and - \'not\' filtering with tags (\#10). + \'not\' filtering with tags ([\#10](https://github.com/paperless-ngx/paperless-ngx/pull/10)). - [\@shamoon](https://github.com/shamoon) added warnings for unsaved - changes, with smart edit buttons (\#13). + changes, with smart edit buttons ([\#13](https://github.com/paperless-ngx/paperless-ngx/pull/13)). - [\@benjaminfrank](https://github.com/benjaminfrank) enabled a - non-root access to port 80 via systemd (\#18). + non-root access to port 80 via systemd ([\#18](https://github.com/paperless-ngx/paperless-ngx/pull/18)). - [\@tribut](https://github.com/tribut) added simple \"delete to - trash\" functionality (\#24). See `PAPERLESS_TRASH_DIR`. + trash\" functionality ([\#24](https://github.com/paperless-ngx/paperless-ngx/pull/24)). See `PAPERLESS_TRASH_DIR`. - [\@amenk](https://github.com/amenk) fixed the search box overlay - menu on mobile (\#32). + menu on mobile ([\#32](https://github.com/paperless-ngx/paperless-ngx/pull/32)). - [\@dblitt](https://github.com/dblitt) updated the login form to not - auto-capitalize usernames (\#36). + auto-capitalize usernames ([\#36](https://github.com/paperless-ngx/paperless-ngx/pull/36)). - [\@evilsidekick293](https://github.com/evilsidekick293) made the - worker timeout configurable (\#37). See `PAPERLESS_WORKER_TIMEOUT`. + worker timeout configurable ([\#37](https://github.com/paperless-ngx/paperless-ngx/pull/37)). See `PAPERLESS_WORKER_TIMEOUT`. - [\@Nicarim](https://github.com/Nicarim) fixed downloads of UTF-8 - formatted documents in Firefox (\#56). + formatted documents in Firefox ([\#56](https://github.com/paperless-ngx/paperless-ngx/pull/56)). - [\@mweimerskirch](https://github.com/mweimerskirch) sorted the - language dropdown by locale (\#78). + language dropdown by locale ([\#78](https://github.com/paperless-ngx/paperless-ngx/issues/78)). - [\@mweimerskirch](https://github.com/mweimerskirch) enabled the - Czech (\#83) and Danish (\#84) translations. + Czech ([\#83](https://github.com/paperless-ngx/paperless-ngx/pull/83)) and Danish ([\#84](https://github.com/paperless-ngx/paperless-ngx/pull/84)) translations. - [\@cschmatzler](https://github.com/cschmatzler) enabled specifying - the webserver port (\#124). See `PAPERLESS_PORT`. + the webserver port ([\#124](https://github.com/paperless-ngx/paperless-ngx/pull/124)). See `PAPERLESS_PORT`. - [\@muellermartin](https://github.com/muellermartin) fixed an error - when uploading transparent PNGs (\#133). + when uploading transparent PNGs ([\#133](https://github.com/paperless-ngx/paperless-ngx/pull/133)). - [\@shamoon](https://github.com/shamoon) created a slick new logo - (\#165). + ([\#165](https://github.com/paperless-ngx/paperless-ngx/pull/165)). - [\@tim-vogel](https://github.com/tim-vogel) fixed exports missing - groups (\#193). + groups ([\#193](https://github.com/paperless-ngx/paperless-ngx/pull/193)). Known issues: diff --git a/docs/configuration.rst b/docs/configuration.rst index fb7ba8505..5824f69f9 100644 --- a/docs/configuration.rst +++ b/docs/configuration.rst @@ -27,11 +27,23 @@ PAPERLESS_REDIS= This is required for processing scheduled tasks such as email fetching, index optimization and for training the automatic document matcher. + * If your Redis server needs login credentials PAPERLESS_REDIS = ``redis://:@:`` + + * With the requirepass option PAPERLESS_REDIS = ``redis://:@:`` + + `More information on securing your Redis Instance `_. + Defaults to redis://localhost:6379. +PAPERLESS_DBENGINE= + Optional, gives the ability to choose Postgres or MariaDB for database engine. + Available options are `postgresql` and `mariadb`. + Default is `postgresql`. + PAPERLESS_DBHOST= By default, sqlite is used as the database backend. This can be changed here. - Set PAPERLESS_DBHOST and PostgreSQL will be used instead of mysql. + + Set PAPERLESS_DBHOST and another database will be used instead of sqlite. PAPERLESS_DBPORT= Adjust port if necessary. @@ -39,17 +51,17 @@ PAPERLESS_DBPORT= Default is 5432. PAPERLESS_DBNAME= - Database name in PostgreSQL. + Database name in PostgreSQL or MariaDB. Defaults to "paperless". PAPERLESS_DBUSER= - Database user in PostgreSQL. + Database user in PostgreSQL or MariaDB. Defaults to "paperless". PAPERLESS_DBPASS= - Database password for PostgreSQL. + Database password for PostgreSQL or MariaDB. Defaults to "paperless". @@ -60,6 +72,13 @@ PAPERLESS_DBSSLMODE= Default is ``prefer``. +PAPERLESS_DB_TIMEOUT= + Amount of time for a database connection to wait for the database to unlock. + Mostly applicable for an sqlite based installation, consider changing to postgresql + if you need to increase this. + + Defaults to unset, keeping the Django defaults. + Paths and folders ################# @@ -202,9 +221,16 @@ PAPERLESS_FORCE_SCRIPT_NAME= PAPERLESS_STATIC_URL= Override the STATIC_URL here. Unless you're hosting Paperless off a subdomain like /paperless/, you probably don't need to change this. + If you do change it, be sure to include the trailing slash. Defaults to "/static/". + .. note:: + + When hosting paperless behind a reverse proxy like Traefik or Nginx at a subpath e.g. + example.com/paperlessngx you will also need to set ``PAPERLESS_FORCE_SCRIPT_NAME`` + (see above). + PAPERLESS_AUTO_LOGIN_USERNAME= Specify a username here so that paperless will automatically perform login with the selected user. @@ -512,7 +538,7 @@ requires are as follows: # ... gotenberg: - image: gotenberg/gotenberg:7.4 + image: gotenberg/gotenberg:7.6 restart: unless-stopped # The gotenberg chromium route is used to convert .eml files. We do not @@ -540,6 +566,8 @@ PAPERLESS_TASK_WORKERS= maintain the automatic matching algorithm, check emails, consume documents, etc. This variable specifies how many things it will do in parallel. + Defaults to 1 + PAPERLESS_THREADS_PER_WORKER= Furthermore, paperless uses multiple threads when consuming documents to @@ -736,6 +764,19 @@ PAPERLESS_FILENAME_DATE_ORDER= Defaults to none, which disables this feature. +PAPERLESS_NUMBER_OF_SUGGESTED_DATES= + Paperless searches an entire document for dates. The first date found will + be used as the initial value for the created date. When this variable is + greater than 0 (or left to it's default value), paperless will also suggest + other dates found in the document, up to a maximum of this setting. Note that + duplicates will be removed, which can result in fewer dates displayed in the + frontend than this setting value. + + The task to find all dates can be time-consuming and increases with a higher + (maximum) number of suggested dates and slower hardware. + + Defaults to 3. Set to 0 to disable this feature. + PAPERLESS_THUMBNAIL_FONT_NAME= Paperless creates thumbnails for plain text files by rendering the content of the file on an image and uses a predefined font for that. This @@ -781,10 +822,10 @@ the program doesn't automatically execute it (ie. the program isn't in your $PATH), then you'll need to specify the literal path for that program. PAPERLESS_CONVERT_BINARY= - Defaults to "/usr/bin/convert". + Defaults to "convert". PAPERLESS_GS_BINARY= - Defaults to "/usr/bin/gs". + Defaults to "gs". .. _configuration-docker: @@ -801,9 +842,14 @@ PAPERLESS_WEBSERVER_WORKERS= also loads the entire application into memory separately, so increasing this value will increase RAM usage. - Consider configuring this to 1 on low power devices with limited amount of RAM. + Defaults to 1. - Defaults to 2. +PAPERLESS_BIND_ADDR= + The IP address the webserver will listen on inside the container. There are + special setups where you may need to configure this value to restrict the + Ip address or interface the webserver listens on. + + Defaults to [::], meaning all interfaces, including IPv6. PAPERLESS_PORT= The port number the webserver will listen on inside the container. There are @@ -866,18 +912,9 @@ Update Checking ############### PAPERLESS_ENABLE_UPDATE_CHECK= - Enable (or disable) the automatic check for available updates. This feature is disabled - by default but if it is not explicitly set Paperless-ngx will show a message about this. - If enabled, the feature works by pinging the the Github API for the latest release e.g. - https://api.github.com/repos/paperless-ngx/paperless-ngx/releases/latest - to determine whether a new version is available. + .. note:: - Actual updating of the app must still be performed manually. - - Note that for users of thirdy-party containers e.g. linuxserver.io this notification - may be 'ahead' of a new release from the third-party maintainers. - - In either case, no tracking data is collected by the app in any way. - - Defaults to none, which disables the feature. + This setting was deprecated in favor of a frontend setting after v1.9.2. A one-time + migration is performed for users who have this setting set. This setting is always + ignored if the corresponding frontend setting has been set. diff --git a/docs/extending.rst b/docs/extending.rst index 199cd78ce..e8126fd4d 100644 --- a/docs/extending.rst +++ b/docs/extending.rst @@ -79,7 +79,7 @@ To do the setup you need to perform the steps from the following chapters in a c 6. You can now either ... * install redis or - * use the included scripts/start-services.sh to use docker to fire up a redis instance (and some other services such as tika, gotenberg and a postgresql server) or + * use the included scripts/start-services.sh to use docker to fire up a redis instance (and some other services such as tika, gotenberg and a database server) or * spin up a bare redis container .. code:: shell-session @@ -112,7 +112,7 @@ To do the setup you need to perform the steps from the following chapters in a c .. code:: shell-session - python3 manage.py runserver & python3 manage.py document_consumer & python3 manage.py qcluster + python3 manage.py runserver & python3 manage.py document_consumer & celery --app paperless worker 11. Login with the superuser credentials provided in step 8 at ``http://localhost:8000`` to create a session that enables you to use the backend. @@ -128,14 +128,14 @@ Configure the IDE to use the src/ folder as the base source folder. Configure th launch configurations in your IDE: * python3 manage.py runserver -* python3 manage.py qcluster +* celery --app paperless worker * python3 manage.py document_consumer To start them all: .. code:: shell-session - python3 manage.py runserver & python3 manage.py document_consumer & python3 manage.py qcluster + python3 manage.py runserver & python3 manage.py document_consumer & celery --app paperless worker Testing and code style: diff --git a/docs/index.rst b/docs/index.rst index 715fef588..735804560 100644 --- a/docs/index.rst +++ b/docs/index.rst @@ -44,7 +44,7 @@ resources in the documentation: learn about how paperless automates all tagging using machine learning. * Paperless now comes with a :ref:`proper email consumer ` that's fully tested and production ready. -* Paperless creates searchable PDF/A documents from whatever you you put into +* Paperless creates searchable PDF/A documents from whatever you put into the consumption directory. This means that you can select text in image-only documents coming from your scanner. * See :ref:`this note ` about GnuPG encryption in diff --git a/docs/requirements.txt b/docs/requirements.txt index ac4588f3f..d911401cb 100644 --- a/docs/requirements.txt +++ b/docs/requirements.txt @@ -1 +1 @@ -myst-parser==0.17.2 +myst-parser==0.18.1 diff --git a/docs/scanners.rst b/docs/scanners.rst index 27ba38e31..68b0b335f 100644 --- a/docs/scanners.rst +++ b/docs/scanners.rst @@ -1,142 +1,8 @@ .. _scanners: -*********************** -Scanner recommendations -*********************** +******************* +Scanners & Software +******************* -As Paperless operates by watching a folder for new files, doesn't care what -scanner you use, but sometimes finding a scanner that will write to an FTP, -NFS, or SMB server can be difficult. This page is here to help you find one -that works right for you based on recommendations from other Paperless users. - -Physical scanners -================= - -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Brand | Model | Supports | Recommended By | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| | | FTP | SFTP | NFS | SMB | SMTP | API [1]_ | | -+=========+===================+=====+======+=====+==========+======+==========+================+ -| Brother | `ADS-1700W`_ | yes | | | yes | yes | |`holzhannes`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Brother | `ADS-1600W`_ | yes | | | yes | yes | |`holzhannes`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Brother | `ADS-1500W`_ | yes | | | yes | yes | |`danielquinn`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Brother | `ADS-1100W`_ | yes | | | | | |`ytzelf`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Brother | `ADS-2800W`_ | yes | yes | | yes | yes | |`philpagel`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Brother | `MFC-J6930DW`_ | yes | | | | | |`ayounggun`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Brother | `MFC-L5850DW`_ | yes | | | | yes | |`holzhannes`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Brother | `MFC-L2750DW`_ | yes | | | yes | yes | |`muued`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Brother | `MFC-J5910DW`_ | yes | | | | | |`bmsleight`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Brother | `MFC-8950DW`_ | yes | | | yes | yes | |`philpagel`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Brother | `MFC-9142CDN`_ | yes | | | yes | | |`REOLDEV`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Canon | `Maxify MB 5350`_ | | | | yes [2]_ | yes | |`eingemaischt`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Fujitsu | `ix500`_ | yes | | | yes | | |`eonist`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Epson | `ES-580W`_ | yes | | | yes | yes | |`fignew`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Epson | `WF-7710DWF`_ | yes | | | yes | | |`Skylinar`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Fujitsu | `S1300i`_ | yes | | | yes | | |`jonaswinkler`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ -| Doxie | `Q2`_ | | | | | | yes |`Unkn0wnCat`_ | -+---------+-------------------+-----+------+-----+----------+------+----------+----------------+ - -.. _MFC-L5850DW: https://www.brother-usa.com/products/mfcl5850dw -.. _MFC-L2750DW: https://www.brother.de/drucker/laserdrucker/mfc-l2750dw -.. _ADS-1700W: https://www.brother-usa.com/products/ads1700w -.. _ADS-1600W: https://www.brother-usa.com/products/ads1600w -.. _ADS-1500W: https://www.brother.ca/en/p/ads1500w -.. _ADS-1100W: https://support.brother.com/g/b/downloadtop.aspx?c=fr&lang=fr&prod=ads1100w_eu_as_cn -.. _ADS-2800W: https://www.brother-usa.com/products/ads2800w -.. _Maxify MB 5350: https://www.canon.de/printers/inkjet/maxify/maxify_mb5350/specification.html -.. _MFC-J6930DW: https://www.brother.ca/en/p/MFCJ6930DW -.. _MFC-J5910DW: https://www.brother.co.uk/printers/inkjet-printers/mfcj5910dw -.. _MFC-8950DW: https://www.brother-usa.com/products/mfc8950dw -.. _MFC-9142CDN: https://www.brother.co.uk/printers/laser-printers/mfc9140cdn -.. _ES-580W: https://epson.com/Support/Scanners/ES-Series/Epson-WorkForce-ES-580W/s/SPT_B11B258201 -.. _WF-7710DWF: https://www.epson.de/en/products/printers/inkjet-printers/for-home/workforce-wf-7710dwf -.. _ix500: http://www.fujitsu.com/us/products/computing/peripheral/scanners/scansnap/ix500/ -.. _S1300i: https://www.fujitsu.com/global/products/computing/peripheral/scanners/soho/s1300i/ -.. _Q2: https://www.getdoxie.com/product/doxie-q/ - -.. _ayounggun: https://github.com/ayounggun -.. _bmsleight: https://github.com/bmsleight -.. _danielquinn: https://github.com/danielquinn -.. _eonist: https://github.com/eonist -.. _fignew: https://github.com/fignew -.. _holzhannes: https://github.com/holzhannes -.. _jonaswinkler: https://github.com/jonaswinkler -.. _REOLDEV: https://github.com/REOLDEV -.. _Skylinar: https://github.com/Skylinar -.. _ytzelf: https://github.com/ytzelf -.. _Unkn0wnCat: https://github.com/Unkn0wnCat -.. _muued: https://github.com/muued -.. _philpagel: https://github.com/philpagel -.. _eingemaischt: https://github.com/eingemaischt - -.. [1] Scanners with API Integration allow to push scanned documents directly to :ref:`Paperless API `, sometimes referred to as Webhook or Document POST. -.. [2] Canon Multi Function Printers show strange behavior over SMB. They close and reopen the file after every page. It's recommended to tune the - :ref:`polling ` and :ref:`inotify ` configuration values for your scanner. The scanner timeout is 3 minutes, so ``180`` is a good starting point. - -Mobile phone software -===================== - -You can use your phone to "scan" documents. The regular camera app will work, but may have too low contrast for OCR to work well. Apps specifically for scanning are recommended. - -+-----------------------------+----------------+-----+-----+-----+-------+--------+------------------+ -| Name | OS | Supports | Recommended By | -+-----------------------------+----------------+-----+-----+-----+-------+--------+------------------+ -| | | FTP | NFS | SMB | Email | WebDAV | | -+=============================+================+=====+=====+=====+=======+========+==================+ -| `Office Lens`_ | Android | ? | ? | ? | ? | ? | `jonaswinkler`_ | -+-----------------------------+----------------+-----+-----+-----+-------+--------+------------------+ -| `Genius Scan`_ | Android | yes | no | yes | yes | yes | `hannahswain`_ | -+-----------------------------+----------------+-----+-----+-----+-------+--------+------------------+ -| `OpenScan`_ | Android | no | no | no | no | no | `benjaminfrank`_ | -+-----------------------------+----------------+-----+-----+-----+-------+--------+------------------+ -| `OCR Scanner - QuickScan`_ | iOS | no | no | no | no | yes | `holzhannes`_ | -+-----------------------------+----------------+-----+-----+-----+-------+--------+------------------+ - -On Android, you can use these applications in combination with one of the :ref:`Paperless-ngx compatible apps ` to "Share" the documents produced by these scanner apps with paperless. On iOS, you can share the scanned documents via iOS-Sharing to other mail, WebDav or FTP apps. - -There is also an iOS Shortcut that allows you to directly upload text, PDF and image documents available here: https://www.icloud.com/shortcuts/d234abc0885040129d9d75fa45fe1154 -Please note this only works for documents downloaded to iCloud / the device, in other words not directly from a URL. - -.. _Office Lens: https://play.google.com/store/apps/details?id=com.microsoft.office.officelens -.. _Genius Scan: https://play.google.com/store/apps/details?id=com.thegrizzlylabs.geniusscan.free -.. _OCR Scanner - QuickScan: https://apps.apple.com/us/app/quickscan-scanner-text-ocr/id1513790291 -.. _OpenScan: https://github.com/Ethereal-Developers-Inc/OpenScan - -.. _hannahswain: https://github.com/hannahswain -.. _benjaminfrank: https://github.com/benjaminfrank - -API Scanning Setup -================== - -This sections contains information on how to set up scanners to post directly to :ref:`Paperless API `. - -Doxie Q2 --------- - -This part assumes your Doxie is connected to WiFi and you know its IP. - -1. Open your Doxie web UI by navigating to its IP address -2. Navigate to Options -> Webhook -3. Set the *URL* to ``https://[your-paperless-ngx-instance]/api/documents/post_document/`` -4. Set the *File Parameter Name* to ``document`` -5. Add the username and password to the respective fields (Consider creating a user just for your Doxie) -6. Click *Submit* at the bottom of the page - -Congrats, you can now scan directly from your Doxie to your Paperless-ngx instance! +Paperless-ngx is compatible with many different scanners and scanning tools. A user-maintained list of scanners and other software is available on `the wiki `_. diff --git a/docs/setup.rst b/docs/setup.rst index 2eee43fec..15f16d193 100644 --- a/docs/setup.rst +++ b/docs/setup.rst @@ -39,7 +39,7 @@ Paperless consists of the following components: .. _setup-task_processor: -* **The task processor:** Paperless relies on `Django Q `_ +* **The task processor:** Paperless relies on `Celery - Distributed Task Queue `_ for doing most of the heavy lifting. This is a task queue that accepts tasks from multiple sources and processes these in parallel. It also comes with a scheduler that executes certain commands periodically. @@ -62,18 +62,11 @@ Paperless consists of the following components: tasks fail and inspect the errors (i.e., wrong email credentials, errors during consuming a specific file, etc). - You may start the task processor by executing: - - .. code:: shell-session - - $ cd /path/to/paperless/src/ - $ python3 manage.py qcluster - * A `redis `_ message broker: This is a really lightweight service that is responsible for getting the tasks from the webserver and the consumer to the task scheduler. These run in a different process (maybe even on different machines!), and therefore, this is necessary. -* Optional: A database server. Paperless supports both PostgreSQL and SQLite for storing its data. +* Optional: A database server. Paperless supports PostgreSQL, MariaDB and SQLite for storing its data. Installation @@ -184,6 +177,25 @@ Install Paperless from Docker Hub port 8000. Modifying the part before the colon will map requests on another port to the webserver running on the default port. + **Rootless** + + If you want to run Paperless as a rootless container, you will need to do the + following in your ``docker-compose.yml``: + + - set the ``user`` running the container to map to the ``paperless`` user in the + container. + This value (``user_id`` below), should be the same id that ``USERMAP_UID`` and + ``USERMAP_GID`` are set to in the next step. + See ``USERMAP_UID`` and ``USERMAP_GID`` :ref:`here `. + + Your entry for Paperless should contain something like: + + .. code:: + + webserver: + image: ghcr.io/paperless-ngx/paperless-ngx:latest + user: + 5. Modify ``docker-compose.env``, following the comments in the file. The most important change is to set ``USERMAP_UID`` and ``USERMAP_GID`` to the uid and gid of your user on the host system. Use ``id -u`` and @@ -205,6 +217,7 @@ Install Paperless from Docker Hub You can utilize Docker secrets for some configuration settings by appending `_FILE` to some configuration values. This is supported currently only by: + * PAPERLESS_DBUSER * PAPERLESS_DBPASS * PAPERLESS_SECRET_KEY @@ -271,7 +284,20 @@ Build the Docker image yourself .. code:: yaml webserver: - build: . + build: + context: . + args: + QPDF_VERSION: x.y.x + PIKEPDF_VERSION: x.y.z + PSYCOPG2_VERSION: x.y.z + JBIG2ENC_VERSION: 0.29 + + .. note:: + + You should match the build argument versions to the version for the release you have + checked out. These are pre-built images with certain, more updated software. + If you want to build these images your self, that is possible, but beyond + the scope of these steps. 4. Follow steps 3 to 8 of :ref:`setup-docker_hub`. When asked to run ``docker-compose pull`` to pull the image, do @@ -297,11 +323,13 @@ writing. Windows is not and will never be supported. * ``python3-pip`` * ``python3-dev`` + * ``default-libmysqlclient-dev`` for MariaDB * ``fonts-liberation`` for generating thumbnails for plain text files * ``imagemagick`` >= 6 for PDF conversion * ``gnupg`` for handling encrypted documents * ``libpq-dev`` for PostgreSQL * ``libmagic-dev`` for mime type detection + * ``mariadb-client`` for MariaDB compile time * ``mime-support`` for mime type detection * ``libzbar0`` for barcode detection * ``poppler-utils`` for barcode detection @@ -310,7 +338,7 @@ writing. Windows is not and will never be supported. .. code:: - python3 python3-pip python3-dev imagemagick fonts-liberation gnupg libpq-dev libmagic-dev mime-support libzbar0 poppler-utils + python3 python3-pip python3-dev imagemagick fonts-liberation gnupg libpq-dev default-libmysqlclient-dev libmagic-dev mime-support libzbar0 poppler-utils These dependencies are required for OCRmyPDF, which is used for text recognition. @@ -320,7 +348,7 @@ writing. Windows is not and will never be supported. * ``qpdf`` * ``liblept5`` * ``libxml2`` - * ``pngquant`` + * ``pngquant`` (suggested for certain PDF image optimizations) * ``zlib1g`` * ``tesseract-ocr`` >= 4.0.0 for OCR * ``tesseract-ocr`` language packs (``tesseract-ocr-eng``, ``tesseract-ocr-deu``, etc) @@ -339,10 +367,10 @@ writing. Windows is not and will never be supported. You will also need ``build-essential``, ``python3-setuptools`` and ``python3-wheel`` for installing some of the python dependencies. -2. Install ``redis`` >= 5.0 and configure it to start automatically. +2. Install ``redis`` >= 6.0 and configure it to start automatically. 3. Optional. Install ``postgresql`` and configure a database, user and password for paperless. If you do not wish - to use PostgreSQL, SQLite is available as well. + to use PostgreSQL, MariaDB and SQLite are available as well. .. note:: @@ -358,6 +386,7 @@ writing. Windows is not and will never be supported. settings to your needs. Required settings for getting paperless running are: * ``PAPERLESS_REDIS`` should point to your redis server, such as redis://localhost:6379. + * ``PAPERLESS_DBENGINE`` optional, and should be one of `postgres, mariadb, or sqlite` * ``PAPERLESS_DBHOST`` should be the hostname on which your PostgreSQL server is running. Do not configure this to use SQLite instead. Also configure port, database name, user and password as necessary. * ``PAPERLESS_CONSUMPTION_DIR`` should point to a folder which paperless should watch for documents. You might @@ -438,8 +467,9 @@ writing. Windows is not and will never be supported. as a starting point. Paperless needs the ``webserver`` script to run the webserver, the - ``consumer`` script to watch the input folder, and the ``scheduler`` - script to run tasks such as email checking and document consumption. + ``consumer`` script to watch the input folder, ``taskqueue`` for the background workers + used to handle things like document consumption and the ``scheduler`` script to run tasks such as + email checking at certain times . The ``socket`` script enables ``gunicorn`` to run on port 80 without root privileges. For this you need to uncomment the ``Require=paperless-webserver.socket`` @@ -490,6 +520,13 @@ writing. Windows is not and will never be supported. to compile this by yourself, because this software has been patented until around 2017 and binary packages are not available for most distributions. +15. Optional: If using the NLTK machine learning processing (see ``PAPERLESS_ENABLE_NLTK`` in + :ref:`configuration` for details), download the NLTK data for the Snowball Stemmer, Stopwords + and Punkt tokenizer to your ``PAPERLESS_DATA_DIR/nltk``. Refer to + the `NLTK instructions `_ for details on how to + download the data. + + Migrating to Paperless-ngx ########################## @@ -744,6 +781,8 @@ configuring some options in paperless can help improve performance immensely: OCR results. * If using docker, consider setting ``PAPERLESS_WEBSERVER_WORKERS`` to 1. This will save some memory. +* Consider setting ``PAPERLESS_ENABLE_NLTK`` to false, to disable the more + advanced language processing, which can take more memory and processing time. For details, refer to :ref:`configuration`. diff --git a/docs/troubleshooting.rst b/docs/troubleshooting.rst index a092ce6be..644a38552 100644 --- a/docs/troubleshooting.rst +++ b/docs/troubleshooting.rst @@ -19,7 +19,7 @@ Check for the following issues: .. code:: shell-session - $ python3 manage.py qcluster + $ celery --app paperless worker * Look at the output of paperless and inspect it for any errors. * Go to the admin interface, and check if there are failed tasks. If so, the @@ -125,7 +125,7 @@ If using docker-compose, this is achieved by the following configuration change .. code:: yaml gotenberg: - image: gotenberg/gotenberg:7.4 + image: gotenberg/gotenberg:7.6 restart: unless-stopped # The gotenberg chromium route is used to convert .eml files. We do not @@ -305,3 +305,19 @@ try adjusting the :ref:`polling configuration `. The user will need to manually move the file out of the consume folder and back in, for the initial failing file to be consumed. + +Log reports "Creating PaperlessTask failed". +######################################################### + +You might find messages like these in your log files: + +.. code:: + + [ERROR] [paperless.management.consumer] Creating PaperlessTask failed: db locked + +You are likely using an sqlite based installation, with an increased number of workers and are running into sqlite's concurrency limitations. +Uploading or consuming multiple files at once results in many workers attempting to access the database simultaneously. + +Consider changing to the PostgreSQL database if you will be processing many documents at once often. Otherwise, +try tweaking the ``PAPERLESS_DB_TIMEOUT`` setting to allow more time for the database to unlock. This may have +minor performance implications. diff --git a/gunicorn.conf.py b/gunicorn.conf.py index 9c0e5be78..a3ada7a64 100644 --- a/gunicorn.conf.py +++ b/gunicorn.conf.py @@ -1,9 +1,17 @@ import os -bind = f'[::]:{os.getenv("PAPERLESS_PORT", 8000)}' -workers = int(os.getenv("PAPERLESS_WEBSERVER_WORKERS", 2)) +# See https://docs.gunicorn.org/en/stable/settings.html for +# explanations of settings + +bind = f'{os.getenv("PAPERLESS_BIND_ADDR", "[::]")}:{os.getenv("PAPERLESS_PORT", 8000)}' + +workers = int(os.getenv("PAPERLESS_WEBSERVER_WORKERS", 1)) worker_class = "paperless.workers.ConfigurableWorker" timeout = 120 +preload_app = True + +# https://docs.gunicorn.org/en/stable/faq.html#blocking-os-fchmod +worker_tmp_dir = "/dev/shm" def pre_fork(server, worker): diff --git a/install-paperless-ngx.sh b/install-paperless-ngx.sh index fec14ea83..d5266efca 100755 --- a/install-paperless-ngx.sh +++ b/install-paperless-ngx.sh @@ -118,12 +118,12 @@ ask "Current time zone" "$default_time_zone" TIME_ZONE=$ask_result echo "" -echo "Database backend: PostgreSQL and SQLite are available. Use PostgreSQL" +echo "Database backend: PostgreSQL, MariaDB, and SQLite are available. Use PostgreSQL" echo "if unsure. If you're running on a low-power device such as Raspberry" echo "Pi, use SQLite to save resources." echo "" -ask "Database backend" "postgres" "postgres sqlite" +ask "Database backend" "postgres" "postgres sqlite mariadb" DATABASE_BACKEND=$ask_result echo "" @@ -214,9 +214,9 @@ echo "" ask_docker_folder "Data folder" "" DATA_FOLDER=$ask_result -if [[ "$DATABASE_BACKEND" == "postgres" ]] ; then +if [[ "$DATABASE_BACKEND" == "postgres" || "$DATABASE_BACKEND" == "mariadb" ]] ; then echo "" - echo "The database folder, where postgres stores its data." + echo "The database folder, where your database stores its data." echo "Leave empty to have this managed by docker." echo "" echo "CAUTION: If specified, you must specify an absolute path starting with /" @@ -224,7 +224,7 @@ if [[ "$DATABASE_BACKEND" == "postgres" ]] ; then echo "" ask_docker_folder "Database folder" "" - POSTGRES_FOLDER=$ask_result + DATABASE_FOLDER=$ask_result fi echo "" @@ -278,13 +278,14 @@ if [[ -z $DATA_FOLDER ]] ; then else echo "Data folder: $DATA_FOLDER" fi -if [[ "$DATABASE_BACKEND" == "postgres" ]] ; then - if [[ -z $POSTGRES_FOLDER ]] ; then - echo "Database (postgres) folder: Managed by docker" +if [[ "$DATABASE_BACKEND" == "postgres" || "$DATABASE_BACKEND" == "mariadb" ]] ; then + if [[ -z $DATABASE_FOLDER ]] ; then + echo "Database folder: Managed by docker" else - echo "Database (postgres) folder: $POSTGRES_FOLDER" + echo "Database folder: $DATABASE_FOLDER" fi fi + echo "" echo "URL: $URL" echo "Port: $PORT" @@ -356,9 +357,16 @@ if [[ -n $DATA_FOLDER ]] ; then sed -i "/^\s*data:/d" docker-compose.yml fi -if [[ -n $POSTGRES_FOLDER ]] ; then - sed -i "s#- pgdata:/var/lib/postgresql/data#- $POSTGRES_FOLDER:/var/lib/postgresql/data#g" docker-compose.yml - sed -i "/^\s*pgdata:/d" docker-compose.yml +# If the database folder was provided (not blank), replace the pgdata/dbdata volume with a bind mount +# of the provided folder +if [[ -n $DATABASE_FOLDER ]] ; then + if [[ "$DATABASE_BACKEND" == "postgres" ]] ; then + sed -i "s#- pgdata:/var/lib/postgresql/data#- $DATABASE_FOLDER:/var/lib/postgresql/data#g" docker-compose.yml + sed -i "/^\s*pgdata:/d" docker-compose.yml + elif [[ "$DATABASE_BACKEND" == "mariadb" ]]; then + sed -i "s#- dbdata:/var/lib/mysql#- $DATABASE_FOLDER:/var/lib/mysql#g" docker-compose.yml + sed -i "/^\s*dbdata:/d" docker-compose.yml + fi fi # remove trailing blank lines from end of file @@ -375,4 +383,4 @@ ${DOCKER_COMPOSE_CMD} pull ${DOCKER_COMPOSE_CMD} run --rm -e DJANGO_SUPERUSER_PASSWORD="$PASSWORD" webserver createsuperuser --noinput --username "$USERNAME" --email "$EMAIL" -${DOCKER_COMPOSE_CMD} up -d +${DOCKER_COMPOSE_CMD} up --detach diff --git a/paperless.conf.example b/paperless.conf.example index bb2449e05..26fc327c3 100644 --- a/paperless.conf.example +++ b/paperless.conf.example @@ -64,11 +64,12 @@ #PAPERLESS_CONSUMER_IGNORE_PATTERNS=[".DS_STORE/*", "._*", ".stfolder/*", ".stversions/*", ".localized/*", "desktop.ini"] #PAPERLESS_CONSUMER_SUBDIRS_AS_TAGS=false #PAPERLESS_CONSUMER_ENABLE_BARCODES=false -#PAPERLESS_CONSUMER_ENABLE_BARCODES=PATCHT +#PAPERLESS_CONSUMER_BARCODE_STRING=PATCHT #PAPERLESS_PRE_CONSUME_SCRIPT=/path/to/an/arbitrary/script.sh #PAPERLESS_POST_CONSUME_SCRIPT=/path/to/an/arbitrary/script.sh #PAPERLESS_FILENAME_DATE_ORDER=YMD #PAPERLESS_FILENAME_PARSE_TRANSFORMS=[] +#PAPERLESS_NUMBER_OF_SUGGESTED_DATES=5 #PAPERLESS_THUMBNAIL_FONT_NAME= #PAPERLESS_IGNORE_DATES= #PAPERLESS_ENABLE_UPDATE_CHECK= diff --git a/requirements.txt b/requirements.txt deleted file mode 100644 index dbab771b5..000000000 --- a/requirements.txt +++ /dev/null @@ -1,108 +0,0 @@ --i https://pypi.python.org/simple ---extra-index-url https://www.piwheels.org/simple -aioredis==1.3.1 -anyio==3.6.1; python_full_version >= '3.6.2' -arrow==1.2.2; python_version >= '3.6' -asgiref==3.5.2; python_version >= '3.7' -async-timeout==4.0.2; python_version >= '3.6' -attrs==21.4.0; python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4' -autobahn==22.6.1; python_version >= '3.7' -automat==20.2.0 -backports.zoneinfo==0.2.1; python_version < '3.9' -blessed==1.19.1; python_version >= '2.7' -certifi==2022.6.15; python_version >= '3.6' -cffi==1.15.1 -channels==3.0.5 -channels-redis==3.4.0 -charset-normalizer==2.1.0; python_version >= '3.6' -click==8.1.3; python_version >= '3.7' -coloredlogs==15.0.1; python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4' -concurrent-log-handler==0.9.20 -constantly==15.1.0 -cryptography==37.0.4; python_version >= '3.6' -daphne==3.0.2; python_version >= '3.6' -dateparser==1.1.1 -deprecated==1.2.13; python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3' -deprecation==2.1.0 -django==4.0.6 -django-cors-headers==3.13.0 -django-extensions==3.2.0 -django-filter==22.1 -django-picklefield==3.1; python_version >= '3' --e git+https://github.com/paperless-ngx/django-q.git@bf20d57f859a7d872d5979cd8879fac9c9df981c#egg=django-q -djangorestframework==3.13.1 -filelock==3.7.1 -fuzzywuzzy[speedup]==0.18.0 -gunicorn==20.1.0 -h11==0.13.0; python_version >= '3.6' -hiredis==2.0.0; python_version >= '3.6' -httptools==0.4.0 -humanfriendly==10.0; python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4' -hyperlink==21.0.0 -idna==3.3; python_version >= '3.5' -imap-tools==0.56.0 -img2pdf==0.4.4 -importlib-resources==5.8.0; python_version < '3.9' -incremental==21.3.0 -inotify-simple==1.3.5; python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3' -inotifyrecursive==0.3.5 -joblib==1.1.0; python_version >= '3.6' -langdetect==1.0.9 -lxml==4.9.1; python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4' -msgpack==1.0.4 -numpy==1.23.1; python_version >= '3.8' -ocrmypdf==13.6.0 -packaging==21.3; python_version >= '3.6' -pathvalidate==2.5.0 -pdf2image==1.16.0 -pdfminer.six==20220524 -pikepdf==5.3.1 -pillow==9.2.0 -pluggy==1.0.0; python_version >= '3.6' -portalocker==2.5.1; python_version >= '3' -psycopg2==2.9.3 -pyasn1==0.4.8 -pyasn1-modules==0.2.8 -pycparser==2.21 -pyopenssl==22.0.0 -pyparsing==3.0.9; python_full_version >= '3.6.8' -python-dateutil==2.8.2 -python-dotenv==0.20.0 -python-gnupg==0.4.9 -python-levenshtein==0.12.2 -python-magic==0.4.27 -pytz==2022.1 -pytz-deprecation-shim==0.1.0.post0; python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4, 3.5' -pyyaml==6.0 -pyzbar==0.1.9 -redis==4.3.4 -regex==2022.3.2; python_version >= '3.6' -reportlab==3.6.11; python_version >= '3.7' and python_version < '4' -requests==2.28.1; python_version >= '3.7' and python_version < '4' -scikit-learn==1.1.1 -scipy==1.8.1; python_version < '3.11' and python_version >= '3.8' -service-identity==21.1.0 -setuptools==63.1.0; python_version >= '3.7' -six==1.16.0; python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3' -sniffio==1.2.0; python_version >= '3.5' -sqlparse==0.4.2; python_version >= '3.5' -threadpoolctl==3.1.0; python_version >= '3.6' -tika==1.24 -tqdm==4.64.0 -twisted[tls]==22.4.0; python_full_version >= '3.6.7' -txaio==22.2.1; python_version >= '3.6' -typing-extensions==4.3.0; python_version >= '3.7' -tzdata==2022.1; python_version >= '3.6' -tzlocal==4.2; python_version >= '3.6' -urllib3==1.26.10; python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4, 3.5' and python_version < '4' -uvicorn[standard]==0.18.2 -uvloop==0.16.0 -watchdog==2.1.9 -watchfiles==0.15.0 -wcwidth==0.2.5 -websockets==10.3 -whitenoise==6.2.0 -whoosh==2.7.4 -wrapt==1.14.1; python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4' -zipp==3.8.0; python_version < '3.9' -zope.interface==5.4.0; python_version >= '2.7' and python_version not in '3.0, 3.1, 3.2, 3.3, 3.4' diff --git a/scripts/paperless-scheduler.service b/scripts/paperless-scheduler.service index b1c82a38e..b15c53e79 100644 --- a/scripts/paperless-scheduler.service +++ b/scripts/paperless-scheduler.service @@ -1,12 +1,12 @@ [Unit] -Description=Paperless scheduler +Description=Paperless Celery Beat Requires=redis.service [Service] User=paperless Group=paperless WorkingDirectory=/opt/paperless/src -ExecStart=python3 manage.py qcluster +ExecStart=celery --app paperless beat --loglevel INFO [Install] WantedBy=multi-user.target diff --git a/scripts/paperless-task-queue.service b/scripts/paperless-task-queue.service new file mode 100644 index 000000000..5fade360a --- /dev/null +++ b/scripts/paperless-task-queue.service @@ -0,0 +1,12 @@ +[Unit] +Description=Paperless Celery Workers +Requires=redis.service + +[Service] +User=paperless +Group=paperless +WorkingDirectory=/opt/paperless/src +ExecStart=celery --app paperless worker --loglevel INFO + +[Install] +WantedBy=multi-user.target diff --git a/scripts/post-consumption-example.sh b/scripts/post-consumption-example.sh index 6edd3e158..6e42b1bc3 100755 --- a/scripts/post-consumption-example.sh +++ b/scripts/post-consumption-example.sh @@ -1,21 +1,16 @@ #!/usr/bin/env bash -DOCUMENT_ID=${1} -DOCUMENT_FILE_NAME=${2} -DOCUMENT_SOURCE_PATH=${3} -DOCUMENT_THUMBNAIL_PATH=${4} -DOCUMENT_DOWNLOAD_URL=${5} -DOCUMENT_THUMBNAIL_URL=${6} -DOCUMENT_CORRESPONDENT=${7} -DOCUMENT_TAGS=${8} - echo " A document with an id of ${DOCUMENT_ID} was just consumed. I know the following additional information about it: * Generated File Name: ${DOCUMENT_FILE_NAME} +* Archive Path: ${DOCUMENT_ARCHIVE_PATH} * Source Path: ${DOCUMENT_SOURCE_PATH} +* Created: ${DOCUMENT_CREATED} +* Added: ${DOCUMENT_ADDED} +* Modified: ${DOCUMENT_MODIFIED} * Thumbnail Path: ${DOCUMENT_THUMBNAIL_PATH} * Download URL: ${DOCUMENT_DOWNLOAD_URL} * Thumbnail URL: ${DOCUMENT_THUMBNAIL_URL} diff --git a/scripts/start_services.sh b/scripts/start_services.sh index e3f90258f..efba11883 100755 --- a/scripts/start_services.sh +++ b/scripts/start_services.sh @@ -2,5 +2,5 @@ docker run -p 5432:5432 -e POSTGRES_PASSWORD=password -v paperless_pgdata:/var/lib/postgresql/data -d postgres:13 docker run -d -p 6379:6379 redis:latest -docker run -p 3000:3000 -d gotenberg/gotenberg:7.4 gotenberg --chromium-disable-javascript=true --chromium-allow-list=file:///tmp/.* +docker run -p 3000:3000 -d gotenberg/gotenberg:7.6 gotenberg --chromium-disable-javascript=true --chromium-allow-list=file:///tmp/.* docker run -p 9998:9998 -d ghcr.io/paperless-ngx/tika:latest diff --git a/src-ui/cypress/e2e/documents/document-detail.cy.ts b/src-ui/cypress/e2e/documents/document-detail.cy.ts index cc269655a..a836ffa92 100644 --- a/src-ui/cypress/e2e/documents/document-detail.cy.ts +++ b/src-ui/cypress/e2e/documents/document-detail.cy.ts @@ -17,6 +17,32 @@ describe('document-detail', () => { req.reply({ result: 'OK' }) }).as('saveDoc') + cy.fixture('documents/1/comments.json').then((commentsJson) => { + cy.intercept( + 'GET', + 'http://localhost:8000/api/documents/1/comments/', + (req) => { + req.reply(commentsJson.filter((c) => c.id != 10)) // 3 + } + ) + + cy.intercept( + 'DELETE', + 'http://localhost:8000/api/documents/1/comments/?id=9', + (req) => { + req.reply(commentsJson.filter((c) => c.id != 9 && c.id != 10)) // 2 + } + ) + + cy.intercept( + 'POST', + 'http://localhost:8000/api/documents/1/comments/', + (req) => { + req.reply(commentsJson) // 4 + } + ) + }) + cy.viewport(1024, 1024) cy.visit('/documents/1/') }) @@ -39,4 +65,30 @@ describe('document-detail', () => { cy.contains('button', 'Save').click().wait('@saveDoc').wait(2000) // navigates away after saving cy.contains('You have unsaved changes').should('not.exist') }) + + it('should show a list of comments', () => { + cy.wait(1000).get('a').contains('Comments').click().wait(1000) + cy.get('app-document-comments').find('.card').its('length').should('eq', 3) + }) + + it('should support comment deletion', () => { + cy.wait(1000).get('a').contains('Comments').click().wait(1000) + cy.get('app-document-comments') + .find('.card') + .first() + .find('button') + .click({ force: true }) + .wait(500) + cy.get('app-document-comments').find('.card').its('length').should('eq', 2) + }) + + it('should support comment insertion', () => { + cy.wait(1000).get('a').contains('Comments').click().wait(1000) + cy.get('app-document-comments') + .find('form textarea') + .type('Testing new comment') + .wait(500) + cy.get('app-document-comments').find('form button').click().wait(1500) + cy.get('app-document-comments').find('.card').its('length').should('eq', 4) + }) }) diff --git a/src-ui/cypress/e2e/settings/settings.cy.ts b/src-ui/cypress/e2e/settings/settings.cy.ts index 7433d16f4..0480e39ce 100644 --- a/src-ui/cypress/e2e/settings/settings.cy.ts +++ b/src-ui/cypress/e2e/settings/settings.cy.ts @@ -46,7 +46,7 @@ describe('settings', () => { }) }) - cy.viewport(1024, 1024) + cy.viewport(1024, 1600) cy.visit('/settings') cy.wait('@savedViews') }) diff --git a/src-ui/cypress/fixtures/documents/1/comments.json b/src-ui/cypress/fixtures/documents/1/comments.json new file mode 100644 index 000000000..73e932187 --- /dev/null +++ b/src-ui/cypress/fixtures/documents/1/comments.json @@ -0,0 +1,46 @@ +[ + { + "id": 10, + "comment": "Testing new comment", + "created": "2022-08-08T04:24:55.176008Z", + "user": { + "id": 1, + "username": "user2", + "firstname": "", + "lastname": "" + } + }, + { + "id": 9, + "comment": "Testing one more time", + "created": "2022-02-18T04:24:55.176008Z", + "user": { + "id": 2, + "username": "user1", + "firstname": "", + "lastname": "" + } + }, + { + "id": 8, + "comment": "Another comment", + "created": "2021-11-08T04:24:47.925042Z", + "user": { + "id": 2, + "username": "user33", + "firstname": "", + "lastname": "" + } + }, + { + "id": 7, + "comment": "Cupcake ipsum dolor sit amet cheesecake candy cookie tiramisu. Donut chocolate chupa chups macaroon brownie halvah pie cheesecake gummies. Sweet chocolate bar candy donut gummi bears bear claw liquorice bonbon shortbread.\n\nDonut chocolate bar candy wafer wafer tiramisu. Gummies chocolate cake muffin toffee carrot cake macaroon. Toffee toffee jelly beans danish lollipop cake.", + "created": "2021-02-08T02:37:49.724132Z", + "user": { + "id": 3, + "username": "admin", + "firstname": "", + "lastname": "" + } + } +] diff --git a/src-ui/cypress/fixtures/tasks/tasks.json b/src-ui/cypress/fixtures/tasks/tasks.json index ceb334b9d..eeccfe424 100644 --- a/src-ui/cypress/fixtures/tasks/tasks.json +++ b/src-ui/cypress/fixtures/tasks/tasks.json @@ -1 +1,290 @@ -[{"id":141,"type":"file","result":"sample 2.pdf: Not consuming sample 2.pdf: It is a duplicate. : Traceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ngx.nosync-udqDZzaE/lib/python3.8/site-packages/django_q/cluster.py\", line 432, in worker\n res = f(*task[\"args\"], **task[\"kwargs\"])\n File \"/Users/admin/Documents/paperless-ngx/src/documents/tasks.py\", line 316, in consume_file\n document = Consumer().try_consume_file(\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 218, in try_consume_file\n self.pre_check_duplicate()\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 113, in pre_check_duplicate\n self._fail(\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 84, in _fail\n raise ConsumerError(f\"{self.filename}: {log_message or message}\")\ndocuments.consumer.ConsumerError: sample 2.pdf: Not consuming sample 2.pdf: It is a duplicate.\n","status":"failed","task_id":"d8ddbe298a42427d82553206ddf0bc94","name":"sample 2.pdf","created":"2022-05-26T23:17:38.333474-07:00","acknowledged":false,"attempted_task":{"id":"d8ddbe298a42427d82553206ddf0bc94","name":"sample 2.pdf","func":"documents.tasks.consume_file","hook":null,"args":"gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtanJxNGs1aHOUhZQu","kwargs":"gAWVzQAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwMc2FtcGxlIDIucGRmlIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJDcyMGExYjI5LWI2OTYtNDY3My05Y2ZmLTJkY2ZiZWNmNWViMpSMEG92ZXJyaWRlX2NyZWF0ZWSUTnUu","result":"gAWVMQQAAAAAAABYKgQAAHNhbXBsZSAyLnBkZjogTm90IGNvbnN1bWluZyBzYW1wbGUgMi5wZGY6IEl0IGlzIGEgZHVwbGljYXRlLiA6IFRyYWNlYmFjayAobW9zdCByZWNlbnQgY2FsbCBsYXN0KToKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3Mtbmd4Lm5vc3luYy11ZHFEWnphRS9saWIvcHl0aG9uMy44L3NpdGUtcGFja2FnZXMvZGphbmdvX3EvY2x1c3Rlci5weSIsIGxpbmUgNDMyLCBpbiB3b3JrZXIKICAgIHJlcyA9IGYoKnRhc2tbImFyZ3MiXSwgKip0YXNrWyJrd2FyZ3MiXSkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0Rldi5ub3N5bmMvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmd4L3NyYy9kb2N1bWVudHMvdGFza3MucHkiLCBsaW5lIDMxNiwgaW4gY29uc3VtZV9maWxlCiAgICBkb2N1bWVudCA9IENvbnN1bWVyKCkudHJ5X2NvbnN1bWVfZmlsZSgKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0Rldi5ub3N5bmMvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmd4L3NyYy9kb2N1bWVudHMvY29uc3VtZXIucHkiLCBsaW5lIDIxOCwgaW4gdHJ5X2NvbnN1bWVfZmlsZQogICAgc2VsZi5wcmVfY2hlY2tfZHVwbGljYXRlKCkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0Rldi5ub3N5bmMvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmd4L3NyYy9kb2N1bWVudHMvY29uc3VtZXIucHkiLCBsaW5lIDExMywgaW4gcHJlX2NoZWNrX2R1cGxpY2F0ZQogICAgc2VsZi5fZmFpbCgKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0Rldi5ub3N5bmMvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmd4L3NyYy9kb2N1bWVudHMvY29uc3VtZXIucHkiLCBsaW5lIDg0LCBpbiBfZmFpbAogICAgcmFpc2UgQ29uc3VtZXJFcnJvcihmIntzZWxmLmZpbGVuYW1lfToge2xvZ19tZXNzYWdlIG9yIG1lc3NhZ2V9IikKZG9jdW1lbnRzLmNvbnN1bWVyLkNvbnN1bWVyRXJyb3I6IHNhbXBsZSAyLnBkZjogTm90IGNvbnN1bWluZyBzYW1wbGUgMi5wZGY6IEl0IGlzIGEgZHVwbGljYXRlLgqULg==","group":null,"started":"2022-05-26T23:17:37.702432-07:00","stopped":"2022-05-26T23:17:38.313306-07:00","success":false,"attempt_count":1}},{"id":132,"type":"file","result":" : Traceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/subprocess.py\", line 131, in get_version\n env=env,\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/subprocess.py\", line 68, in run\n proc = subprocess_run(args, env=env, **kwargs)\n File \"/Users/admin/opt/anaconda3/envs/paperless-ng/lib/python3.6/subprocess.py\", line 423, in run\n with Popen(*popenargs, **kwargs) as process:\n File \"/Users/admin/opt/anaconda3/envs/paperless-ng/lib/python3.6/subprocess.py\", line 729, in __init__\n restore_signals, start_new_session)\n File \"/Users/admin/opt/anaconda3/envs/paperless-ng/lib/python3.6/subprocess.py\", line 1364, in _execute_child\n raise child_exception_type(errno_num, err_msg, err_filename)\nFileNotFoundError: [Errno 2] No such file or directory: 'unpaper': 'unpaper'\n\nThe above exception was the direct cause of the following exception:\n\nTraceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/subprocess.py\", line 287, in check_external_program\n found_version = version_checker()\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/_exec/unpaper.py\", line 34, in version\n return get_version('unpaper')\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/subprocess.py\", line 137, in get_version\n ) from e\nocrmypdf.exceptions.MissingDependencyError: Could not find program 'unpaper' on the PATH\n\nDuring handling of the above exception, another exception occurred:\n\nTraceback (most recent call last):\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/paperless_tesseract/parsers.py\", line 176, in parse\n ocrmypdf.ocr(**ocr_args)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/api.py\", line 315, in ocr\n check_options(options, plugin_manager)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/_validation.py\", line 260, in check_options\n _check_options(options, plugin_manager, ocr_engine_languages)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/_validation.py\", line 250, in _check_options\n check_options_preprocessing(options)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/_validation.py\", line 128, in check_options_preprocessing\n required_for=['--clean, --clean-final'],\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/subprocess.py\", line 293, in check_external_program\n raise MissingDependencyError()\nocrmypdf.exceptions.MissingDependencyError\n\nDuring handling of the above exception, another exception occurred:\n\nTraceback (most recent call last):\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 179, in try_consume_file\n document_parser.parse(self.path, mime_type, self.filename)\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/paperless_tesseract/parsers.py\", line 197, in parse\n raise ParseError(e)\ndocuments.parsers.ParseError\n\nDuring handling of the above exception, another exception occurred:\n\nTraceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/django_q/cluster.py\", line 436, in worker\n res = f(*task[\"args\"], **task[\"kwargs\"])\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/tasks.py\", line 73, in consume_file\n override_tag_ids=override_tag_ids)\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 196, in try_consume_file\n raise ConsumerError(e)\ndocuments.consumer.ConsumerError\n","status":"failed","task_id":"4c554075552c4cc985abd76e6f274c90","name":"pdf-sample 10.24.48 PM.pdf","created":"2022-05-26T14:26:07.846365-07:00","acknowledged":null,"attempted_task":{"id":"4c554075552c4cc985abd76e6f274c90","name":"pdf-sample 10.24.48 PM.pdf","func":"documents.tasks.consume_file","hook":null,"args":"gAWVKwAAAAAAAACMJS4uL2NvbnN1bWUvcGRmLXNhbXBsZSAxMC4yNC40OCBQTS5wZGaUhZQu","kwargs":"gAWVGAAAAAAAAAB9lIwQb3ZlcnJpZGVfdGFnX2lkc5ROcy4=","result":"gAWVzA8AAAAAAABYxQ8AACA6IFRyYWNlYmFjayAobW9zdCByZWNlbnQgY2FsbCBsYXN0KToKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL29jcm15cGRmL3N1YnByb2Nlc3MucHkiLCBsaW5lIDEzMSwgaW4gZ2V0X3ZlcnNpb24KICAgIGVudj1lbnYsCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9zdWJwcm9jZXNzLnB5IiwgbGluZSA2OCwgaW4gcnVuCiAgICBwcm9jID0gc3VicHJvY2Vzc19ydW4oYXJncywgZW52PWVudiwgKiprd2FyZ3MpCiAgRmlsZSAiL1VzZXJzL21vb25lci9vcHQvYW5hY29uZGEzL2VudnMvcGFwZXJsZXNzLW5nL2xpYi9weXRob24zLjYvc3VicHJvY2Vzcy5weSIsIGxpbmUgNDIzLCBpbiBydW4KICAgIHdpdGggUG9wZW4oKnBvcGVuYXJncywgKiprd2FyZ3MpIGFzIHByb2Nlc3M6CiAgRmlsZSAiL1VzZXJzL21vb25lci9vcHQvYW5hY29uZGEzL2VudnMvcGFwZXJsZXNzLW5nL2xpYi9weXRob24zLjYvc3VicHJvY2Vzcy5weSIsIGxpbmUgNzI5LCBpbiBfX2luaXRfXwogICAgcmVzdG9yZV9zaWduYWxzLCBzdGFydF9uZXdfc2Vzc2lvbikKICBGaWxlICIvVXNlcnMvbW9vbmVyL29wdC9hbmFjb25kYTMvZW52cy9wYXBlcmxlc3MtbmcvbGliL3B5dGhvbjMuNi9zdWJwcm9jZXNzLnB5IiwgbGluZSAxMzY0LCBpbiBfZXhlY3V0ZV9jaGlsZAogICAgcmFpc2UgY2hpbGRfZXhjZXB0aW9uX3R5cGUoZXJybm9fbnVtLCBlcnJfbXNnLCBlcnJfZmlsZW5hbWUpCkZpbGVOb3RGb3VuZEVycm9yOiBbRXJybm8gMl0gTm8gc3VjaCBmaWxlIG9yIGRpcmVjdG9yeTogJ3VucGFwZXInOiAndW5wYXBlcicKClRoZSBhYm92ZSBleGNlcHRpb24gd2FzIHRoZSBkaXJlY3QgY2F1c2Ugb2YgdGhlIGZvbGxvd2luZyBleGNlcHRpb246CgpUcmFjZWJhY2sgKG1vc3QgcmVjZW50IGNhbGwgbGFzdCk6CiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9zdWJwcm9jZXNzLnB5IiwgbGluZSAyODcsIGluIGNoZWNrX2V4dGVybmFsX3Byb2dyYW0KICAgIGZvdW5kX3ZlcnNpb24gPSB2ZXJzaW9uX2NoZWNrZXIoKQogIEZpbGUgIi9Vc2Vycy9tb29uZXIvLmxvY2FsL3NoYXJlL3ZpcnR1YWxlbnZzL3BhcGVybGVzcy1uZy03NkJ1SmxFSS9saWIvcHl0aG9uMy42L3NpdGUtcGFja2FnZXMvb2NybXlwZGYvX2V4ZWMvdW5wYXBlci5weSIsIGxpbmUgMzQsIGluIHZlcnNpb24KICAgIHJldHVybiBnZXRfdmVyc2lvbigndW5wYXBlcicpCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9zdWJwcm9jZXNzLnB5IiwgbGluZSAxMzcsIGluIGdldF92ZXJzaW9uCiAgICApIGZyb20gZQpvY3JteXBkZi5leGNlcHRpb25zLk1pc3NpbmdEZXBlbmRlbmN5RXJyb3I6IENvdWxkIG5vdCBmaW5kIHByb2dyYW0gJ3VucGFwZXInIG9uIHRoZSBQQVRICgpEdXJpbmcgaGFuZGxpbmcgb2YgdGhlIGFib3ZlIGV4Y2VwdGlvbiwgYW5vdGhlciBleGNlcHRpb24gb2NjdXJyZWQ6CgpUcmFjZWJhY2sgKG1vc3QgcmVjZW50IGNhbGwgbGFzdCk6CiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvcGFwZXJsZXNzX3Rlc3NlcmFjdC9wYXJzZXJzLnB5IiwgbGluZSAxNzYsIGluIHBhcnNlCiAgICBvY3JteXBkZi5vY3IoKipvY3JfYXJncykKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL29jcm15cGRmL2FwaS5weSIsIGxpbmUgMzE1LCBpbiBvY3IKICAgIGNoZWNrX29wdGlvbnMob3B0aW9ucywgcGx1Z2luX21hbmFnZXIpCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9fdmFsaWRhdGlvbi5weSIsIGxpbmUgMjYwLCBpbiBjaGVja19vcHRpb25zCiAgICBfY2hlY2tfb3B0aW9ucyhvcHRpb25zLCBwbHVnaW5fbWFuYWdlciwgb2NyX2VuZ2luZV9sYW5ndWFnZXMpCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9fdmFsaWRhdGlvbi5weSIsIGxpbmUgMjUwLCBpbiBfY2hlY2tfb3B0aW9ucwogICAgY2hlY2tfb3B0aW9uc19wcmVwcm9jZXNzaW5nKG9wdGlvbnMpCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9fdmFsaWRhdGlvbi5weSIsIGxpbmUgMTI4LCBpbiBjaGVja19vcHRpb25zX3ByZXByb2Nlc3NpbmcKICAgIHJlcXVpcmVkX2Zvcj1bJy0tY2xlYW4sIC0tY2xlYW4tZmluYWwnXSwKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL29jcm15cGRmL3N1YnByb2Nlc3MucHkiLCBsaW5lIDI5MywgaW4gY2hlY2tfZXh0ZXJuYWxfcHJvZ3JhbQogICAgcmFpc2UgTWlzc2luZ0RlcGVuZGVuY3lFcnJvcigpCm9jcm15cGRmLmV4Y2VwdGlvbnMuTWlzc2luZ0RlcGVuZGVuY3lFcnJvcgoKRHVyaW5nIGhhbmRsaW5nIG9mIHRoZSBhYm92ZSBleGNlcHRpb24sIGFub3RoZXIgZXhjZXB0aW9uIG9jY3VycmVkOgoKVHJhY2ViYWNrIChtb3N0IHJlY2VudCBjYWxsIGxhc3QpOgogIEZpbGUgIi9Vc2Vycy9tb29uZXIvRG9jdW1lbnRzL1dvcmsvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmcvc3JjL2RvY3VtZW50cy9jb25zdW1lci5weSIsIGxpbmUgMTc5LCBpbiB0cnlfY29uc3VtZV9maWxlCiAgICBkb2N1bWVudF9wYXJzZXIucGFyc2Uoc2VsZi5wYXRoLCBtaW1lX3R5cGUsIHNlbGYuZmlsZW5hbWUpCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvcGFwZXJsZXNzX3Rlc3NlcmFjdC9wYXJzZXJzLnB5IiwgbGluZSAxOTcsIGluIHBhcnNlCiAgICByYWlzZSBQYXJzZUVycm9yKGUpCmRvY3VtZW50cy5wYXJzZXJzLlBhcnNlRXJyb3IKCkR1cmluZyBoYW5kbGluZyBvZiB0aGUgYWJvdmUgZXhjZXB0aW9uLCBhbm90aGVyIGV4Y2VwdGlvbiBvY2N1cnJlZDoKClRyYWNlYmFjayAobW9zdCByZWNlbnQgY2FsbCBsYXN0KToKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL2RqYW5nb19xL2NsdXN0ZXIucHkiLCBsaW5lIDQzNiwgaW4gd29ya2VyCiAgICByZXMgPSBmKCp0YXNrWyJhcmdzIl0sICoqdGFza1sia3dhcmdzIl0pCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvZG9jdW1lbnRzL3Rhc2tzLnB5IiwgbGluZSA3MywgaW4gY29uc3VtZV9maWxlCiAgICBvdmVycmlkZV90YWdfaWRzPW92ZXJyaWRlX3RhZ19pZHMpCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvZG9jdW1lbnRzL2NvbnN1bWVyLnB5IiwgbGluZSAxOTYsIGluIHRyeV9jb25zdW1lX2ZpbGUKICAgIHJhaXNlIENvbnN1bWVyRXJyb3IoZSkKZG9jdW1lbnRzLmNvbnN1bWVyLkNvbnN1bWVyRXJyb3IKlC4=","group":null,"started":"2021-01-20T10:47:34.535478-08:00","stopped":"2021-01-20T10:49:55.568010-08:00","success":false,"attempt_count":1}},{"id":115,"type":"file","result":"2021-01-24 2021-01-20 sample_wide_orange.pdf: Document is a duplicate : Traceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/django_q/cluster.py\", line 436, in worker\n res = f(*task[\"args\"], **task[\"kwargs\"])\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/tasks.py\", line 75, in consume_file\n task_id=task_id\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 168, in try_consume_file\n self.pre_check_duplicate()\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 85, in pre_check_duplicate\n self._fail(\"Document is a duplicate\")\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 53, in _fail\n raise ConsumerError(f\"{self.filename}: {message}\")\ndocuments.consumer.ConsumerError: 2021-01-24 2021-01-20 sample_wide_orange.pdf: Document is a duplicate\n","status":"failed","task_id":"86494713646a4364b01da17aadca071d","name":"2021-01-24 2021-01-20 sample_wide_orange.pdf","created":"2022-05-26T14:26:07.817608-07:00","acknowledged":null,"attempted_task":{"id":"86494713646a4364b01da17aadca071d","name":"2021-01-24 2021-01-20 sample_wide_orange.pdf","func":"documents.tasks.consume_file","hook":null,"args":"gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtcTJ6NDlnbzaUhZQu","kwargs":"gAWV2QAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwsMjAyMS0wMS0yNCAyMDIxLTAxLTIwIHNhbXBsZV93aWRlX29yYW5nZS5wZGaUjA5vdmVycmlkZV90aXRsZZROjBlvdmVycmlkZV9jb3JyZXNwb25kZW50X2lklE6MGW92ZXJyaWRlX2RvY3VtZW50X3R5cGVfaWSUTowQb3ZlcnJpZGVfdGFnX2lkc5ROjAd0YXNrX2lklIwkN2MwZTY1MmQtZDhkYy00OWU4LWI1ZmUtOGM3ZTkyZDlmOTI0lHUu","result":"gAWV/AMAAAAAAABY9QMAADIwMjEtMDEtMjQgMjAyMS0wMS0yMCBzYW1wbGVfd2lkZV9vcmFuZ2UucGRmOiBEb2N1bWVudCBpcyBhIGR1cGxpY2F0ZSA6IFRyYWNlYmFjayAobW9zdCByZWNlbnQgY2FsbCBsYXN0KToKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL2RqYW5nb19xL2NsdXN0ZXIucHkiLCBsaW5lIDQzNiwgaW4gd29ya2VyCiAgICByZXMgPSBmKCp0YXNrWyJhcmdzIl0sICoqdGFza1sia3dhcmdzIl0pCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvZG9jdW1lbnRzL3Rhc2tzLnB5IiwgbGluZSA3NSwgaW4gY29uc3VtZV9maWxlCiAgICB0YXNrX2lkPXRhc2tfaWQKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0NvbnRyaWJ1dGlvbnMvcGFwZXJsZXNzLW5nL3NyYy9kb2N1bWVudHMvY29uc3VtZXIucHkiLCBsaW5lIDE2OCwgaW4gdHJ5X2NvbnN1bWVfZmlsZQogICAgc2VsZi5wcmVfY2hlY2tfZHVwbGljYXRlKCkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0NvbnRyaWJ1dGlvbnMvcGFwZXJsZXNzLW5nL3NyYy9kb2N1bWVudHMvY29uc3VtZXIucHkiLCBsaW5lIDg1LCBpbiBwcmVfY2hlY2tfZHVwbGljYXRlCiAgICBzZWxmLl9mYWlsKCJEb2N1bWVudCBpcyBhIGR1cGxpY2F0ZSIpCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvZG9jdW1lbnRzL2NvbnN1bWVyLnB5IiwgbGluZSA1MywgaW4gX2ZhaWwKICAgIHJhaXNlIENvbnN1bWVyRXJyb3IoZiJ7c2VsZi5maWxlbmFtZX06IHttZXNzYWdlfSIpCmRvY3VtZW50cy5jb25zdW1lci5Db25zdW1lckVycm9yOiAyMDIxLTAxLTI0IDIwMjEtMDEtMjAgc2FtcGxlX3dpZGVfb3JhbmdlLnBkZjogRG9jdW1lbnQgaXMgYSBkdXBsaWNhdGUKlC4=","group":null,"started":"2021-01-26T00:21:05.379583-08:00","stopped":"2021-01-26T00:21:06.449626-08:00","success":false,"attempt_count":1}},{"id":85,"type":"file","result":"cannot open resource : Traceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/django_q/cluster.py\", line 436, in worker\n res = f(*task[\"args\"], **task[\"kwargs\"])\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/tasks.py\", line 81, in consume_file\n task_id=task_id\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 244, in try_consume_file\n self.path, mime_type, self.filename)\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/parsers.py\", line 302, in get_optimised_thumbnail\n thumbnail = self.get_thumbnail(document_path, mime_type, file_name)\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/paperless_text/parsers.py\", line 29, in get_thumbnail\n layout_engine=ImageFont.LAYOUT_BASIC)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/PIL/ImageFont.py\", line 852, in truetype\n return freetype(font)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/PIL/ImageFont.py\", line 849, in freetype\n return FreeTypeFont(font, size, index, encoding, layout_engine)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/PIL/ImageFont.py\", line 210, in __init__\n font, size, index, encoding, layout_engine=layout_engine\nOSError: cannot open resource\n","status":"failed","task_id":"abca803fa46342e1ac81f3d3f2080e79","name":"simple.txt","created":"2022-05-26T14:26:07.771541-07:00","acknowledged":null,"attempted_task":{"id":"abca803fa46342e1ac81f3d3f2080e79","name":"simple.txt","func":"documents.tasks.consume_file","hook":null,"args":"gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtd2RhbnB5NnGUhZQu","kwargs":"gAWVtwAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwKc2ltcGxlLnR4dJSMDm92ZXJyaWRlX3RpdGxllE6MGW92ZXJyaWRlX2NvcnJlc3BvbmRlbnRfaWSUTowZb3ZlcnJpZGVfZG9jdW1lbnRfdHlwZV9pZJROjBBvdmVycmlkZV90YWdfaWRzlE6MB3Rhc2tfaWSUjCQ3ZGE0OTU4ZC0zM2UwLTQ1OGMtYTE0ZC1kMmU0NmE0NWY4Y2SUdS4=","result":"gAWV5QUAAAAAAABY3gUAAGNhbm5vdCBvcGVuIHJlc291cmNlIDogVHJhY2ViYWNrIChtb3N0IHJlY2VudCBjYWxsIGxhc3QpOgogIEZpbGUgIi9Vc2Vycy9tb29uZXIvLmxvY2FsL3NoYXJlL3ZpcnR1YWxlbnZzL3BhcGVybGVzcy1uZy03NkJ1SmxFSS9saWIvcHl0aG9uMy42L3NpdGUtcGFja2FnZXMvZGphbmdvX3EvY2x1c3Rlci5weSIsIGxpbmUgNDM2LCBpbiB3b3JrZXIKICAgIHJlcyA9IGYoKnRhc2tbImFyZ3MiXSwgKip0YXNrWyJrd2FyZ3MiXSkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0NvbnRyaWJ1dGlvbnMvcGFwZXJsZXNzLW5nL3NyYy9kb2N1bWVudHMvdGFza3MucHkiLCBsaW5lIDgxLCBpbiBjb25zdW1lX2ZpbGUKICAgIHRhc2tfaWQ9dGFza19pZAogIEZpbGUgIi9Vc2Vycy9tb29uZXIvRG9jdW1lbnRzL1dvcmsvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmcvc3JjL2RvY3VtZW50cy9jb25zdW1lci5weSIsIGxpbmUgMjQ0LCBpbiB0cnlfY29uc3VtZV9maWxlCiAgICBzZWxmLnBhdGgsIG1pbWVfdHlwZSwgc2VsZi5maWxlbmFtZSkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0NvbnRyaWJ1dGlvbnMvcGFwZXJsZXNzLW5nL3NyYy9kb2N1bWVudHMvcGFyc2Vycy5weSIsIGxpbmUgMzAyLCBpbiBnZXRfb3B0aW1pc2VkX3RodW1ibmFpbAogICAgdGh1bWJuYWlsID0gc2VsZi5nZXRfdGh1bWJuYWlsKGRvY3VtZW50X3BhdGgsIG1pbWVfdHlwZSwgZmlsZV9uYW1lKQogIEZpbGUgIi9Vc2Vycy9tb29uZXIvRG9jdW1lbnRzL1dvcmsvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmcvc3JjL3BhcGVybGVzc190ZXh0L3BhcnNlcnMucHkiLCBsaW5lIDI5LCBpbiBnZXRfdGh1bWJuYWlsCiAgICBsYXlvdXRfZW5naW5lPUltYWdlRm9udC5MQVlPVVRfQkFTSUMpCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9QSUwvSW1hZ2VGb250LnB5IiwgbGluZSA4NTIsIGluIHRydWV0eXBlCiAgICByZXR1cm4gZnJlZXR5cGUoZm9udCkKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL1BJTC9JbWFnZUZvbnQucHkiLCBsaW5lIDg0OSwgaW4gZnJlZXR5cGUKICAgIHJldHVybiBGcmVlVHlwZUZvbnQoZm9udCwgc2l6ZSwgaW5kZXgsIGVuY29kaW5nLCBsYXlvdXRfZW5naW5lKQogIEZpbGUgIi9Vc2Vycy9tb29uZXIvLmxvY2FsL3NoYXJlL3ZpcnR1YWxlbnZzL3BhcGVybGVzcy1uZy03NkJ1SmxFSS9saWIvcHl0aG9uMy42L3NpdGUtcGFja2FnZXMvUElML0ltYWdlRm9udC5weSIsIGxpbmUgMjEwLCBpbiBfX2luaXRfXwogICAgZm9udCwgc2l6ZSwgaW5kZXgsIGVuY29kaW5nLCBsYXlvdXRfZW5naW5lPWxheW91dF9lbmdpbmUKT1NFcnJvcjogY2Fubm90IG9wZW4gcmVzb3VyY2UKlC4=","group":null,"started":"2021-03-06T14:23:56.974715-08:00","stopped":"2021-03-06T14:24:28.011772-08:00","success":false,"attempt_count":1}},{"id":41,"type":"file","result":"commands.txt: Not consuming commands.txt: It is a duplicate. : Traceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ngx.nosync-udqDZzaE/lib/python3.8/site-packages/django_q/cluster.py\", line 432, in worker\n res = f(*task[\"args\"], **task[\"kwargs\"])\n File \"/Users/admin/Documents/paperless-ngx/src/documents/tasks.py\", line 70, in consume_file\n document = Consumer().try_consume_file(\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 199, in try_consume_file\n self.pre_check_duplicate()\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 97, in pre_check_duplicate\n self._fail(\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 69, in _fail\n raise ConsumerError(f\"{self.filename}: {log_message or message}\")\ndocuments.consumer.ConsumerError: commands.txt: Not consuming commands.txt: It is a duplicate.\n","status":"failed","task_id":"0af67672e8e14404b060d4cf8f69313d","name":"commands.txt","created":"2022-05-26T14:26:07.704247-07:00","acknowledged":null,"attempted_task":{"id":"0af67672e8e14404b060d4cf8f69313d","name":"commands.txt","func":"documents.tasks.consume_file","hook":null,"args":"gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtZ3h4YjNxODaUhZQu","kwargs":"gAWVuQAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwMY29tbWFuZHMudHh0lIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJDRkMjhmMmJiLTJkMzAtNGQzNi1iNjM5LWU2YzQ5OTU3OGVlY5R1Lg==","result":"gAWVLwQAAAAAAABYKAQAAGNvbW1hbmRzLnR4dDogTm90IGNvbnN1bWluZyBjb21tYW5kcy50eHQ6IEl0IGlzIGEgZHVwbGljYXRlLiA6IFRyYWNlYmFjayAobW9zdCByZWNlbnQgY2FsbCBsYXN0KToKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3Mtbmd4Lm5vc3luYy11ZHFEWnphRS9saWIvcHl0aG9uMy44L3NpdGUtcGFja2FnZXMvZGphbmdvX3EvY2x1c3Rlci5weSIsIGxpbmUgNDMyLCBpbiB3b3JrZXIKICAgIHJlcyA9IGYoKnRhc2tbImFyZ3MiXSwgKip0YXNrWyJrd2FyZ3MiXSkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0Rldi5ub3N5bmMvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmd4L3NyYy9kb2N1bWVudHMvdGFza3MucHkiLCBsaW5lIDcwLCBpbiBjb25zdW1lX2ZpbGUKICAgIGRvY3VtZW50ID0gQ29uc3VtZXIoKS50cnlfY29uc3VtZV9maWxlKAogIEZpbGUgIi9Vc2Vycy9tb29uZXIvRG9jdW1lbnRzL1dvcmsvRGV2Lm5vc3luYy9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZ3gvc3JjL2RvY3VtZW50cy9jb25zdW1lci5weSIsIGxpbmUgMTk5LCBpbiB0cnlfY29uc3VtZV9maWxlCiAgICBzZWxmLnByZV9jaGVja19kdXBsaWNhdGUoKQogIEZpbGUgIi9Vc2Vycy9tb29uZXIvRG9jdW1lbnRzL1dvcmsvRGV2Lm5vc3luYy9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZ3gvc3JjL2RvY3VtZW50cy9jb25zdW1lci5weSIsIGxpbmUgOTcsIGluIHByZV9jaGVja19kdXBsaWNhdGUKICAgIHNlbGYuX2ZhaWwoCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9EZXYubm9zeW5jL0NvbnRyaWJ1dGlvbnMvcGFwZXJsZXNzLW5neC9zcmMvZG9jdW1lbnRzL2NvbnN1bWVyLnB5IiwgbGluZSA2OSwgaW4gX2ZhaWwKICAgIHJhaXNlIENvbnN1bWVyRXJyb3IoZiJ7c2VsZi5maWxlbmFtZX06IHtsb2dfbWVzc2FnZSBvciBtZXNzYWdlfSIpCmRvY3VtZW50cy5jb25zdW1lci5Db25zdW1lckVycm9yOiBjb21tYW5kcy50eHQ6IE5vdCBjb25zdW1pbmcgY29tbWFuZHMudHh0OiBJdCBpcyBhIGR1cGxpY2F0ZS4KlC4=","group":null,"started":"2022-03-10T22:26:32.548772-08:00","stopped":"2022-03-10T22:26:32.879916-08:00","success":false,"attempt_count":1}},{"id":10,"type":"file","result":"Success. New document id 260 created","status":"complete","task_id":"b7629a0f41bd40c7a3ea4680341321b5","name":"2022-03-24+Sonstige+ScanPC2022-03-24_081058.pdf","created":"2022-05-26T14:26:07.670577-07:00","acknowledged":false,"attempted_task":{"id":"b7629a0f41bd40c7a3ea4680341321b5","name":"2022-03-24+Sonstige+ScanPC2022-03-24_081058.pdf","func":"documents.tasks.consume_file","hook":null,"args":"gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtc25mOW11ZW+UhZQu","kwargs":"gAWV3AAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwvMjAyMi0wMy0yNCtTb25zdGlnZStTY2FuUEMyMDIyLTAzLTI0XzA4MTA1OC5wZGaUjA5vdmVycmlkZV90aXRsZZROjBlvdmVycmlkZV9jb3JyZXNwb25kZW50X2lklE6MGW92ZXJyaWRlX2RvY3VtZW50X3R5cGVfaWSUTowQb3ZlcnJpZGVfdGFnX2lkc5ROjAd0YXNrX2lklIwkNTdmMmQwMGItY2Q0Ny00YzQ3LTlmOTctODFlOTllMTJhMjMylHUu","result":"gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjAgY3JlYXRlZJQu","group":null,"started":"2022-03-24T08:19:32.117861-07:00","stopped":"2022-03-24T08:20:10.239201-07:00","success":true,"attempt_count":1}},{"id":9,"type":"file","result":"Success. New document id 261 created","status":"complete","task_id":"02e276a86a424ccfb83309df5d8594be","name":"2sample-pdf-with-images.pdf","created":"2022-05-26T14:26:07.668987-07:00","acknowledged":false,"attempted_task":{"id":"02e276a86a424ccfb83309df5d8594be","name":"2sample-pdf-with-images.pdf","func":"documents.tasks.consume_file","hook":null,"args":"gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtaXJ3cjZzOGeUhZQu","kwargs":"gAWVyAAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwbMnNhbXBsZS1wZGYtd2l0aC1pbWFnZXMucGRmlIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJDFlYTczMjhhLTk3MjctNDJiMC1iMTEyLTAzZjU3MzQ2MmRiNpR1Lg==","result":"gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjEgY3JlYXRlZJQu","group":null,"started":"2022-03-28T23:12:41.286318-07:00","stopped":"2022-03-28T23:13:00.523505-07:00","success":true,"attempt_count":1}},{"id":8,"type":"file","result":"Success. New document id 262 created","status":"complete","task_id":"41229b8be9b445c0a523697d0f58f13e","name":"2sample-pdf-with-images_pw.pdf","created":"2022-05-26T14:26:07.667993-07:00","acknowledged":false,"attempted_task":{"id":"41229b8be9b445c0a523697d0f58f13e","name":"2sample-pdf-with-images_pw.pdf","func":"documents.tasks.consume_file","hook":null,"args":"gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtN2tfejA0MTGUhZQu","kwargs":"gAWVywAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIweMnNhbXBsZS1wZGYtd2l0aC1pbWFnZXNfcHcucGRmlIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJDk5YTgyOTc3LWU1MWUtNGJjYS04MjM4LTNkNzdhZTJhNjZmYZR1Lg==","result":"gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjIgY3JlYXRlZJQu","group":null,"started":"2022-03-28T23:43:53.171963-07:00","stopped":"2022-03-28T23:43:56.965257-07:00","success":true,"attempt_count":1}},{"id":6,"type":"file","result":"Success. New document id 264 created","status":"complete","task_id":"bbbca32d408c4619bd0b512a8327c773","name":"homebridge.log","created":"2022-05-26T14:26:07.665560-07:00","acknowledged":false,"attempted_task":{"id":"bbbca32d408c4619bd0b512a8327c773","name":"homebridge.log","func":"documents.tasks.consume_file","hook":null,"args":"gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQteGo4aW9zYXaUhZQu","kwargs":"gAWVuwAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwOaG9tZWJyaWRnZS5sb2eUjA5vdmVycmlkZV90aXRsZZROjBlvdmVycmlkZV9jb3JyZXNwb25kZW50X2lklE6MGW92ZXJyaWRlX2RvY3VtZW50X3R5cGVfaWSUTowQb3ZlcnJpZGVfdGFnX2lkc5ROjAd0YXNrX2lklIwkNzY0NzdhNWEtNzk0Ni00NWU0LWE3MDktNzQzNDg0ZDE2YTUxlHUu","result":"gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjQgY3JlYXRlZJQu","group":null,"started":"2022-03-29T22:56:16.053026-07:00","stopped":"2022-03-29T22:56:21.196179-07:00","success":true,"attempt_count":1}},{"id":5,"type":"file","result":"Success. New document id 265 created","status":"complete","task_id":"00ab285ab4bf482ab30c7d580b252ecb","name":"IMG_7459.PNG","created":"2022-05-26T14:26:07.664506-07:00","acknowledged":false,"attempted_task":{"id":"00ab285ab4bf482ab30c7d580b252ecb","name":"IMG_7459.PNG","func":"documents.tasks.consume_file","hook":null,"args":"gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtOGF5NDNfZjeUhZQu","kwargs":"gAWVuQAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwMSU1HXzc0NTkuUE5HlIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJDYxMTNhNzRlLTAwOWMtNGJhYi1hMjk1LTFmNjMwMzZmMTc4ZpR1Lg==","result":"gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjUgY3JlYXRlZJQu","group":null,"started":"2022-04-05T13:19:47.490282-07:00","stopped":"2022-04-05T13:21:36.782264-07:00","success":true,"attempt_count":1}},{"id":3,"type":"file","result":"Success. New document id 267 created","status":"complete","task_id":"289c5163cfec410db42948a0cacbeb9c","name":"IMG_7459.PNG","created":"2022-05-26T14:26:07.659661-07:00","acknowledged":false,"attempted_task":{"id":"289c5163cfec410db42948a0cacbeb9c","name":"IMG_7459.PNG","func":"documents.tasks.consume_file","hook":null,"args":"gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtNzRuY2p2aXGUhZQu","kwargs":"gAWVuQAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwMSU1HXzc0NTkuUE5HlIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJGZjZDljMmFlLWFhZmEtNGJmMC05M2Y5LWE3ZGQxYmEzYWM1NZR1Lg==","result":"gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjcgY3JlYXRlZJQu","group":null,"started":"2022-04-05T13:29:59.264441-07:00","stopped":"2022-04-05T13:30:28.336185-07:00","success":true,"attempt_count":1}},{"id":1,"type":"file","result":"Success. New document id 268 created","status":"complete","task_id":"7a4ebdb2bde04311935284027ef8ca65","name":"2019-08-04 DSA Questionnaire - 5-8-19.pdf","created":"2022-05-26T14:26:07.655276-07:00","acknowledged":false,"attempted_task":{"id":"7a4ebdb2bde04311935284027ef8ca65","name":"2019-08-04 DSA Questionnaire - 5-8-19.pdf","func":"documents.tasks.consume_file","hook":null,"args":"gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtdXpscHl2NnmUhZQu","kwargs":"gAWV1gAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwpMjAxOS0wOC0wNCBEU0EgUXVlc3Rpb25uYWlyZSAtIDUtOC0xOS5wZGaUjA5vdmVycmlkZV90aXRsZZROjBlvdmVycmlkZV9jb3JyZXNwb25kZW50X2lklE6MGW92ZXJyaWRlX2RvY3VtZW50X3R5cGVfaWSUTowQb3ZlcnJpZGVfdGFnX2lkc5ROjAd0YXNrX2lklIwkY2Q3YzBhZjgtN2Q4Ni00OGM0LTliNjgtNDQwMmQ4ZDZlOTNmlHUu","result":"gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjggY3JlYXRlZJQu","group":null,"started":"2022-04-28T21:01:04.275850-07:00","stopped":"2022-04-28T21:01:10.136884-07:00","success":true,"attempt_count":1}}] +[ + { + "id": 141, + "type": "file", + "result": "sample 2.pdf: Not consuming sample 2.pdf: It is a duplicate. : Traceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ngx.nosync-udqDZzaE/lib/python3.8/site-packages/django_q/cluster.py\", line 432, in worker\n res = f(*task[\"args\"], **task[\"kwargs\"])\n File \"/Users/admin/Documents/paperless-ngx/src/documents/tasks.py\", line 316, in consume_file\n document = Consumer().try_consume_file(\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 218, in try_consume_file\n self.pre_check_duplicate()\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 113, in pre_check_duplicate\n self._fail(\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 84, in _fail\n raise ConsumerError(f\"{self.filename}: {log_message or message}\")\ndocuments.consumer.ConsumerError: sample 2.pdf: Not consuming sample 2.pdf: It is a duplicate.\n", + "status": "FAILURE", + "task_id": "d8ddbe298a42427d82553206ddf0bc94", + "name": "sample 2.pdf", + "created": "2022-05-26T23:17:38.333474-07:00", + "acknowledged": false, + "attempted_task": { + "id": "d8ddbe298a42427d82553206ddf0bc94", + "name": "sample 2.pdf", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtanJxNGs1aHOUhZQu", + "kwargs": "gAWVzQAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwMc2FtcGxlIDIucGRmlIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJDcyMGExYjI5LWI2OTYtNDY3My05Y2ZmLTJkY2ZiZWNmNWViMpSMEG92ZXJyaWRlX2NyZWF0ZWSUTnUu", + "result": "gAWVMQQAAAAAAABYKgQAAHNhbXBsZSAyLnBkZjogTm90IGNvbnN1bWluZyBzYW1wbGUgMi5wZGY6IEl0IGlzIGEgZHVwbGljYXRlLiA6IFRyYWNlYmFjayAobW9zdCByZWNlbnQgY2FsbCBsYXN0KToKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3Mtbmd4Lm5vc3luYy11ZHFEWnphRS9saWIvcHl0aG9uMy44L3NpdGUtcGFja2FnZXMvZGphbmdvX3EvY2x1c3Rlci5weSIsIGxpbmUgNDMyLCBpbiB3b3JrZXIKICAgIHJlcyA9IGYoKnRhc2tbImFyZ3MiXSwgKip0YXNrWyJrd2FyZ3MiXSkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0Rldi5ub3N5bmMvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmd4L3NyYy9kb2N1bWVudHMvdGFza3MucHkiLCBsaW5lIDMxNiwgaW4gY29uc3VtZV9maWxlCiAgICBkb2N1bWVudCA9IENvbnN1bWVyKCkudHJ5X2NvbnN1bWVfZmlsZSgKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0Rldi5ub3N5bmMvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmd4L3NyYy9kb2N1bWVudHMvY29uc3VtZXIucHkiLCBsaW5lIDIxOCwgaW4gdHJ5X2NvbnN1bWVfZmlsZQogICAgc2VsZi5wcmVfY2hlY2tfZHVwbGljYXRlKCkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0Rldi5ub3N5bmMvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmd4L3NyYy9kb2N1bWVudHMvY29uc3VtZXIucHkiLCBsaW5lIDExMywgaW4gcHJlX2NoZWNrX2R1cGxpY2F0ZQogICAgc2VsZi5fZmFpbCgKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0Rldi5ub3N5bmMvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmd4L3NyYy9kb2N1bWVudHMvY29uc3VtZXIucHkiLCBsaW5lIDg0LCBpbiBfZmFpbAogICAgcmFpc2UgQ29uc3VtZXJFcnJvcihmIntzZWxmLmZpbGVuYW1lfToge2xvZ19tZXNzYWdlIG9yIG1lc3NhZ2V9IikKZG9jdW1lbnRzLmNvbnN1bWVyLkNvbnN1bWVyRXJyb3I6IHNhbXBsZSAyLnBkZjogTm90IGNvbnN1bWluZyBzYW1wbGUgMi5wZGY6IEl0IGlzIGEgZHVwbGljYXRlLgqULg==", + "group": null, + "started": "2022-05-26T23:17:37.702432-07:00", + "stopped": "2022-05-26T23:17:38.313306-07:00", + "success": false, + "attempt_count": 1 + } + }, + { + "id": 132, + "type": "file", + "result": " : Traceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/subprocess.py\", line 131, in get_version\n env=env,\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/subprocess.py\", line 68, in run\n proc = subprocess_run(args, env=env, **kwargs)\n File \"/Users/admin/opt/anaconda3/envs/paperless-ng/lib/python3.6/subprocess.py\", line 423, in run\n with Popen(*popenargs, **kwargs) as process:\n File \"/Users/admin/opt/anaconda3/envs/paperless-ng/lib/python3.6/subprocess.py\", line 729, in __init__\n restore_signals, start_new_session)\n File \"/Users/admin/opt/anaconda3/envs/paperless-ng/lib/python3.6/subprocess.py\", line 1364, in _execute_child\n raise child_exception_type(errno_num, err_msg, err_filename)\nFileNotFoundError: [Errno 2] No such file or directory: 'unpaper': 'unpaper'\n\nThe above exception was the direct cause of the following exception:\n\nTraceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/subprocess.py\", line 287, in check_external_program\n found_version = version_checker()\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/_exec/unpaper.py\", line 34, in version\n return get_version('unpaper')\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/subprocess.py\", line 137, in get_version\n ) from e\nocrmypdf.exceptions.MissingDependencyError: Could not find program 'unpaper' on the PATH\n\nDuring handling of the above exception, another exception occurred:\n\nTraceback (most recent call last):\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/paperless_tesseract/parsers.py\", line 176, in parse\n ocrmypdf.ocr(**ocr_args)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/api.py\", line 315, in ocr\n check_options(options, plugin_manager)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/_validation.py\", line 260, in check_options\n _check_options(options, plugin_manager, ocr_engine_languages)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/_validation.py\", line 250, in _check_options\n check_options_preprocessing(options)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/_validation.py\", line 128, in check_options_preprocessing\n required_for=['--clean, --clean-final'],\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/ocrmypdf/subprocess.py\", line 293, in check_external_program\n raise MissingDependencyError()\nocrmypdf.exceptions.MissingDependencyError\n\nDuring handling of the above exception, another exception occurred:\n\nTraceback (most recent call last):\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 179, in try_consume_file\n document_parser.parse(self.path, mime_type, self.filename)\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/paperless_tesseract/parsers.py\", line 197, in parse\n raise ParseError(e)\ndocuments.parsers.ParseError\n\nDuring handling of the above exception, another exception occurred:\n\nTraceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/django_q/cluster.py\", line 436, in worker\n res = f(*task[\"args\"], **task[\"kwargs\"])\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/tasks.py\", line 73, in consume_file\n override_tag_ids=override_tag_ids)\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 196, in try_consume_file\n raise ConsumerError(e)\ndocuments.consumer.ConsumerError\n", + "status": "FAILURE", + "task_id": "4c554075552c4cc985abd76e6f274c90", + "name": "pdf-sample 10.24.48 PM.pdf", + "created": "2022-05-26T14:26:07.846365-07:00", + "acknowledged": null, + "attempted_task": { + "id": "4c554075552c4cc985abd76e6f274c90", + "name": "pdf-sample 10.24.48 PM.pdf", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVKwAAAAAAAACMJS4uL2NvbnN1bWUvcGRmLXNhbXBsZSAxMC4yNC40OCBQTS5wZGaUhZQu", + "kwargs": "gAWVGAAAAAAAAAB9lIwQb3ZlcnJpZGVfdGFnX2lkc5ROcy4=", + "result": "gAWVzA8AAAAAAABYxQ8AACA6IFRyYWNlYmFjayAobW9zdCByZWNlbnQgY2FsbCBsYXN0KToKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL29jcm15cGRmL3N1YnByb2Nlc3MucHkiLCBsaW5lIDEzMSwgaW4gZ2V0X3ZlcnNpb24KICAgIGVudj1lbnYsCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9zdWJwcm9jZXNzLnB5IiwgbGluZSA2OCwgaW4gcnVuCiAgICBwcm9jID0gc3VicHJvY2Vzc19ydW4oYXJncywgZW52PWVudiwgKiprd2FyZ3MpCiAgRmlsZSAiL1VzZXJzL21vb25lci9vcHQvYW5hY29uZGEzL2VudnMvcGFwZXJsZXNzLW5nL2xpYi9weXRob24zLjYvc3VicHJvY2Vzcy5weSIsIGxpbmUgNDIzLCBpbiBydW4KICAgIHdpdGggUG9wZW4oKnBvcGVuYXJncywgKiprd2FyZ3MpIGFzIHByb2Nlc3M6CiAgRmlsZSAiL1VzZXJzL21vb25lci9vcHQvYW5hY29uZGEzL2VudnMvcGFwZXJsZXNzLW5nL2xpYi9weXRob24zLjYvc3VicHJvY2Vzcy5weSIsIGxpbmUgNzI5LCBpbiBfX2luaXRfXwogICAgcmVzdG9yZV9zaWduYWxzLCBzdGFydF9uZXdfc2Vzc2lvbikKICBGaWxlICIvVXNlcnMvbW9vbmVyL29wdC9hbmFjb25kYTMvZW52cy9wYXBlcmxlc3MtbmcvbGliL3B5dGhvbjMuNi9zdWJwcm9jZXNzLnB5IiwgbGluZSAxMzY0LCBpbiBfZXhlY3V0ZV9jaGlsZAogICAgcmFpc2UgY2hpbGRfZXhjZXB0aW9uX3R5cGUoZXJybm9fbnVtLCBlcnJfbXNnLCBlcnJfZmlsZW5hbWUpCkZpbGVOb3RGb3VuZEVycm9yOiBbRXJybm8gMl0gTm8gc3VjaCBmaWxlIG9yIGRpcmVjdG9yeTogJ3VucGFwZXInOiAndW5wYXBlcicKClRoZSBhYm92ZSBleGNlcHRpb24gd2FzIHRoZSBkaXJlY3QgY2F1c2Ugb2YgdGhlIGZvbGxvd2luZyBleGNlcHRpb246CgpUcmFjZWJhY2sgKG1vc3QgcmVjZW50IGNhbGwgbGFzdCk6CiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9zdWJwcm9jZXNzLnB5IiwgbGluZSAyODcsIGluIGNoZWNrX2V4dGVybmFsX3Byb2dyYW0KICAgIGZvdW5kX3ZlcnNpb24gPSB2ZXJzaW9uX2NoZWNrZXIoKQogIEZpbGUgIi9Vc2Vycy9tb29uZXIvLmxvY2FsL3NoYXJlL3ZpcnR1YWxlbnZzL3BhcGVybGVzcy1uZy03NkJ1SmxFSS9saWIvcHl0aG9uMy42L3NpdGUtcGFja2FnZXMvb2NybXlwZGYvX2V4ZWMvdW5wYXBlci5weSIsIGxpbmUgMzQsIGluIHZlcnNpb24KICAgIHJldHVybiBnZXRfdmVyc2lvbigndW5wYXBlcicpCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9zdWJwcm9jZXNzLnB5IiwgbGluZSAxMzcsIGluIGdldF92ZXJzaW9uCiAgICApIGZyb20gZQpvY3JteXBkZi5leGNlcHRpb25zLk1pc3NpbmdEZXBlbmRlbmN5RXJyb3I6IENvdWxkIG5vdCBmaW5kIHByb2dyYW0gJ3VucGFwZXInIG9uIHRoZSBQQVRICgpEdXJpbmcgaGFuZGxpbmcgb2YgdGhlIGFib3ZlIGV4Y2VwdGlvbiwgYW5vdGhlciBleGNlcHRpb24gb2NjdXJyZWQ6CgpUcmFjZWJhY2sgKG1vc3QgcmVjZW50IGNhbGwgbGFzdCk6CiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvcGFwZXJsZXNzX3Rlc3NlcmFjdC9wYXJzZXJzLnB5IiwgbGluZSAxNzYsIGluIHBhcnNlCiAgICBvY3JteXBkZi5vY3IoKipvY3JfYXJncykKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL29jcm15cGRmL2FwaS5weSIsIGxpbmUgMzE1LCBpbiBvY3IKICAgIGNoZWNrX29wdGlvbnMob3B0aW9ucywgcGx1Z2luX21hbmFnZXIpCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9fdmFsaWRhdGlvbi5weSIsIGxpbmUgMjYwLCBpbiBjaGVja19vcHRpb25zCiAgICBfY2hlY2tfb3B0aW9ucyhvcHRpb25zLCBwbHVnaW5fbWFuYWdlciwgb2NyX2VuZ2luZV9sYW5ndWFnZXMpCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9fdmFsaWRhdGlvbi5weSIsIGxpbmUgMjUwLCBpbiBfY2hlY2tfb3B0aW9ucwogICAgY2hlY2tfb3B0aW9uc19wcmVwcm9jZXNzaW5nKG9wdGlvbnMpCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9vY3JteXBkZi9fdmFsaWRhdGlvbi5weSIsIGxpbmUgMTI4LCBpbiBjaGVja19vcHRpb25zX3ByZXByb2Nlc3NpbmcKICAgIHJlcXVpcmVkX2Zvcj1bJy0tY2xlYW4sIC0tY2xlYW4tZmluYWwnXSwKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL29jcm15cGRmL3N1YnByb2Nlc3MucHkiLCBsaW5lIDI5MywgaW4gY2hlY2tfZXh0ZXJuYWxfcHJvZ3JhbQogICAgcmFpc2UgTWlzc2luZ0RlcGVuZGVuY3lFcnJvcigpCm9jcm15cGRmLmV4Y2VwdGlvbnMuTWlzc2luZ0RlcGVuZGVuY3lFcnJvcgoKRHVyaW5nIGhhbmRsaW5nIG9mIHRoZSBhYm92ZSBleGNlcHRpb24sIGFub3RoZXIgZXhjZXB0aW9uIG9jY3VycmVkOgoKVHJhY2ViYWNrIChtb3N0IHJlY2VudCBjYWxsIGxhc3QpOgogIEZpbGUgIi9Vc2Vycy9tb29uZXIvRG9jdW1lbnRzL1dvcmsvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmcvc3JjL2RvY3VtZW50cy9jb25zdW1lci5weSIsIGxpbmUgMTc5LCBpbiB0cnlfY29uc3VtZV9maWxlCiAgICBkb2N1bWVudF9wYXJzZXIucGFyc2Uoc2VsZi5wYXRoLCBtaW1lX3R5cGUsIHNlbGYuZmlsZW5hbWUpCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvcGFwZXJsZXNzX3Rlc3NlcmFjdC9wYXJzZXJzLnB5IiwgbGluZSAxOTcsIGluIHBhcnNlCiAgICByYWlzZSBQYXJzZUVycm9yKGUpCmRvY3VtZW50cy5wYXJzZXJzLlBhcnNlRXJyb3IKCkR1cmluZyBoYW5kbGluZyBvZiB0aGUgYWJvdmUgZXhjZXB0aW9uLCBhbm90aGVyIGV4Y2VwdGlvbiBvY2N1cnJlZDoKClRyYWNlYmFjayAobW9zdCByZWNlbnQgY2FsbCBsYXN0KToKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL2RqYW5nb19xL2NsdXN0ZXIucHkiLCBsaW5lIDQzNiwgaW4gd29ya2VyCiAgICByZXMgPSBmKCp0YXNrWyJhcmdzIl0sICoqdGFza1sia3dhcmdzIl0pCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvZG9jdW1lbnRzL3Rhc2tzLnB5IiwgbGluZSA3MywgaW4gY29uc3VtZV9maWxlCiAgICBvdmVycmlkZV90YWdfaWRzPW92ZXJyaWRlX3RhZ19pZHMpCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvZG9jdW1lbnRzL2NvbnN1bWVyLnB5IiwgbGluZSAxOTYsIGluIHRyeV9jb25zdW1lX2ZpbGUKICAgIHJhaXNlIENvbnN1bWVyRXJyb3IoZSkKZG9jdW1lbnRzLmNvbnN1bWVyLkNvbnN1bWVyRXJyb3IKlC4=", + "group": null, + "started": "2021-01-20T10:47:34.535478-08:00", + "stopped": "2021-01-20T10:49:55.568010-08:00", + "success": false, + "attempt_count": 1 + } + }, + { + "id": 115, + "type": "file", + "result": "2021-01-24 2021-01-20 sample_wide_orange.pdf: Document is a duplicate : Traceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/django_q/cluster.py\", line 436, in worker\n res = f(*task[\"args\"], **task[\"kwargs\"])\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/tasks.py\", line 75, in consume_file\n task_id=task_id\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 168, in try_consume_file\n self.pre_check_duplicate()\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 85, in pre_check_duplicate\n self._fail(\"Document is a duplicate\")\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 53, in _fail\n raise ConsumerError(f\"{self.filename}: {message}\")\ndocuments.consumer.ConsumerError: 2021-01-24 2021-01-20 sample_wide_orange.pdf: Document is a duplicate\n", + "status": "FAILURE", + "task_id": "86494713646a4364b01da17aadca071d", + "name": "2021-01-24 2021-01-20 sample_wide_orange.pdf", + "created": "2022-05-26T14:26:07.817608-07:00", + "acknowledged": null, + "attempted_task": { + "id": "86494713646a4364b01da17aadca071d", + "name": "2021-01-24 2021-01-20 sample_wide_orange.pdf", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtcTJ6NDlnbzaUhZQu", + "kwargs": "gAWV2QAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwsMjAyMS0wMS0yNCAyMDIxLTAxLTIwIHNhbXBsZV93aWRlX29yYW5nZS5wZGaUjA5vdmVycmlkZV90aXRsZZROjBlvdmVycmlkZV9jb3JyZXNwb25kZW50X2lklE6MGW92ZXJyaWRlX2RvY3VtZW50X3R5cGVfaWSUTowQb3ZlcnJpZGVfdGFnX2lkc5ROjAd0YXNrX2lklIwkN2MwZTY1MmQtZDhkYy00OWU4LWI1ZmUtOGM3ZTkyZDlmOTI0lHUu", + "result": "gAWV/AMAAAAAAABY9QMAADIwMjEtMDEtMjQgMjAyMS0wMS0yMCBzYW1wbGVfd2lkZV9vcmFuZ2UucGRmOiBEb2N1bWVudCBpcyBhIGR1cGxpY2F0ZSA6IFRyYWNlYmFjayAobW9zdCByZWNlbnQgY2FsbCBsYXN0KToKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL2RqYW5nb19xL2NsdXN0ZXIucHkiLCBsaW5lIDQzNiwgaW4gd29ya2VyCiAgICByZXMgPSBmKCp0YXNrWyJhcmdzIl0sICoqdGFza1sia3dhcmdzIl0pCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvZG9jdW1lbnRzL3Rhc2tzLnB5IiwgbGluZSA3NSwgaW4gY29uc3VtZV9maWxlCiAgICB0YXNrX2lkPXRhc2tfaWQKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0NvbnRyaWJ1dGlvbnMvcGFwZXJsZXNzLW5nL3NyYy9kb2N1bWVudHMvY29uc3VtZXIucHkiLCBsaW5lIDE2OCwgaW4gdHJ5X2NvbnN1bWVfZmlsZQogICAgc2VsZi5wcmVfY2hlY2tfZHVwbGljYXRlKCkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0NvbnRyaWJ1dGlvbnMvcGFwZXJsZXNzLW5nL3NyYy9kb2N1bWVudHMvY29uc3VtZXIucHkiLCBsaW5lIDg1LCBpbiBwcmVfY2hlY2tfZHVwbGljYXRlCiAgICBzZWxmLl9mYWlsKCJEb2N1bWVudCBpcyBhIGR1cGxpY2F0ZSIpCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZy9zcmMvZG9jdW1lbnRzL2NvbnN1bWVyLnB5IiwgbGluZSA1MywgaW4gX2ZhaWwKICAgIHJhaXNlIENvbnN1bWVyRXJyb3IoZiJ7c2VsZi5maWxlbmFtZX06IHttZXNzYWdlfSIpCmRvY3VtZW50cy5jb25zdW1lci5Db25zdW1lckVycm9yOiAyMDIxLTAxLTI0IDIwMjEtMDEtMjAgc2FtcGxlX3dpZGVfb3JhbmdlLnBkZjogRG9jdW1lbnQgaXMgYSBkdXBsaWNhdGUKlC4=", + "group": null, + "started": "2021-01-26T00:21:05.379583-08:00", + "stopped": "2021-01-26T00:21:06.449626-08:00", + "success": false, + "attempt_count": 1 + } + }, + { + "id": 85, + "type": "file", + "result": "cannot open resource : Traceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/django_q/cluster.py\", line 436, in worker\n res = f(*task[\"args\"], **task[\"kwargs\"])\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/tasks.py\", line 81, in consume_file\n task_id=task_id\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/consumer.py\", line 244, in try_consume_file\n self.path, mime_type, self.filename)\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/documents/parsers.py\", line 302, in get_optimised_thumbnail\n thumbnail = self.get_thumbnail(document_path, mime_type, file_name)\n File \"/Users/admin/Documents/Work/Contributions/paperless-ng/src/paperless_text/parsers.py\", line 29, in get_thumbnail\n layout_engine=ImageFont.LAYOUT_BASIC)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/PIL/ImageFont.py\", line 852, in truetype\n return freetype(font)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/PIL/ImageFont.py\", line 849, in freetype\n return FreeTypeFont(font, size, index, encoding, layout_engine)\n File \"/Users/admin/.local/share/virtualenvs/paperless-ng/lib/python3.6/site-packages/PIL/ImageFont.py\", line 210, in __init__\n font, size, index, encoding, layout_engine=layout_engine\nOSError: cannot open resource\n", + "status": "FAILURE", + "task_id": "abca803fa46342e1ac81f3d3f2080e79", + "name": "simple.txt", + "created": "2022-05-26T14:26:07.771541-07:00", + "acknowledged": null, + "attempted_task": { + "id": "abca803fa46342e1ac81f3d3f2080e79", + "name": "simple.txt", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtd2RhbnB5NnGUhZQu", + "kwargs": "gAWVtwAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwKc2ltcGxlLnR4dJSMDm92ZXJyaWRlX3RpdGxllE6MGW92ZXJyaWRlX2NvcnJlc3BvbmRlbnRfaWSUTowZb3ZlcnJpZGVfZG9jdW1lbnRfdHlwZV9pZJROjBBvdmVycmlkZV90YWdfaWRzlE6MB3Rhc2tfaWSUjCQ3ZGE0OTU4ZC0zM2UwLTQ1OGMtYTE0ZC1kMmU0NmE0NWY4Y2SUdS4=", + "result": "gAWV5QUAAAAAAABY3gUAAGNhbm5vdCBvcGVuIHJlc291cmNlIDogVHJhY2ViYWNrIChtb3N0IHJlY2VudCBjYWxsIGxhc3QpOgogIEZpbGUgIi9Vc2Vycy9tb29uZXIvLmxvY2FsL3NoYXJlL3ZpcnR1YWxlbnZzL3BhcGVybGVzcy1uZy03NkJ1SmxFSS9saWIvcHl0aG9uMy42L3NpdGUtcGFja2FnZXMvZGphbmdvX3EvY2x1c3Rlci5weSIsIGxpbmUgNDM2LCBpbiB3b3JrZXIKICAgIHJlcyA9IGYoKnRhc2tbImFyZ3MiXSwgKip0YXNrWyJrd2FyZ3MiXSkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0NvbnRyaWJ1dGlvbnMvcGFwZXJsZXNzLW5nL3NyYy9kb2N1bWVudHMvdGFza3MucHkiLCBsaW5lIDgxLCBpbiBjb25zdW1lX2ZpbGUKICAgIHRhc2tfaWQ9dGFza19pZAogIEZpbGUgIi9Vc2Vycy9tb29uZXIvRG9jdW1lbnRzL1dvcmsvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmcvc3JjL2RvY3VtZW50cy9jb25zdW1lci5weSIsIGxpbmUgMjQ0LCBpbiB0cnlfY29uc3VtZV9maWxlCiAgICBzZWxmLnBhdGgsIG1pbWVfdHlwZSwgc2VsZi5maWxlbmFtZSkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0NvbnRyaWJ1dGlvbnMvcGFwZXJsZXNzLW5nL3NyYy9kb2N1bWVudHMvcGFyc2Vycy5weSIsIGxpbmUgMzAyLCBpbiBnZXRfb3B0aW1pc2VkX3RodW1ibmFpbAogICAgdGh1bWJuYWlsID0gc2VsZi5nZXRfdGh1bWJuYWlsKGRvY3VtZW50X3BhdGgsIG1pbWVfdHlwZSwgZmlsZV9uYW1lKQogIEZpbGUgIi9Vc2Vycy9tb29uZXIvRG9jdW1lbnRzL1dvcmsvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmcvc3JjL3BhcGVybGVzc190ZXh0L3BhcnNlcnMucHkiLCBsaW5lIDI5LCBpbiBnZXRfdGh1bWJuYWlsCiAgICBsYXlvdXRfZW5naW5lPUltYWdlRm9udC5MQVlPVVRfQkFTSUMpCiAgRmlsZSAiL1VzZXJzL21vb25lci8ubG9jYWwvc2hhcmUvdmlydHVhbGVudnMvcGFwZXJsZXNzLW5nLTc2QnVKbEVJL2xpYi9weXRob24zLjYvc2l0ZS1wYWNrYWdlcy9QSUwvSW1hZ2VGb250LnB5IiwgbGluZSA4NTIsIGluIHRydWV0eXBlCiAgICByZXR1cm4gZnJlZXR5cGUoZm9udCkKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3MtbmctNzZCdUpsRUkvbGliL3B5dGhvbjMuNi9zaXRlLXBhY2thZ2VzL1BJTC9JbWFnZUZvbnQucHkiLCBsaW5lIDg0OSwgaW4gZnJlZXR5cGUKICAgIHJldHVybiBGcmVlVHlwZUZvbnQoZm9udCwgc2l6ZSwgaW5kZXgsIGVuY29kaW5nLCBsYXlvdXRfZW5naW5lKQogIEZpbGUgIi9Vc2Vycy9tb29uZXIvLmxvY2FsL3NoYXJlL3ZpcnR1YWxlbnZzL3BhcGVybGVzcy1uZy03NkJ1SmxFSS9saWIvcHl0aG9uMy42L3NpdGUtcGFja2FnZXMvUElML0ltYWdlRm9udC5weSIsIGxpbmUgMjEwLCBpbiBfX2luaXRfXwogICAgZm9udCwgc2l6ZSwgaW5kZXgsIGVuY29kaW5nLCBsYXlvdXRfZW5naW5lPWxheW91dF9lbmdpbmUKT1NFcnJvcjogY2Fubm90IG9wZW4gcmVzb3VyY2UKlC4=", + "group": null, + "started": "2021-03-06T14:23:56.974715-08:00", + "stopped": "2021-03-06T14:24:28.011772-08:00", + "success": false, + "attempt_count": 1 + } + }, + { + "id": 41, + "type": "file", + "result": "commands.txt: Not consuming commands.txt: It is a duplicate. : Traceback (most recent call last):\n File \"/Users/admin/.local/share/virtualenvs/paperless-ngx.nosync-udqDZzaE/lib/python3.8/site-packages/django_q/cluster.py\", line 432, in worker\n res = f(*task[\"args\"], **task[\"kwargs\"])\n File \"/Users/admin/Documents/paperless-ngx/src/documents/tasks.py\", line 70, in consume_file\n document = Consumer().try_consume_file(\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 199, in try_consume_file\n self.pre_check_duplicate()\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 97, in pre_check_duplicate\n self._fail(\n File \"/Users/admin/Documents/paperless-ngx/src/documents/consumer.py\", line 69, in _fail\n raise ConsumerError(f\"{self.filename}: {log_message or message}\")\ndocuments.consumer.ConsumerError: commands.txt: Not consuming commands.txt: It is a duplicate.\n", + "status": "FAILURE", + "task_id": "0af67672e8e14404b060d4cf8f69313d", + "name": "commands.txt", + "created": "2022-05-26T14:26:07.704247-07:00", + "acknowledged": null, + "attempted_task": { + "id": "0af67672e8e14404b060d4cf8f69313d", + "name": "commands.txt", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtZ3h4YjNxODaUhZQu", + "kwargs": "gAWVuQAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwMY29tbWFuZHMudHh0lIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJDRkMjhmMmJiLTJkMzAtNGQzNi1iNjM5LWU2YzQ5OTU3OGVlY5R1Lg==", + "result": "gAWVLwQAAAAAAABYKAQAAGNvbW1hbmRzLnR4dDogTm90IGNvbnN1bWluZyBjb21tYW5kcy50eHQ6IEl0IGlzIGEgZHVwbGljYXRlLiA6IFRyYWNlYmFjayAobW9zdCByZWNlbnQgY2FsbCBsYXN0KToKICBGaWxlICIvVXNlcnMvbW9vbmVyLy5sb2NhbC9zaGFyZS92aXJ0dWFsZW52cy9wYXBlcmxlc3Mtbmd4Lm5vc3luYy11ZHFEWnphRS9saWIvcHl0aG9uMy44L3NpdGUtcGFja2FnZXMvZGphbmdvX3EvY2x1c3Rlci5weSIsIGxpbmUgNDMyLCBpbiB3b3JrZXIKICAgIHJlcyA9IGYoKnRhc2tbImFyZ3MiXSwgKip0YXNrWyJrd2FyZ3MiXSkKICBGaWxlICIvVXNlcnMvbW9vbmVyL0RvY3VtZW50cy9Xb3JrL0Rldi5ub3N5bmMvQ29udHJpYnV0aW9ucy9wYXBlcmxlc3Mtbmd4L3NyYy9kb2N1bWVudHMvdGFza3MucHkiLCBsaW5lIDcwLCBpbiBjb25zdW1lX2ZpbGUKICAgIGRvY3VtZW50ID0gQ29uc3VtZXIoKS50cnlfY29uc3VtZV9maWxlKAogIEZpbGUgIi9Vc2Vycy9tb29uZXIvRG9jdW1lbnRzL1dvcmsvRGV2Lm5vc3luYy9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZ3gvc3JjL2RvY3VtZW50cy9jb25zdW1lci5weSIsIGxpbmUgMTk5LCBpbiB0cnlfY29uc3VtZV9maWxlCiAgICBzZWxmLnByZV9jaGVja19kdXBsaWNhdGUoKQogIEZpbGUgIi9Vc2Vycy9tb29uZXIvRG9jdW1lbnRzL1dvcmsvRGV2Lm5vc3luYy9Db250cmlidXRpb25zL3BhcGVybGVzcy1uZ3gvc3JjL2RvY3VtZW50cy9jb25zdW1lci5weSIsIGxpbmUgOTcsIGluIHByZV9jaGVja19kdXBsaWNhdGUKICAgIHNlbGYuX2ZhaWwoCiAgRmlsZSAiL1VzZXJzL21vb25lci9Eb2N1bWVudHMvV29yay9EZXYubm9zeW5jL0NvbnRyaWJ1dGlvbnMvcGFwZXJsZXNzLW5neC9zcmMvZG9jdW1lbnRzL2NvbnN1bWVyLnB5IiwgbGluZSA2OSwgaW4gX2ZhaWwKICAgIHJhaXNlIENvbnN1bWVyRXJyb3IoZiJ7c2VsZi5maWxlbmFtZX06IHtsb2dfbWVzc2FnZSBvciBtZXNzYWdlfSIpCmRvY3VtZW50cy5jb25zdW1lci5Db25zdW1lckVycm9yOiBjb21tYW5kcy50eHQ6IE5vdCBjb25zdW1pbmcgY29tbWFuZHMudHh0OiBJdCBpcyBhIGR1cGxpY2F0ZS4KlC4=", + "group": null, + "started": "2022-03-10T22:26:32.548772-08:00", + "stopped": "2022-03-10T22:26:32.879916-08:00", + "success": false, + "attempt_count": 1 + } + }, + { + "id": 10, + "type": "file", + "result": "Success. New document id 260 created", + "status": "SUCCESS", + "task_id": "b7629a0f41bd40c7a3ea4680341321b5", + "name": "2022-03-24+Sonstige+ScanPC2022-03-24_081058.pdf", + "created": "2022-05-26T14:26:07.670577-07:00", + "acknowledged": false, + "attempted_task": { + "id": "b7629a0f41bd40c7a3ea4680341321b5", + "name": "2022-03-24+Sonstige+ScanPC2022-03-24_081058.pdf", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtc25mOW11ZW+UhZQu", + "kwargs": "gAWV3AAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwvMjAyMi0wMy0yNCtTb25zdGlnZStTY2FuUEMyMDIyLTAzLTI0XzA4MTA1OC5wZGaUjA5vdmVycmlkZV90aXRsZZROjBlvdmVycmlkZV9jb3JyZXNwb25kZW50X2lklE6MGW92ZXJyaWRlX2RvY3VtZW50X3R5cGVfaWSUTowQb3ZlcnJpZGVfdGFnX2lkc5ROjAd0YXNrX2lklIwkNTdmMmQwMGItY2Q0Ny00YzQ3LTlmOTctODFlOTllMTJhMjMylHUu", + "result": "gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjAgY3JlYXRlZJQu", + "group": null, + "started": "2022-03-24T08:19:32.117861-07:00", + "stopped": "2022-03-24T08:20:10.239201-07:00", + "success": true, + "attempt_count": 1 + } + }, + { + "id": 9, + "type": "file", + "result": "Success. New document id 261 created", + "status": "SUCCESS", + "task_id": "02e276a86a424ccfb83309df5d8594be", + "name": "2sample-pdf-with-images.pdf", + "created": "2022-05-26T14:26:07.668987-07:00", + "acknowledged": false, + "attempted_task": { + "id": "02e276a86a424ccfb83309df5d8594be", + "name": "2sample-pdf-with-images.pdf", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtaXJ3cjZzOGeUhZQu", + "kwargs": "gAWVyAAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwbMnNhbXBsZS1wZGYtd2l0aC1pbWFnZXMucGRmlIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJDFlYTczMjhhLTk3MjctNDJiMC1iMTEyLTAzZjU3MzQ2MmRiNpR1Lg==", + "result": "gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjEgY3JlYXRlZJQu", + "group": null, + "started": "2022-03-28T23:12:41.286318-07:00", + "stopped": "2022-03-28T23:13:00.523505-07:00", + "success": true, + "attempt_count": 1 + } + }, + { + "id": 8, + "type": "file", + "result": "Success. New document id 262 created", + "status": "SUCCESS", + "task_id": "41229b8be9b445c0a523697d0f58f13e", + "name": "2sample-pdf-with-images_pw.pdf", + "created": "2022-05-26T14:26:07.667993-07:00", + "acknowledged": false, + "attempted_task": { + "id": "41229b8be9b445c0a523697d0f58f13e", + "name": "2sample-pdf-with-images_pw.pdf", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtN2tfejA0MTGUhZQu", + "kwargs": "gAWVywAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIweMnNhbXBsZS1wZGYtd2l0aC1pbWFnZXNfcHcucGRmlIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJDk5YTgyOTc3LWU1MWUtNGJjYS04MjM4LTNkNzdhZTJhNjZmYZR1Lg==", + "result": "gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjIgY3JlYXRlZJQu", + "group": null, + "started": "2022-03-28T23:43:53.171963-07:00", + "stopped": "2022-03-28T23:43:56.965257-07:00", + "success": true, + "attempt_count": 1 + } + }, + { + "id": 6, + "type": "file", + "result": "Success. New document id 264 created", + "status": "SUCCESS", + "task_id": "bbbca32d408c4619bd0b512a8327c773", + "name": "homebridge.log", + "created": "2022-05-26T14:26:07.665560-07:00", + "acknowledged": false, + "attempted_task": { + "id": "bbbca32d408c4619bd0b512a8327c773", + "name": "homebridge.log", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQteGo4aW9zYXaUhZQu", + "kwargs": "gAWVuwAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwOaG9tZWJyaWRnZS5sb2eUjA5vdmVycmlkZV90aXRsZZROjBlvdmVycmlkZV9jb3JyZXNwb25kZW50X2lklE6MGW92ZXJyaWRlX2RvY3VtZW50X3R5cGVfaWSUTowQb3ZlcnJpZGVfdGFnX2lkc5ROjAd0YXNrX2lklIwkNzY0NzdhNWEtNzk0Ni00NWU0LWE3MDktNzQzNDg0ZDE2YTUxlHUu", + "result": "gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjQgY3JlYXRlZJQu", + "group": null, + "started": "2022-03-29T22:56:16.053026-07:00", + "stopped": "2022-03-29T22:56:21.196179-07:00", + "success": true, + "attempt_count": 1 + } + }, + { + "id": 5, + "type": "file", + "result": "Success. New document id 265 created", + "status": "SUCCESS", + "task_id": "00ab285ab4bf482ab30c7d580b252ecb", + "name": "IMG_7459.PNG", + "created": "2022-05-26T14:26:07.664506-07:00", + "acknowledged": false, + "attempted_task": { + "id": "00ab285ab4bf482ab30c7d580b252ecb", + "name": "IMG_7459.PNG", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtOGF5NDNfZjeUhZQu", + "kwargs": "gAWVuQAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwMSU1HXzc0NTkuUE5HlIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJDYxMTNhNzRlLTAwOWMtNGJhYi1hMjk1LTFmNjMwMzZmMTc4ZpR1Lg==", + "result": "gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjUgY3JlYXRlZJQu", + "group": null, + "started": "2022-04-05T13:19:47.490282-07:00", + "stopped": "2022-04-05T13:21:36.782264-07:00", + "success": true, + "attempt_count": 1 + } + }, + { + "id": 3, + "type": "file", + "result": "Success. New document id 267 created", + "status": "SUCCESS", + "task_id": "289c5163cfec410db42948a0cacbeb9c", + "name": "IMG_7459.PNG", + "created": "2022-05-26T14:26:07.659661-07:00", + "acknowledged": false, + "attempted_task": { + "id": "289c5163cfec410db42948a0cacbeb9c", + "name": "IMG_7459.PNG", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtNzRuY2p2aXGUhZQu", + "kwargs": "gAWVuQAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwMSU1HXzc0NTkuUE5HlIwOb3ZlcnJpZGVfdGl0bGWUTowZb3ZlcnJpZGVfY29ycmVzcG9uZGVudF9pZJROjBlvdmVycmlkZV9kb2N1bWVudF90eXBlX2lklE6MEG92ZXJyaWRlX3RhZ19pZHOUTowHdGFza19pZJSMJGZjZDljMmFlLWFhZmEtNGJmMC05M2Y5LWE3ZGQxYmEzYWM1NZR1Lg==", + "result": "gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjcgY3JlYXRlZJQu", + "group": null, + "started": "2022-04-05T13:29:59.264441-07:00", + "stopped": "2022-04-05T13:30:28.336185-07:00", + "success": true, + "attempt_count": 1 + } + }, + { + "id": 1, + "type": "file", + "result": "Success. New document id 268 created", + "status": "SUCCESS", + "task_id": "7a4ebdb2bde04311935284027ef8ca65", + "name": "2019-08-04 DSA Questionnaire - 5-8-19.pdf", + "created": "2022-05-26T14:26:07.655276-07:00", + "acknowledged": false, + "attempted_task": { + "id": "7a4ebdb2bde04311935284027ef8ca65", + "name": "2019-08-04 DSA Questionnaire - 5-8-19.pdf", + "func": "documents.tasks.consume_file", + "hook": null, + "args": "gAWVLgAAAAAAAACMKC90bXAvcGFwZXJsZXNzL3BhcGVybGVzcy11cGxvYWQtdXpscHl2NnmUhZQu", + "kwargs": "gAWV1gAAAAAAAAB9lCiMEW92ZXJyaWRlX2ZpbGVuYW1llIwpMjAxOS0wOC0wNCBEU0EgUXVlc3Rpb25uYWlyZSAtIDUtOC0xOS5wZGaUjA5vdmVycmlkZV90aXRsZZROjBlvdmVycmlkZV9jb3JyZXNwb25kZW50X2lklE6MGW92ZXJyaWRlX2RvY3VtZW50X3R5cGVfaWSUTowQb3ZlcnJpZGVfdGFnX2lkc5ROjAd0YXNrX2lklIwkY2Q3YzBhZjgtN2Q4Ni00OGM0LTliNjgtNDQwMmQ4ZDZlOTNmlHUu", + "result": "gAWVKAAAAAAAAACMJFN1Y2Nlc3MuIE5ldyBkb2N1bWVudCBpZCAyNjggY3JlYXRlZJQu", + "group": null, + "started": "2022-04-28T21:01:04.275850-07:00", + "stopped": "2022-04-28T21:01:10.136884-07:00", + "success": true, + "attempt_count": 1 + } + } +] diff --git a/src-ui/messages.xlf b/src-ui/messages.xlf index a8c43a998..3b037ff25 100644 --- a/src-ui/messages.xlf +++ b/src-ui/messages.xlf @@ -179,21 +179,21 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 @@ -256,21 +256,21 @@ Document added src/app/app.component.ts - 75 + 78 Document was added to paperless. src/app/app.component.ts - 77 + 80 Open document src/app/app.component.ts - 78 + 81 src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html @@ -281,28 +281,112 @@ Could not add : src/app/app.component.ts - 94 + 97 New document detected src/app/app.component.ts - 109 + 112 Document is being processed by paperless. src/app/app.component.ts - 111 + 114 + + + + The dashboard can be used to show saved views, such as an 'Inbox'. Those settings are found under Settings > Saved Views once you have created some. + + src/app/app.component.ts + 122 + + + + Drag-and-drop documents here to start uploading or place them in the consume folder. You can also drag-and-drop documents anywhere on all other pages of the web app. Once you do, Paperless-ngx will start training it's machine learning algorithms. + + src/app/app.component.ts + 129 + + + + The documents list shows all of your documents and allows for filtering as well as bulk-editing. There are three different view styles: list, small cards and large cards. A list of documents currently opened for editing is shown in the sidebar. + + src/app/app.component.ts + 135 + + + + The filtering tools allow you to quickly find documents using various searches, dates, tags, etc. + + src/app/app.component.ts + 144 + + + + Any combination of filters can be saved as a 'view' which can then be displayed on the dashboard and / or sidebar. + + src/app/app.component.ts + 151 + + + + Tags, correspondents, document types and storage paths can all be managed using these pages. They can also be created from the document edit view. + + src/app/app.component.ts + 157 + + + + File Tasks shows you documents that have been consumed, are waiting to be, or may have failed during the process. + + src/app/app.component.ts + 163 + + + + Check out the settings for various tweaks to the web app or to toggle settings for saved views. + + src/app/app.component.ts + 169 + + + + The Admin area contains more advanced controls as well as the settings for automatic e-mail fetching. + + src/app/app.component.ts + 175 + + + + Thank you! 🙏 + + src/app/app.component.ts + 180 + + + + There are <em>tons</em> more features and info we didn't cover here, but this should get you started. Check out the documentation or visit the project on GitHub to learn more or to report issues. + + src/app/app.component.ts + 182 + + + + Lastly, on behalf of every contributor to this community-supported project, thank you for using Paperless-ngx! + + src/app/app.component.ts + 184 Initiating upload... src/app/app.component.ts - 146 + 230 @@ -335,7 +419,11 @@ src/app/components/app-frame/app-frame.component.html - 162 + 166 + + + src/app/components/app-frame/app-frame.component.html + 169 src/app/components/manage/settings/settings.component.html @@ -353,7 +441,11 @@ Dashboard src/app/components/app-frame/app-frame.component.html - 61 + 64 + + + src/app/components/app-frame/app-frame.component.html + 67 src/app/components/dashboard/dashboard.component.html @@ -364,7 +456,11 @@ Documents src/app/components/app-frame/app-frame.component.html - 68 + 71 + + + src/app/components/app-frame/app-frame.component.html + 74 src/app/components/document-list/document-list.component.ts @@ -391,46 +487,58 @@ Saved views src/app/components/app-frame/app-frame.component.html - 74 + 80 src/app/components/manage/settings/settings.component.html - 150 + 184 Open documents src/app/components/app-frame/app-frame.component.html - 88 + 94 Close all src/app/components/app-frame/app-frame.component.html - 107 + 110 + + + src/app/components/app-frame/app-frame.component.html + 113 Manage src/app/components/app-frame/app-frame.component.html - 113 + 119 Correspondents src/app/components/app-frame/app-frame.component.html - 120 + 123 + + + src/app/components/app-frame/app-frame.component.html + 126 Tags src/app/components/app-frame/app-frame.component.html - 127 + 130 + + + src/app/components/app-frame/app-frame.component.html + 133 src/app/components/common/input/tags/tags.component.html @@ -449,28 +557,51 @@ Document types src/app/components/app-frame/app-frame.component.html - 134 + 137 + + + src/app/components/app-frame/app-frame.component.html + 140 Storage paths src/app/components/app-frame/app-frame.component.html - 141 + 144 - - - File Tasks src/app/components/app-frame/app-frame.component.html - 148 + 147 + + + + File Tasks + + src/app/components/app-frame/app-frame.component.html + 151 + + + src/app/components/manage/tasks/tasks.component.html + 1 + + + + File Tasks + + src/app/components/app-frame/app-frame.component.html + 155 Logs src/app/components/app-frame/app-frame.component.html - 155 + 159 + + + src/app/components/app-frame/app-frame.component.html + 162 src/app/components/manage/logs/logs.component.html @@ -481,14 +612,18 @@ Admin src/app/components/app-frame/app-frame.component.html - 169 + 173 + + + src/app/components/app-frame/app-frame.component.html + 176 Info src/app/components/app-frame/app-frame.component.html - 175 + 182 src/app/components/manage/tasks/tasks.component.html @@ -499,56 +634,86 @@ Documentation src/app/components/app-frame/app-frame.component.html - 182 + 186 + + + src/app/components/app-frame/app-frame.component.html + 189 GitHub src/app/components/app-frame/app-frame.component.html - 190 + 194 + + + src/app/components/app-frame/app-frame.component.html + 197 Suggest an idea src/app/components/app-frame/app-frame.component.html - 196 + 199 + + + src/app/components/app-frame/app-frame.component.html + 203 is available. src/app/components/app-frame/app-frame.component.html - 205 + 212 Click to view. src/app/components/app-frame/app-frame.component.html - 205 + 212 - - Checking for updates is disabled. + + Paperless-ngx can automatically check for updates src/app/components/app-frame/app-frame.component.html - 208 + 216 - - Click for more information. + + How does this work? src/app/components/app-frame/app-frame.component.html - 208 + 223,225 Update available src/app/components/app-frame/app-frame.component.html - 216 + 234 + + + + An error occurred while saving settings. + + src/app/components/app-frame/app-frame.component.ts + 83 + + + src/app/components/manage/settings/settings.component.ts + 326 + + + + An error occurred while saving update checking settings. + + src/app/components/app-frame/app-frame.component.ts + 202 @@ -697,7 +862,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 191 src/app/components/manage/tasks/tasks.component.html @@ -812,7 +977,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 185 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -820,35 +985,35 @@ src/app/components/manage/settings/settings.component.html - 189 + 223 Create new correspondent src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 24 + 25 Edit correspondent src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 28 + 29 Create new document type src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.ts - 24 + 25 Edit document type src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.ts - 28 + 29 @@ -894,35 +1059,35 @@ e.g. src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts - 25 + 26 or use slashes to add directories e.g. src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts - 27 + 28 See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts - 29 + 30 Create new storage path src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts - 34 + 35 Edit storage path src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts - 38 + 39 @@ -954,14 +1119,14 @@ Create new tag src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.ts - 25 + 26 Edit tag src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.ts - 29 + 30 @@ -1011,16 +1176,12 @@ 13 - - Add item - - src/app/components/common/input/select/select.component.html - 11 - - Used for both types, correspondents, storage paths - Suggestions: + + src/app/components/common/input/date/date.component.html + 16 + src/app/components/common/input/select/select.component.html 30 @@ -1030,6 +1191,14 @@ 42 + + Add item + + src/app/components/common/input/select/select.component.html + 11 + + Used for both types, correspondents, storage paths + Add tag @@ -1071,7 +1240,7 @@ src/app/components/document-list/document-list.component.html - 87 + 88 src/app/components/manage/tasks/tasks.component.html @@ -1082,18 +1251,18 @@ 27 - - Hello , welcome to Paperless-ngx! + + Hello , welcome to Paperless-ngx src/app/components/dashboard/dashboard.component.ts - 19 + 18 - - Welcome to Paperless-ngx! + + Welcome to Paperless-ngx src/app/components/dashboard/dashboard.component.ts - 21 + 20 @@ -1115,7 +1284,7 @@ src/app/components/document-list/document-list.component.html - 150 + 152 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -1138,11 +1307,11 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html - 132 + 134 src/app/components/document-list/filter-editor/filter-editor.component.ts @@ -1244,53 +1413,39 @@ this string is used to separate processing, failed and added on the file upload widget - - First steps + + Paperless-ngx is running! src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 1 + 3 - - Paperless is running! :) + + You're ready to start uploading documents! Explore the various features of this web app on your own, or start a quick tour using the button below. + + src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html + 4 + + + + More detail on how to use and configure Paperless-ngx is always available in the documentation. src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html 5 - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 6,7 - - - - Paperless offers some more features that try to make your life easier: + + Thanks for being a part of the Paperless-ngx community! src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html 8 - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. + + Start the tour src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 10 - - - - You can configure paperless to read your mails and add documents from attached files. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 11 - - - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 13 + 9 @@ -1300,6 +1455,41 @@ 1 + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 11 + + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 68 + + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 83 + + Page @@ -1366,7 +1556,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 209 @@ -1391,11 +1581,22 @@ 25 + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1406,49 +1607,49 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 79 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1456,7 +1657,7 @@ src/app/components/document-list/document-list.component.html - 126 + 128 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -1471,7 +1672,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 81 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1479,7 +1680,7 @@ src/app/components/document-list/document-list.component.html - 138 + 140 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -1494,7 +1695,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 83 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1502,7 +1703,7 @@ src/app/components/document-list/document-list.component.html - 144 + 146 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -1513,21 +1714,21 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 84 Content src/app/components/document-detail/document-detail.component.html - 84 + 91 Metadata src/app/components/document-detail/document-detail.component.html - 93 + 100 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1538,102 +1739,120 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 106 Date added src/app/components/document-detail/document-detail.component.html - 103 + 110 Media filename src/app/components/document-detail/document-detail.component.html - 107 + 114 + + + + Original filename + + src/app/components/document-detail/document-detail.component.html + 118 Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 122 Original file size src/app/components/document-detail/document-detail.component.html - 115 + 126 Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 130 Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 134 Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 138 Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 144 Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 145 Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 167 src/app/components/document-detail/document-detail.component.html - 186 + 203 + + + + Comments + + src/app/components/document-detail/document-detail.component.html + 174 + + + src/app/components/manage/settings/settings.component.html + 154 Discard src/app/components/document-detail/document-detail.component.html - 166 + 183 Save & next src/app/components/document-detail/document-detail.component.html - 167 + 184 Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1644,28 +1863,88 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 + + + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 @@ -1750,7 +2029,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 208 src/app/components/manage/tasks/tasks.component.html @@ -1771,13 +2050,6 @@ 84,88 - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Error executing bulk operation: 363 - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Delete document(s) @@ -1959,13 +2220,6 @@ 366 - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - This operation will permanently redo OCR for selected document(s). @@ -1973,13 +2227,6 @@ 388 - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Filter by correspondent @@ -1988,7 +2235,7 @@ src/app/components/document-list/document-list.component.html - 171 + 173 @@ -1999,7 +2246,7 @@ src/app/components/document-list/document-list.component.html - 176 + 178 @@ -2060,7 +2307,7 @@ src/app/components/document-list/document-list.component.html - 180 + 182 @@ -2071,7 +2318,7 @@ src/app/components/document-list/document-list.component.html - 185 + 187 @@ -2195,35 +2442,35 @@ {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} src/app/components/document-list/document-list.component.html - 89 + 90 {VAR_PLURAL, plural, =1 {One document} other { documents}} src/app/components/document-list/document-list.component.html - 91 + 92 (filtered) src/app/components/document-list/document-list.component.html - 91 + 92 Error while loading documents src/app/components/document-list/document-list.component.html - 102 + 105 ASN src/app/components/document-list/document-list.component.html - 120 + 122 src/app/components/document-list/filter-editor/filter-editor.component.ts @@ -2238,7 +2485,7 @@ Added src/app/components/document-list/document-list.component.html - 156 + 158 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -2253,21 +2500,21 @@ Edit document src/app/components/document-list/document-list.component.html - 175 + 177 View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 @@ -2404,7 +2651,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 203 @@ -2415,7 +2662,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 199 @@ -2603,7 +2850,7 @@ src/app/data/matching-model.ts - 38 + 39 @@ -2629,6 +2876,13 @@ 168,170 + + Start tour + + src/app/components/manage/settings/settings.component.html + 2 + + General @@ -2720,193 +2974,242 @@ 87 + + Sidebar + + src/app/components/manage/settings/settings.component.html + 94 + + + + Use 'slim' sidebar (icons only) + + src/app/components/manage/settings/settings.component.html + 98 + + Dark mode src/app/components/manage/settings/settings.component.html - 94 + 105 Use system settings src/app/components/manage/settings/settings.component.html - 97 + 108 Enable dark mode src/app/components/manage/settings/settings.component.html - 98 + 109 Invert thumbnails in dark mode src/app/components/manage/settings/settings.component.html - 99 + 110 Theme Color src/app/components/manage/settings/settings.component.html - 105 + 116 Reset src/app/components/manage/settings/settings.component.html - 114 + 125 + + + + Update checking + + src/app/components/manage/settings/settings.component.html + 130 + + + + Update checking works by pinging the the public Github API for the latest release to determine whether a new version is available. Actual updating of the app must still be performed manually. + + src/app/components/manage/settings/settings.component.html + 134,137 + + + + No tracking data is collected by the app in any way. + + src/app/components/manage/settings/settings.component.html + 139 + + + + Enable update checking + + src/app/components/manage/settings/settings.component.html + 141 + + + + Note that for users of thirdy-party containers e.g. linuxserver.io this notification may be 'ahead' of the current third-party release. + + src/app/components/manage/settings/settings.component.html + 141 Bulk editing src/app/components/manage/settings/settings.component.html - 119 + 145 Show confirmation dialogs src/app/components/manage/settings/settings.component.html - 123 + 149 Deleting documents will always ask for confirmation. src/app/components/manage/settings/settings.component.html - 123 + 149 Apply on close src/app/components/manage/settings/settings.component.html - 124 + 150 + + + + Enable comments + + src/app/components/manage/settings/settings.component.html + 158 Notifications src/app/components/manage/settings/settings.component.html - 132 + 166 Document processing src/app/components/manage/settings/settings.component.html - 135 + 169 Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 173 Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 174 Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 175 Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 176 This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 176 Appears on src/app/components/manage/settings/settings.component.html - 162 + 196 No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 213 Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 217 Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 310 Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 311 Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 315 Reload now src/app/components/manage/settings/settings.component.ts - 253 - - - - An error occurred while saving settings. - - src/app/components/manage/settings/settings.component.ts - 263 + 316 Use system language src/app/components/manage/settings/settings.component.ts - 271 + 334 Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 341 @@ -2915,7 +3218,7 @@ )"/> src/app/components/manage/settings/settings.component.ts - 298,300 + 361,363 @@ -2960,13 +3263,6 @@ 46 - - File Tasks - - src/app/components/manage/tasks/tasks.component.html - 1 - - Clear selection @@ -3006,71 +3302,78 @@ Dismiss src/app/components/manage/tasks/tasks.component.html - 80 + 81 src/app/components/manage/tasks/tasks.component.ts - 54 + 56 + + + + Open Document + + src/app/components/manage/tasks/tasks.component.html + 86 Failed  src/app/components/manage/tasks/tasks.component.html - 96 + 103 Complete  src/app/components/manage/tasks/tasks.component.html - 102 + 109 Started  src/app/components/manage/tasks/tasks.component.html - 108 + 115 Queued  src/app/components/manage/tasks/tasks.component.html - 114 + 121 Dismiss selected src/app/components/manage/tasks/tasks.component.ts - 21 + 22 Dismiss all src/app/components/manage/tasks/tasks.component.ts - 22 + 23 src/app/components/manage/tasks/tasks.component.ts - 52 + 54 Confirm Dismiss All src/app/components/manage/tasks/tasks.component.ts - 50 + 52 tasks? src/app/components/manage/tasks/tasks.component.ts - 52 + 54 @@ -3084,77 +3387,84 @@ Any word src/app/data/matching-model.ts - 13 + 14 Any: Document contains any of these words (space separated) src/app/data/matching-model.ts - 14 + 15 All words src/app/data/matching-model.ts - 18 + 19 All: Document contains all of these words (space separated) src/app/data/matching-model.ts - 19 + 20 Exact match src/app/data/matching-model.ts - 23 + 24 Exact: Document contains this string src/app/data/matching-model.ts - 24 + 25 Regular expression src/app/data/matching-model.ts - 28 + 29 Regular expression: Document matches this regular expression src/app/data/matching-model.ts - 29 + 30 Fuzzy word src/app/data/matching-model.ts - 33 + 34 Fuzzy: Document contains a word similar to this word src/app/data/matching-model.ts - 34 + 35 Auto: Learn matching automatically src/app/data/matching-model.ts - 39 + 40 + + + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 @@ -3165,11 +3475,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 @@ -3180,7 +3490,7 @@ src/app/services/open-documents.service.ts - 139 + 144 @@ -3317,35 +3627,35 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Close document src/app/services/open-documents.service.ts - 119 + 124 Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Close documents src/app/services/open-documents.service.ts - 142 + 147 @@ -3367,168 +3677,168 @@ English (US) src/app/services/settings.service.ts - 140 + 145 Belarusian src/app/services/settings.service.ts - 146 + 151 Czech src/app/services/settings.service.ts - 152 + 157 Danish src/app/services/settings.service.ts - 158 + 163 German src/app/services/settings.service.ts - 164 + 169 English (GB) src/app/services/settings.service.ts - 170 + 175 Spanish src/app/services/settings.service.ts - 176 + 181 French src/app/services/settings.service.ts - 182 + 187 Italian src/app/services/settings.service.ts - 188 + 193 Luxembourgish src/app/services/settings.service.ts - 194 + 199 Dutch src/app/services/settings.service.ts - 200 + 205 Polish src/app/services/settings.service.ts - 206 + 211 Portuguese (Brazil) src/app/services/settings.service.ts - 212 + 217 Portuguese src/app/services/settings.service.ts - 218 + 223 Romanian src/app/services/settings.service.ts - 224 + 229 Russian src/app/services/settings.service.ts - 230 + 235 Slovenian src/app/services/settings.service.ts - 236 + 241 Serbian src/app/services/settings.service.ts - 242 + 247 Swedish src/app/services/settings.service.ts - 248 + 253 Turkish src/app/services/settings.service.ts - 254 + 259 Chinese Simplified src/app/services/settings.service.ts - 260 + 265 ISO 8601 src/app/services/settings.service.ts - 277 + 282 Successfully completed one-time migratration of settings to the database! src/app/services/settings.service.ts - 372 + 393 Unable to migrate settings to the database, please try saving manually. src/app/services/settings.service.ts - 373 + 394 diff --git a/src-ui/package-lock.json b/src-ui/package-lock.json index 84f82ddf9..274117558 100644 --- a/src-ui/package-lock.json +++ b/src-ui/package-lock.json @@ -8,51 +8,58 @@ "name": "paperless-ui", "version": "0.0.0", "dependencies": { - "@angular/common": "~14.0.4", - "@angular/compiler": "~14.0.4", - "@angular/core": "~14.0.4", - "@angular/forms": "~14.0.4", - "@angular/localize": "~14.0.4", - "@angular/platform-browser": "~14.0.4", - "@angular/platform-browser-dynamic": "~14.0.4", - "@angular/router": "~14.0.4", - "@ng-bootstrap/ng-bootstrap": "^13.0.0-beta.1", + "@angular/common": "~14.2.4", + "@angular/compiler": "~14.2.4", + "@angular/core": "~14.2.4", + "@angular/forms": "~14.2.4", + "@angular/localize": "~14.2.4", + "@angular/platform-browser": "~14.2.4", + "@angular/platform-browser-dynamic": "~14.2.4", + "@angular/router": "~14.2.4", + "@ng-bootstrap/ng-bootstrap": "^13.0.0", "@ng-select/ng-select": "^9.0.2", "@ngneat/dirty-check-forms": "^3.0.2", - "@popperjs/core": "^2.11.5", - "bootstrap": "^5.1.3", + "@popperjs/core": "^2.11.6", + "bootstrap": "^5.2.1", "file-saver": "^2.0.5", - "ng2-pdf-viewer": "^9.0.0", - "ngx-color": "^7.3.3", + "ng2-pdf-viewer": "^9.1.2", + "ngx-color": "^8.0.3", "ngx-cookie-service": "^14.0.1", - "ngx-file-drop": "^13.0.0", - "rxjs": "~7.5.5", + "ngx-file-drop": "^14.0.1", + "ngx-ui-tour-ng-bootstrap": "^11.0.0", + "rxjs": "~7.5.7", "tslib": "^2.3.1", - "uuid": "^8.3.1", - "zone.js": "~0.11.6" + "uuid": "^9.0.0", + "zone.js": "~0.11.8" }, "devDependencies": { - "@angular-builders/jest": "14.0.0", - "@angular-devkit/build-angular": "~14.0.4", - "@angular/cli": "~14.0.4", - "@angular/compiler-cli": "~14.0.4", - "@types/jest": "28.1.4", - "@types/node": "^18.0.0", + "@angular-builders/jest": "14.0.1", + "@angular-devkit/build-angular": "~14.2.4", + "@angular/cli": "~14.2.4", + "@angular/compiler-cli": "~14.2.4", + "@types/jest": "28.1.6", + "@types/node": "^18.7.23", "codelyzer": "^6.0.2", - "concurrently": "7.2.2", - "jest": "28.1.2", - "jest-environment-jsdom": "^28.1.2", - "jest-preset-angular": "^12.1.0", - "ts-node": "~10.8.1", + "concurrently": "7.4.0", + "jest": "28.1.3", + "jest-environment-jsdom": "^29.1.2", + "jest-preset-angular": "^12.2.2", + "ts-node": "~10.9.1", "tslint": "~6.1.3", - "typescript": "~4.6.3", + "typescript": "~4.8.4", "wait-on": "~6.0.1" }, "optionalDependencies": { - "@cypress/schematic": "^2.0.0", - "cypress": "~10.3.0" + "@cypress/schematic": "^2.1.1", + "cypress": "~10.9.0" } }, + "node_modules/@adobe/css-tools": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/@adobe/css-tools/-/css-tools-4.0.1.tgz", + "integrity": "sha512-+u76oB43nOHrF4DDWRLWDCtci7f3QJoEBigemIdIeTi1ODqjx6Tad9NCVnPRwewWlKkVab5PlK8DCtPTyX7S8g==", + "dev": true + }, "node_modules/@ampproject/remapping": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/@ampproject/remapping/-/remapping-2.2.0.tgz", @@ -66,14 +73,14 @@ } }, "node_modules/@angular-builders/jest": { - "version": "14.0.0", - "resolved": "https://registry.npmjs.org/@angular-builders/jest/-/jest-14.0.0.tgz", - "integrity": "sha512-FBcbEmrCJqlA6lDVW7BzcPq2zQ98UNua0IO6DxHEi9LN/5Yyx2YJSbYqmfykyRBEnIqLzHVGOX9eBIiSg0Bc/w==", + "version": "14.0.1", + "resolved": "https://registry.npmjs.org/@angular-builders/jest/-/jest-14.0.1.tgz", + "integrity": "sha512-ol+/u6KD7kX0AyQ8Mr6pPmsptNh89p+PJtXhcU9epzjJw1y1Y+SlXHGVWg8JseaGRfxo3FVshS/ZvTxoGsstTA==", "dev": true, "dependencies": { "@angular-devkit/architect": ">=0.1400.0 < 0.1500.0", "@angular-devkit/core": "^14.0.0", - "jest-preset-angular": "12.1.0", + "jest-preset-angular": "12.2.0", "lodash": "^4.17.15" }, "engines": { @@ -87,13 +94,179 @@ "jest": ">=28" } }, + "node_modules/@angular-builders/jest/node_modules/@types/jsdom": { + "version": "16.2.15", + "resolved": "https://registry.npmjs.org/@types/jsdom/-/jsdom-16.2.15.tgz", + "integrity": "sha512-nwF87yjBKuX/roqGYerZZM0Nv1pZDMAT5YhOHYeM/72Fic+VEqJh4nyoqoapzJnW3pUlfxPY5FhgsJtM+dRnQQ==", + "dev": true, + "dependencies": { + "@types/node": "*", + "@types/parse5": "^6.0.3", + "@types/tough-cookie": "*" + } + }, + "node_modules/@angular-builders/jest/node_modules/form-data": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.0.tgz", + "integrity": "sha512-ETEklSGi5t0QMZuiXoA/Q6vcnxcLQP5vdugSpuAyi6SVGi2clPPp+xgEhuMaHC+zGgn31Kd235W35f7Hykkaww==", + "dev": true, + "dependencies": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "mime-types": "^2.1.12" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/@angular-builders/jest/node_modules/jest-environment-jsdom": { + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-28.1.3.tgz", + "integrity": "sha512-HnlGUmZRdxfCByd3GM2F100DgQOajUBzEitjGqIREcb45kGjZvRrKUdlaF6escXBdcXNl0OBh+1ZrfeZT3GnAg==", + "dev": true, + "dependencies": { + "@jest/environment": "^28.1.3", + "@jest/fake-timers": "^28.1.3", + "@jest/types": "^28.1.3", + "@types/jsdom": "^16.2.4", + "@types/node": "*", + "jest-mock": "^28.1.3", + "jest-util": "^28.1.3", + "jsdom": "^19.0.0" + }, + "engines": { + "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" + } + }, + "node_modules/@angular-builders/jest/node_modules/jest-preset-angular": { + "version": "12.2.0", + "resolved": "https://registry.npmjs.org/jest-preset-angular/-/jest-preset-angular-12.2.0.tgz", + "integrity": "sha512-dXnPdcglVcJeXdnxrws3M/gxLlYWaZGU7JS+ffuiCfMzG0AO3EDo/wpsPsxvnjCZiov1uV7g7UD1dHtmOW/sEw==", + "dev": true, + "dependencies": { + "bs-logger": "^0.2.6", + "esbuild-wasm": ">=0.13.8", + "jest-environment-jsdom": "^28.0.0", + "pretty-format": "^28.0.0", + "ts-jest": "^28.0.0" + }, + "engines": { + "node": "^14.15.0 || >=16.10.0" + }, + "optionalDependencies": { + "esbuild": ">=0.13.8" + }, + "peerDependencies": { + "@angular-devkit/build-angular": ">=0.1102.19 <15.0.0", + "@angular/compiler-cli": ">=11.2.14 <15.0.0", + "@angular/core": ">=11.2.14 <15.0.0", + "@angular/platform-browser-dynamic": ">=11.2.14 <15.0.0", + "jest": "^28.0.0", + "typescript": ">=4.3" + } + }, + "node_modules/@angular-builders/jest/node_modules/jsdom": { + "version": "19.0.0", + "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-19.0.0.tgz", + "integrity": "sha512-RYAyjCbxy/vri/CfnjUWJQQtZ3LKlLnDqj+9XLNnJPgEGeirZs3hllKR20re8LUZ6o1b1X4Jat+Qd26zmP41+A==", + "dev": true, + "dependencies": { + "abab": "^2.0.5", + "acorn": "^8.5.0", + "acorn-globals": "^6.0.0", + "cssom": "^0.5.0", + "cssstyle": "^2.3.0", + "data-urls": "^3.0.1", + "decimal.js": "^10.3.1", + "domexception": "^4.0.0", + "escodegen": "^2.0.0", + "form-data": "^4.0.0", + "html-encoding-sniffer": "^3.0.0", + "http-proxy-agent": "^5.0.0", + "https-proxy-agent": "^5.0.0", + "is-potential-custom-element-name": "^1.0.1", + "nwsapi": "^2.2.0", + "parse5": "6.0.1", + "saxes": "^5.0.1", + "symbol-tree": "^3.2.4", + "tough-cookie": "^4.0.0", + "w3c-hr-time": "^1.0.2", + "w3c-xmlserializer": "^3.0.0", + "webidl-conversions": "^7.0.0", + "whatwg-encoding": "^2.0.0", + "whatwg-mimetype": "^3.0.0", + "whatwg-url": "^10.0.0", + "ws": "^8.2.3", + "xml-name-validator": "^4.0.0" + }, + "engines": { + "node": ">=12" + }, + "peerDependencies": { + "canvas": "^2.5.0" + }, + "peerDependenciesMeta": { + "canvas": { + "optional": true + } + } + }, + "node_modules/@angular-builders/jest/node_modules/saxes": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/saxes/-/saxes-5.0.1.tgz", + "integrity": "sha512-5LBh1Tls8c9xgGjw3QrMwETmTMVk0oFgvrFSvWx62llR2hcEInrKNZ2GZCCuuy2lvWrdl5jhbpeqc5hRYKFOcw==", + "dev": true, + "dependencies": { + "xmlchars": "^2.2.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/@angular-builders/jest/node_modules/tough-cookie": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.1.2.tgz", + "integrity": "sha512-G9fqXWoYFZgTc2z8Q5zaHy/vJMjm+WV0AkAeHxVCQiEB1b+dGvWzFW6QV07cY5jQ5gRkeid2qIkzkxUnmoQZUQ==", + "dev": true, + "dependencies": { + "psl": "^1.1.33", + "punycode": "^2.1.1", + "universalify": "^0.2.0", + "url-parse": "^1.5.3" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/@angular-builders/jest/node_modules/universalify": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.2.0.tgz", + "integrity": "sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==", + "dev": true, + "engines": { + "node": ">= 4.0.0" + } + }, + "node_modules/@angular-builders/jest/node_modules/whatwg-url": { + "version": "10.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-10.0.0.tgz", + "integrity": "sha512-CLxxCmdUby142H5FZzn4D8ikO1cmypvXVQktsgosNy4a4BHrDHeciBBGZhb0bNoR5/MltoCatso+vFjjGx8t0w==", + "dev": true, + "dependencies": { + "tr46": "^3.0.0", + "webidl-conversions": "^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, "node_modules/@angular-devkit/architect": { - "version": "0.1400.4", - "resolved": "https://registry.npmjs.org/@angular-devkit/architect/-/architect-0.1400.4.tgz", - "integrity": "sha512-9tjOIRpAPuhsJ5xMVZI/C9qQUaVTF9URFrK4r/b9RO7lRsvMvweReMcOH4/8+veVSTAzAa34B6WNYvvuBZFMOg==", + "version": "0.1402.4", + "resolved": "https://registry.npmjs.org/@angular-devkit/architect/-/architect-0.1402.4.tgz", + "integrity": "sha512-lOgyKJ+KjBYWzgcxJ3vAy3RFkqRmSw3RY4thNsWOHLvzT8o33u3USDuOr6cDAQW12NjX9K7JDuvNlPbadjQbSQ==", "devOptional": true, "dependencies": { - "@angular-devkit/core": "14.0.4", + "@angular-devkit/core": "14.2.4", "rxjs": "6.6.7" }, "engines": { @@ -121,71 +294,71 @@ "devOptional": true }, "node_modules/@angular-devkit/build-angular": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular-devkit/build-angular/-/build-angular-14.0.4.tgz", - "integrity": "sha512-VoiDfyKSTBU4LDRwtY8Ga5ZBKsDxTYWNx9aDCoswalMvYREwhEi9+wEcWjF5aMKl4usr6twCPaYqDrbkHYUHqw==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular-devkit/build-angular/-/build-angular-14.2.4.tgz", + "integrity": "sha512-VvwLmb5fiorcLO6Fko3GIeNDWsdoZxviHcHjq2IGkgTNMlvWwZhuSZ8kOhNIXUKFCZYpj7FiUm/ft8v0ilxFBg==", "dev": true, "dependencies": { "@ampproject/remapping": "2.2.0", - "@angular-devkit/architect": "0.1400.4", - "@angular-devkit/build-webpack": "0.1400.4", - "@angular-devkit/core": "14.0.4", - "@babel/core": "7.17.10", - "@babel/generator": "7.17.10", - "@babel/helper-annotate-as-pure": "7.16.7", - "@babel/plugin-proposal-async-generator-functions": "7.16.8", - "@babel/plugin-transform-async-to-generator": "7.16.8", - "@babel/plugin-transform-runtime": "7.17.10", - "@babel/preset-env": "7.17.10", - "@babel/runtime": "7.17.9", - "@babel/template": "7.16.7", + "@angular-devkit/architect": "0.1402.4", + "@angular-devkit/build-webpack": "0.1402.4", + "@angular-devkit/core": "14.2.4", + "@babel/core": "7.18.10", + "@babel/generator": "7.18.12", + "@babel/helper-annotate-as-pure": "7.18.6", + "@babel/plugin-proposal-async-generator-functions": "7.18.10", + "@babel/plugin-transform-async-to-generator": "7.18.6", + "@babel/plugin-transform-runtime": "7.18.10", + "@babel/preset-env": "7.18.10", + "@babel/runtime": "7.18.9", + "@babel/template": "7.18.10", "@discoveryjs/json-ext": "0.5.7", - "@ngtools/webpack": "14.0.4", - "ansi-colors": "4.1.1", + "@ngtools/webpack": "14.2.4", + "ansi-colors": "4.1.3", "babel-loader": "8.2.5", "babel-plugin-istanbul": "6.1.1", "browserslist": "^4.9.1", - "cacache": "16.0.7", - "copy-webpack-plugin": "10.2.4", + "cacache": "16.1.2", + "copy-webpack-plugin": "11.0.0", "critters": "0.0.16", "css-loader": "6.7.1", - "esbuild-wasm": "0.14.38", - "glob": "8.0.1", + "esbuild-wasm": "0.15.5", + "glob": "8.0.3", "https-proxy-agent": "5.0.1", "inquirer": "8.2.4", - "jsonc-parser": "3.0.0", + "jsonc-parser": "3.1.0", "karma-source-map-support": "1.4.0", - "less": "4.1.2", - "less-loader": "10.2.0", + "less": "4.1.3", + "less-loader": "11.0.0", "license-webpack-plugin": "4.0.2", "loader-utils": "3.2.0", - "mini-css-extract-plugin": "2.6.0", - "minimatch": "5.0.1", + "mini-css-extract-plugin": "2.6.1", + "minimatch": "5.1.0", "open": "8.4.0", "ora": "5.4.1", "parse5-html-rewriting-stream": "6.0.1", "piscina": "3.2.0", - "postcss": "8.4.13", - "postcss-import": "14.1.0", - "postcss-loader": "6.2.1", - "postcss-preset-env": "7.5.0", + "postcss": "8.4.16", + "postcss-import": "15.0.0", + "postcss-loader": "7.0.1", + "postcss-preset-env": "7.8.0", "regenerator-runtime": "0.13.9", "resolve-url-loader": "5.0.0", "rxjs": "6.6.7", - "sass": "1.51.0", - "sass-loader": "12.6.0", + "sass": "1.54.4", + "sass-loader": "13.0.2", "semver": "7.3.7", - "source-map-loader": "3.0.1", + "source-map-loader": "4.0.0", "source-map-support": "0.5.21", - "stylus": "0.57.0", - "stylus-loader": "6.2.0", - "terser": "5.13.1", + "stylus": "0.59.0", + "stylus-loader": "7.0.0", + "terser": "5.14.2", "text-table": "0.2.0", "tree-kill": "1.2.2", "tslib": "2.4.0", - "webpack": "5.72.1", - "webpack-dev-middleware": "5.3.1", - "webpack-dev-server": "4.9.0", + "webpack": "5.74.0", + "webpack-dev-middleware": "5.3.3", + "webpack-dev-server": "4.11.0", "webpack-merge": "5.8.0", "webpack-subresource-integrity": "5.1.0" }, @@ -195,7 +368,7 @@ "yarn": ">= 1.13.0" }, "optionalDependencies": { - "esbuild": "0.14.38" + "esbuild": "0.15.5" }, "peerDependencies": { "@angular/compiler-cli": "^14.0.0", @@ -205,7 +378,7 @@ "ng-packagr": "^14.0.0", "protractor": "^7.0.0", "tailwindcss": "^2.0.0 || ^3.0.0", - "typescript": ">=4.6.2 <4.8" + "typescript": ">=4.6.2 <4.9" }, "peerDependenciesMeta": { "@angular/localize": { @@ -247,12 +420,12 @@ "dev": true }, "node_modules/@angular-devkit/build-webpack": { - "version": "0.1400.4", - "resolved": "https://registry.npmjs.org/@angular-devkit/build-webpack/-/build-webpack-0.1400.4.tgz", - "integrity": "sha512-eknabzf8lWDidOzeoV7NG3Rrfme/O2REZtranhBGKRfoRNUOCWMYcCfAF1hUEHjgw7zd4pn+3EdMVjhwpG48hA==", + "version": "0.1402.4", + "resolved": "https://registry.npmjs.org/@angular-devkit/build-webpack/-/build-webpack-0.1402.4.tgz", + "integrity": "sha512-hj80twvKlscktH3bILS4+iQckTQzUWO/hTrG0auvJIXHWOmfJDQTDEyIgoMUzhnibh/8xwf96cFAsFZc2d5kFA==", "dev": true, "dependencies": { - "@angular-devkit/architect": "0.1400.4", + "@angular-devkit/architect": "0.1402.4", "rxjs": "6.6.7" }, "engines": { @@ -284,16 +457,16 @@ "dev": true }, "node_modules/@angular-devkit/core": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular-devkit/core/-/core-14.0.4.tgz", - "integrity": "sha512-ySQnhu9KhU6vMcFE5jFD93Q2aQ/UJYRZXlvDCve11pp6Lb+llcA7H46lHlBwpxR3jKom+8U4W5vnviqU52zhcg==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular-devkit/core/-/core-14.2.4.tgz", + "integrity": "sha512-NsvN1U42goBcibVR75vDp2NOFeSU+Wcekwf1r3Jbyz6a2l9Unf0v9BOWLXdigFY8xztbrOHJPSIbC+2rkvOUnw==", "devOptional": true, "dependencies": { "ajv": "8.11.0", "ajv-formats": "2.1.1", - "jsonc-parser": "3.0.0", + "jsonc-parser": "3.1.0", "rxjs": "6.6.7", - "source-map": "0.7.3" + "source-map": "0.7.4" }, "engines": { "node": "^14.15.0 || >=16.10.0", @@ -328,14 +501,14 @@ "devOptional": true }, "node_modules/@angular-devkit/schematics": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular-devkit/schematics/-/schematics-14.0.4.tgz", - "integrity": "sha512-dOi843eANcCL/tcSIAaotfLTHZTQLzRrpP2hz/le/vYMcuIfP90auvsWbQVrWbDIxWYl57Lu2UxvITT9gIarnA==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular-devkit/schematics/-/schematics-14.2.4.tgz", + "integrity": "sha512-Pm2C7HBNslQavsqXh6/rcyAavmgzTxU3x7NoWwSBH+fIplLJjEFzHdnW9JJp59A2ONfqO0wND3yWKtjIoDAUqw==", "devOptional": true, "dependencies": { - "@angular-devkit/core": "14.0.4", - "jsonc-parser": "3.0.0", - "magic-string": "0.26.1", + "@angular-devkit/core": "14.2.4", + "jsonc-parser": "3.1.0", + "magic-string": "0.26.2", "ora": "5.4.1", "rxjs": "6.6.7" }, @@ -364,31 +537,31 @@ "devOptional": true }, "node_modules/@angular/cli": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/cli/-/cli-14.0.4.tgz", - "integrity": "sha512-hb6mJk6/vJwHCuMaGResQh9aXgoSyfrJ/WuFgLcPspdFRkm4EQcTSx8DwrRo7YawuCa12UJdPoK0dASXYN6JHA==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/cli/-/cli-14.2.4.tgz", + "integrity": "sha512-3YqwjPYlLzqQB0y6A7c3l9X1e0z418NjSQQD2e12N8y68V8nkTK4UcsDVpqb/7ce+xnQ7xGz2wb6DJddU4Wogw==", "devOptional": true, "dependencies": { - "@angular-devkit/architect": "0.1400.4", - "@angular-devkit/core": "14.0.4", - "@angular-devkit/schematics": "14.0.4", - "@schematics/angular": "14.0.4", + "@angular-devkit/architect": "0.1402.4", + "@angular-devkit/core": "14.2.4", + "@angular-devkit/schematics": "14.2.4", + "@schematics/angular": "14.2.4", "@yarnpkg/lockfile": "1.1.0", - "ansi-colors": "4.1.1", + "ansi-colors": "4.1.3", "debug": "4.3.4", "ini": "3.0.0", "inquirer": "8.2.4", - "jsonc-parser": "3.0.0", - "npm-package-arg": "9.0.2", + "jsonc-parser": "3.1.0", + "npm-package-arg": "9.1.0", "npm-pick-manifest": "7.0.1", "open": "8.4.0", "ora": "5.4.1", - "pacote": "13.3.0", - "resolve": "1.22.0", + "pacote": "13.6.2", + "resolve": "1.22.1", "semver": "7.3.7", "symbol-observable": "4.0.0", "uuid": "8.3.2", - "yargs": "17.4.1" + "yargs": "17.5.1" }, "bin": { "ng": "bin/ng.js" @@ -399,10 +572,19 @@ "yarn": ">= 1.13.0" } }, + "node_modules/@angular/cli/node_modules/uuid": { + "version": "8.3.2", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "devOptional": true, + "bin": { + "uuid": "dist/bin/uuid" + } + }, "node_modules/@angular/common": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/common/-/common-14.0.4.tgz", - "integrity": "sha512-CvlFa2lCxen0LB3N45IzZDdMIqpcasXfVUhiAkLxZgT+kSTunc/rg8hMoLHVfmFpkQKCQmPVyuzNXnSwIFhYkQ==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/common/-/common-14.2.4.tgz", + "integrity": "sha512-nzmRUhdyKomgsf1vUdx7KOXS7OXkvdpF/1CSagqsIGYVLbL8cGZ6ROrdEuxkSsE9GUt/OAIkC4How4/LLPut1A==", "dependencies": { "tslib": "^2.3.0" }, @@ -410,14 +592,14 @@ "node": "^14.15.0 || >=16.10.0" }, "peerDependencies": { - "@angular/core": "14.0.4", + "@angular/core": "14.2.4", "rxjs": "^6.5.3 || ^7.4.0" } }, "node_modules/@angular/compiler": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/compiler/-/compiler-14.0.4.tgz", - "integrity": "sha512-WdRpZFTX2vt71sSfQ89C1K5l2zhYtn8ON+ZlAVxyZ5uT0nA/Z/vuMLfNZB1WmcGVDOc7JmQduSiSaI0hhQqXqw==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/compiler/-/compiler-14.2.4.tgz", + "integrity": "sha512-fBvTPPWBYA65bAmrqKcnzUHAhZ/tfs+nG+IeDukn4TeyQplVjDYOlqjf84jYQubSIx8WTicZzRFn0dIGsPaSNw==", "dependencies": { "tslib": "^2.3.0" }, @@ -425,7 +607,7 @@ "node": "^14.15.0 || >=16.10.0" }, "peerDependencies": { - "@angular/core": "14.0.4" + "@angular/core": "14.2.4" }, "peerDependenciesMeta": { "@angular/core": { @@ -434,9 +616,9 @@ } }, "node_modules/@angular/compiler-cli": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/compiler-cli/-/compiler-cli-14.0.4.tgz", - "integrity": "sha512-j3T0dOwNov6rKcaxLMSlPLRvrBT6MyBTum18x6XvZRqb75RUAJ/yV+PXgtA//XZ2hjuy87+CvZy3tBKktvY7bA==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/compiler-cli/-/compiler-cli-14.2.4.tgz", + "integrity": "sha512-8kHA/Ujzr5aXic7T3iEJiu0JMfXRs/uDoi8W8dYWFe+0naGhxwWmHBHc/hhS1tpv9/wW2WOcT51RDa4OYHKDKw==", "dependencies": { "@babel/core": "^7.17.2", "chokidar": "^3.0.0", @@ -458,14 +640,14 @@ "node": "^14.15.0 || >=16.10.0" }, "peerDependencies": { - "@angular/compiler": "14.0.4", - "typescript": ">=4.6.2 <4.8" + "@angular/compiler": "14.2.4", + "typescript": ">=4.6.2 <4.9" } }, "node_modules/@angular/core": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/core/-/core-14.0.4.tgz", - "integrity": "sha512-uMS/X+/5RokF3uiiD1IAr6Ha9k7QPegHrAB3QW0x6WRUTMq0K+08F+AeF5COmbfYMMaxofD6x8XmM+BLeg/0hw==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/core/-/core-14.2.4.tgz", + "integrity": "sha512-wB19wKmZE+X07mLbxYyqeg3v1JXy8m0+ShZD2oY3dmgk1mXOf5XVQxRZohGTrbPw83EdSWwx3vz+jjylGunVZQ==", "dependencies": { "tslib": "^2.3.0" }, @@ -478,9 +660,9 @@ } }, "node_modules/@angular/forms": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/forms/-/forms-14.0.4.tgz", - "integrity": "sha512-u/9y09WQ00y6BQeNo69hMa/Fx+xKHGnmcjMtS3xkZtmoCP+A0ebumG0Y9DfXs2olJY2//O5di7Qu3fwlBg+3Cw==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/forms/-/forms-14.2.4.tgz", + "integrity": "sha512-m1asD8SazzMPzcli054zwLYz7hiXiaCXfqmQOFdQQd3OnPNKeCGDS8GFX7Yd/+3fz4REGeSon9YRhq7/W0TDlA==", "dependencies": { "tslib": "^2.3.0" }, @@ -488,18 +670,18 @@ "node": "^14.15.0 || >=16.10.0" }, "peerDependencies": { - "@angular/common": "14.0.4", - "@angular/core": "14.0.4", - "@angular/platform-browser": "14.0.4", + "@angular/common": "14.2.4", + "@angular/core": "14.2.4", + "@angular/platform-browser": "14.2.4", "rxjs": "^6.5.3 || ^7.4.0" } }, "node_modules/@angular/localize": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/localize/-/localize-14.0.4.tgz", - "integrity": "sha512-NkUSgaeO0PgPOG9dsa83nApsJ5MsrFjY4ECW9Sz8lAt7EIW86qOPKKdvJdZgAbLFJnEEWlj9dEo8wIHSMblZ0A==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/localize/-/localize-14.2.4.tgz", + "integrity": "sha512-35BKWV5y5aGGbnLIY9xcPs4i8KGqYBidPtqlU1tg585y0szzFBuHdF4jNrAYTwjGk7fnxYYLZQygM/GtxFwLUA==", "dependencies": { - "@babel/core": "7.18.2", + "@babel/core": "7.18.9", "glob": "8.0.3", "yargs": "^17.2.1" }, @@ -512,25 +694,25 @@ "node": "^14.15.0 || >=16.10.0" }, "peerDependencies": { - "@angular/compiler": "14.0.4", - "@angular/compiler-cli": "14.0.4" + "@angular/compiler": "14.2.4", + "@angular/compiler-cli": "14.2.4" } }, "node_modules/@angular/localize/node_modules/@babel/core": { - "version": "7.18.2", - "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.18.2.tgz", - "integrity": "sha512-A8pri1YJiC5UnkdrWcmfZTJTV85b4UXTAfImGmCfYmax4TR9Cw8sDS0MOk++Gp2mE/BefVJ5nwy5yzqNJbP/DQ==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.18.9.tgz", + "integrity": "sha512-1LIb1eL8APMy91/IMW+31ckrfBM4yCoLaVzoDhZUKSM4cu1L1nIidyxkCgzPAgrC5WEz36IPEr/eSeSF9pIn+g==", "dependencies": { "@ampproject/remapping": "^2.1.0", - "@babel/code-frame": "^7.16.7", - "@babel/generator": "^7.18.2", - "@babel/helper-compilation-targets": "^7.18.2", - "@babel/helper-module-transforms": "^7.18.0", - "@babel/helpers": "^7.18.2", - "@babel/parser": "^7.18.0", - "@babel/template": "^7.16.7", - "@babel/traverse": "^7.18.2", - "@babel/types": "^7.18.2", + "@babel/code-frame": "^7.18.6", + "@babel/generator": "^7.18.9", + "@babel/helper-compilation-targets": "^7.18.9", + "@babel/helper-module-transforms": "^7.18.9", + "@babel/helpers": "^7.18.9", + "@babel/parser": "^7.18.9", + "@babel/template": "^7.18.6", + "@babel/traverse": "^7.18.9", + "@babel/types": "^7.18.9", "convert-source-map": "^1.7.0", "debug": "^4.1.0", "gensync": "^1.0.0-beta.2", @@ -546,11 +728,11 @@ } }, "node_modules/@angular/localize/node_modules/@babel/generator": { - "version": "7.18.7", - "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.7.tgz", - "integrity": "sha512-shck+7VLlY72a2w9c3zYWuE1pwOKEiQHV7GTUbSnhyl5eu3i04t30tBY82ZRWrDfo3gkakCFtevExnxbkf2a3A==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.13.tgz", + "integrity": "sha512-CkPg8ySSPuHTYPJYo7IRALdqyjM9HCbt/3uOBEFbzyGVP6Mn8bwFPB0jX6982JVNBlYzM1nnPkfjuXSOPtQeEQ==", "dependencies": { - "@babel/types": "^7.18.7", + "@babel/types": "^7.18.13", "@jridgewell/gen-mapping": "^0.3.2", "jsesc": "^2.5.1" }, @@ -571,24 +753,6 @@ "node": ">=6.0.0" } }, - "node_modules/@angular/localize/node_modules/glob": { - "version": "8.0.3", - "resolved": "https://registry.npmjs.org/glob/-/glob-8.0.3.tgz", - "integrity": "sha512-ull455NHSHI/Y1FqGaaYFaLGkNMMJbavMrEGFXG/PGrg6y7sutWHUHrz6gy6WEBH6akM1M414dWKCNs+IhKdiQ==", - "dependencies": { - "fs.realpath": "^1.0.0", - "inflight": "^1.0.4", - "inherits": "2", - "minimatch": "^5.0.1", - "once": "^1.3.0" - }, - "engines": { - "node": ">=12" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, "node_modules/@angular/localize/node_modules/semver": { "version": "6.3.0", "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.0.tgz", @@ -598,9 +762,9 @@ } }, "node_modules/@angular/platform-browser": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/platform-browser/-/platform-browser-14.0.4.tgz", - "integrity": "sha512-VFeFpQ+248m8GiCqcsHwH4PET7tR1cyXnhsep1EeI4MDaO+aIbsUcESqXzMm5+ChOmNyiCtLQu8QvfHZK0uDVA==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/platform-browser/-/platform-browser-14.2.4.tgz", + "integrity": "sha512-/NAQXYLgyeb2L15EsaKgGEn50GH/O3t1FOjBvVZg6L423X0H6dIOL4bxbLcKAj9+bUDtdUzDiDoYyt6YEidH+g==", "dependencies": { "tslib": "^2.3.0" }, @@ -608,9 +772,9 @@ "node": "^14.15.0 || >=16.10.0" }, "peerDependencies": { - "@angular/animations": "14.0.4", - "@angular/common": "14.0.4", - "@angular/core": "14.0.4" + "@angular/animations": "14.2.4", + "@angular/common": "14.2.4", + "@angular/core": "14.2.4" }, "peerDependenciesMeta": { "@angular/animations": { @@ -619,9 +783,9 @@ } }, "node_modules/@angular/platform-browser-dynamic": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/platform-browser-dynamic/-/platform-browser-dynamic-14.0.4.tgz", - "integrity": "sha512-snVbAKfnBuCUMgop6ln111B/ouMnDR1ZzMzpiKefdJDGUvASCLbR8XAioY+zXUI82QbNg5masUPia1Fy+yTvGw==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/platform-browser-dynamic/-/platform-browser-dynamic-14.2.4.tgz", + "integrity": "sha512-6jEVKzIqT9lipq4xZftBskHKl3jrL1pQbK8diirJH0mNeuj0wvE+fqfKtVVl898OI/iJ3aAKyQf5YmOe1k8PAw==", "dependencies": { "tslib": "^2.3.0" }, @@ -629,16 +793,16 @@ "node": "^14.15.0 || >=16.10.0" }, "peerDependencies": { - "@angular/common": "14.0.4", - "@angular/compiler": "14.0.4", - "@angular/core": "14.0.4", - "@angular/platform-browser": "14.0.4" + "@angular/common": "14.2.4", + "@angular/compiler": "14.2.4", + "@angular/core": "14.2.4", + "@angular/platform-browser": "14.2.4" } }, "node_modules/@angular/router": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/router/-/router-14.0.4.tgz", - "integrity": "sha512-aqtOjIjVNtWbpedDdni0yGfGR6sEb8S3jJB9jf43ththmHKxAlW7PKP2NgEmx0uJ2xY2iGET7Gkpl8RBwvoHgQ==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/router/-/router-14.2.4.tgz", + "integrity": "sha512-zjsiy/1zrZfZnfIbo2vVgZ+UhCo3okabVr43eIvJhBwcNKzM8Zv17oN9FFlWvSzKKkbsoNIgJkTI85L1YsKtjg==", "dependencies": { "tslib": "^2.3.0" }, @@ -646,9 +810,9 @@ "node": "^14.15.0 || >=16.10.0" }, "peerDependencies": { - "@angular/common": "14.0.4", - "@angular/core": "14.0.4", - "@angular/platform-browser": "14.0.4", + "@angular/common": "14.2.4", + "@angular/core": "14.2.4", + "@angular/platform-browser": "14.2.4", "rxjs": "^6.5.3 || ^7.4.0" } }, @@ -670,28 +834,28 @@ } }, "node_modules/@babel/compat-data": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.18.6.tgz", - "integrity": "sha512-tzulrgDT0QD6U7BJ4TKVk2SDDg7wlP39P9yAx1RfLy7vP/7rsDRlWVfbWxElslu56+r7QOhB2NSDsabYYruoZQ==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.18.13.tgz", + "integrity": "sha512-5yUzC5LqyTFp2HLmDoxGQelcdYgSpP9xsnMWBphAscOdFrHSAVbLNzWiy32sVNDqJRDiJK6klfDnAgu6PAGSHw==", "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/core": { - "version": "7.17.10", - "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.17.10.tgz", - "integrity": "sha512-liKoppandF3ZcBnIYFjfSDHZLKdLHGJRkoWtG8zQyGJBQfIYobpnVGI5+pLBNtS6psFLDzyq8+h5HiVljW9PNA==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.18.10.tgz", + "integrity": "sha512-JQM6k6ENcBFKVtWvLavlvi/mPcpYZ3+R+2EySDEMSMbp7Mn4FexlbbJVrx2R7Ijhr01T8gyqrOaABWIOgxeUyw==", "dependencies": { "@ampproject/remapping": "^2.1.0", - "@babel/code-frame": "^7.16.7", - "@babel/generator": "^7.17.10", - "@babel/helper-compilation-targets": "^7.17.10", - "@babel/helper-module-transforms": "^7.17.7", - "@babel/helpers": "^7.17.9", - "@babel/parser": "^7.17.10", - "@babel/template": "^7.16.7", - "@babel/traverse": "^7.17.10", - "@babel/types": "^7.17.10", + "@babel/code-frame": "^7.18.6", + "@babel/generator": "^7.18.10", + "@babel/helper-compilation-targets": "^7.18.9", + "@babel/helper-module-transforms": "^7.18.9", + "@babel/helpers": "^7.18.9", + "@babel/parser": "^7.18.10", + "@babel/template": "^7.18.10", + "@babel/traverse": "^7.18.10", + "@babel/types": "^7.18.10", "convert-source-map": "^1.7.0", "debug": "^4.1.0", "gensync": "^1.0.0-beta.2", @@ -715,49 +879,62 @@ } }, "node_modules/@babel/generator": { - "version": "7.17.10", - "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.17.10.tgz", - "integrity": "sha512-46MJZZo9y3o4kmhBVc7zW7i8dtR1oIK/sdO5NcfcZRhTGYi+KKJRtHNgsU6c4VUcJmUNV/LQdebD/9Dlv4K+Tg==", + "version": "7.18.12", + "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.12.tgz", + "integrity": "sha512-dfQ8ebCN98SvyL7IxNMCUtZQSq5R7kxgN+r8qYTGDmmSion1hX2C0zq2yo1bsCDhXixokv1SAWTZUMYbO/V5zg==", "dependencies": { - "@babel/types": "^7.17.10", - "@jridgewell/gen-mapping": "^0.1.0", + "@babel/types": "^7.18.10", + "@jridgewell/gen-mapping": "^0.3.2", "jsesc": "^2.5.1" }, "engines": { "node": ">=6.9.0" } }, - "node_modules/@babel/helper-annotate-as-pure": { - "version": "7.16.7", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.16.7.tgz", - "integrity": "sha512-s6t2w/IPQVTAET1HitoowRGXooX8mCgtuP5195wD/QJPV6wYjpujCGF7JuMODVX2ZAJOf1GT6DT9MHEZvLOFSw==", - "dev": true, + "node_modules/@babel/generator/node_modules/@jridgewell/gen-mapping": { + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.2.tgz", + "integrity": "sha512-mh65xKQAzI6iBcFzwv28KVWSmCkdRBWoOh+bYQGW3+6OZvbbN3TqMGo5hqYxQniRcH9F2VZIoJCm4pa3BPDK/A==", "dependencies": { - "@babel/types": "^7.16.7" + "@jridgewell/set-array": "^1.0.1", + "@jridgewell/sourcemap-codec": "^1.4.10", + "@jridgewell/trace-mapping": "^0.3.9" }, "engines": { - "node": ">=6.9.0" + "node": ">=6.0.0" } }, - "node_modules/@babel/helper-builder-binary-assignment-operator-visitor": { + "node_modules/@babel/helper-annotate-as-pure": { "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-builder-binary-assignment-operator-visitor/-/helper-builder-binary-assignment-operator-visitor-7.18.6.tgz", - "integrity": "sha512-KT10c1oWEpmrIRYnthbzHgoOf6B+Xd6a5yhdbNtdhtG7aO1or5HViuf1TQR36xY/QprXA5nvxO6nAjhJ4y38jw==", + "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", + "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", "dev": true, "dependencies": { - "@babel/helper-explode-assignable-expression": "^7.18.6", "@babel/types": "^7.18.6" }, "engines": { "node": ">=6.9.0" } }, - "node_modules/@babel/helper-compilation-targets": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.6.tgz", - "integrity": "sha512-vFjbfhNCzqdeAtZflUFrG5YIFqGTqsctrtkZ1D/NB0mDW9TwW3GmmUepYY4G9wCET5rY5ugz4OGTcLd614IzQg==", + "node_modules/@babel/helper-builder-binary-assignment-operator-visitor": { + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-builder-binary-assignment-operator-visitor/-/helper-builder-binary-assignment-operator-visitor-7.18.9.tgz", + "integrity": "sha512-yFQ0YCHoIqarl8BCRwBL8ulYUaZpz3bNsA7oFepAzee+8/+ImtADXNOmO5vJvsPff3qi+hvpkY/NYBTrBQgdNw==", + "dev": true, "dependencies": { - "@babel/compat-data": "^7.18.6", + "@babel/helper-explode-assignable-expression": "^7.18.6", + "@babel/types": "^7.18.9" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-compilation-targets": { + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.9.tgz", + "integrity": "sha512-tzLCyVmqUiFlcFoAPLA/gL9TeYrF61VLNtb+hvkuVaB5SUjW7jcfrglBIX1vUIoT7CLP3bBlIMeyEsIl2eFQNg==", + "dependencies": { + "@babel/compat-data": "^7.18.8", "@babel/helper-validator-option": "^7.18.6", "browserslist": "^4.20.2", "semver": "^6.3.0" @@ -778,17 +955,17 @@ } }, "node_modules/@babel/helper-create-class-features-plugin": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.18.6.tgz", - "integrity": "sha512-YfDzdnoxHGV8CzqHGyCbFvXg5QESPFkXlHtvdCkesLjjVMT2Adxe4FGUR5ChIb3DxSaXO12iIOCWoXdsUVwnqw==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.18.13.tgz", + "integrity": "sha512-hDvXp+QYxSRL+23mpAlSGxHMDyIGChm0/AwTfTAAK5Ufe40nCsyNdaYCGuK91phn/fVu9kqayImRDkvNAgdrsA==", "dev": true, "dependencies": { "@babel/helper-annotate-as-pure": "^7.18.6", - "@babel/helper-environment-visitor": "^7.18.6", - "@babel/helper-function-name": "^7.18.6", - "@babel/helper-member-expression-to-functions": "^7.18.6", + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-function-name": "^7.18.9", + "@babel/helper-member-expression-to-functions": "^7.18.9", "@babel/helper-optimise-call-expression": "^7.18.6", - "@babel/helper-replace-supers": "^7.18.6", + "@babel/helper-replace-supers": "^7.18.9", "@babel/helper-split-export-declaration": "^7.18.6" }, "engines": { @@ -798,18 +975,6 @@ "@babel/core": "^7.0.0" } }, - "node_modules/@babel/helper-create-class-features-plugin/node_modules/@babel/helper-annotate-as-pure": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", - "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", - "dev": true, - "dependencies": { - "@babel/types": "^7.18.6" - }, - "engines": { - "node": ">=6.9.0" - } - }, "node_modules/@babel/helper-create-regexp-features-plugin": { "version": "7.18.6", "resolved": "https://registry.npmjs.org/@babel/helper-create-regexp-features-plugin/-/helper-create-regexp-features-plugin-7.18.6.tgz", @@ -826,28 +991,14 @@ "@babel/core": "^7.0.0" } }, - "node_modules/@babel/helper-create-regexp-features-plugin/node_modules/@babel/helper-annotate-as-pure": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", - "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", - "dev": true, - "dependencies": { - "@babel/types": "^7.18.6" - }, - "engines": { - "node": ">=6.9.0" - } - }, "node_modules/@babel/helper-define-polyfill-provider": { - "version": "0.3.1", - "resolved": "https://registry.npmjs.org/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.3.1.tgz", - "integrity": "sha512-J9hGMpJQmtWmj46B3kBHmL38UhJGhYX7eqkcq+2gsstyYt341HmPeWspihX43yVRA0mS+8GGk2Gckc7bY/HCmA==", + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.3.2.tgz", + "integrity": "sha512-r9QJJ+uDWrd+94BSPcP6/de67ygLtvVy6cK4luE6MOuDsZIdoaPBnfSpbO/+LTifjPckbKXRuI9BB/Z2/y3iTg==", "dev": true, "dependencies": { - "@babel/helper-compilation-targets": "^7.13.0", - "@babel/helper-module-imports": "^7.12.13", - "@babel/helper-plugin-utils": "^7.13.0", - "@babel/traverse": "^7.13.0", + "@babel/helper-compilation-targets": "^7.17.7", + "@babel/helper-plugin-utils": "^7.16.7", "debug": "^4.1.1", "lodash.debounce": "^4.0.8", "resolve": "^1.14.2", @@ -867,9 +1018,9 @@ } }, "node_modules/@babel/helper-environment-visitor": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.6.tgz", - "integrity": "sha512-8n6gSfn2baOY+qlp+VSzsosjCVGFqWKmDF0cCWOybh52Dw3SEyoWR1KrhMJASjLwIEkkAufZ0xvr+SxLHSpy2Q==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.9.tgz", + "integrity": "sha512-3r/aACDJ3fhQ/EVgFy0hpj8oHyHpQc+LPtJoY9SzTThAsStm4Ptegq92vqKoE3vD706ZVFWITnMnxucw+S9Ipg==", "engines": { "node": ">=6.9.0" } @@ -887,25 +1038,12 @@ } }, "node_modules/@babel/helper-function-name": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.18.6.tgz", - "integrity": "sha512-0mWMxV1aC97dhjCah5U5Ua7668r5ZmSC2DLfH2EZnf9c3/dHZKiFa5pRLMH5tjSl471tY6496ZWk/kjNONBxhw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.18.9.tgz", + "integrity": "sha512-fJgWlZt7nxGksJS9a0XdSaI4XvpExnNIgRP+rVefWh5U7BL8pPuir6SJUmFKRfjWQ51OtWSzwOxhaH/EBWWc0A==", "dependencies": { "@babel/template": "^7.18.6", - "@babel/types": "^7.18.6" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-function-name/node_modules/@babel/template": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.18.6.tgz", - "integrity": "sha512-JoDWzPe+wgBsTTgdnIma3iHNFC7YVJoPssVBDjiHfNlyt4YcunDtcDOUmfVDfCK5MfdsaIoX9PkijPhjH3nYUw==", - "dependencies": { - "@babel/code-frame": "^7.18.6", - "@babel/parser": "^7.18.6", - "@babel/types": "^7.18.6" + "@babel/types": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -923,12 +1061,12 @@ } }, "node_modules/@babel/helper-member-expression-to-functions": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.18.6.tgz", - "integrity": "sha512-CeHxqwwipekotzPDUuJOfIMtcIHBuc7WAzLmTYWctVigqS5RktNMQ5bEwQSuGewzYnCtTWa3BARXeiLxDTv+Ng==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.18.9.tgz", + "integrity": "sha512-RxifAh2ZoVU67PyKIO4AMi1wTenGfMR/O/ae0CCRqwgBAt5v7xjdtRw7UoSbsreKrQn5t7r89eruK/9JjYHuDg==", "dev": true, "dependencies": { - "@babel/types": "^7.18.6" + "@babel/types": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -946,31 +1084,18 @@ } }, "node_modules/@babel/helper-module-transforms": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.18.6.tgz", - "integrity": "sha512-L//phhB4al5uucwzlimruukHB3jRd5JGClwRMD/ROrVjXfLqovYnvQrK/JK36WYyVwGGO7OD3kMyVTjx+WVPhw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.18.9.tgz", + "integrity": "sha512-KYNqY0ICwfv19b31XzvmI/mfcylOzbLtowkw+mfvGPAQ3kfCnMLYbED3YecL5tPd8nAYFQFAd6JHp2LxZk/J1g==", "dependencies": { - "@babel/helper-environment-visitor": "^7.18.6", + "@babel/helper-environment-visitor": "^7.18.9", "@babel/helper-module-imports": "^7.18.6", "@babel/helper-simple-access": "^7.18.6", "@babel/helper-split-export-declaration": "^7.18.6", "@babel/helper-validator-identifier": "^7.18.6", "@babel/template": "^7.18.6", - "@babel/traverse": "^7.18.6", - "@babel/types": "^7.18.6" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-module-transforms/node_modules/@babel/template": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.18.6.tgz", - "integrity": "sha512-JoDWzPe+wgBsTTgdnIma3iHNFC7YVJoPssVBDjiHfNlyt4YcunDtcDOUmfVDfCK5MfdsaIoX9PkijPhjH3nYUw==", - "dependencies": { - "@babel/code-frame": "^7.18.6", - "@babel/parser": "^7.18.6", - "@babel/types": "^7.18.6" + "@babel/traverse": "^7.18.9", + "@babel/types": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -989,24 +1114,24 @@ } }, "node_modules/@babel/helper-plugin-utils": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.18.6.tgz", - "integrity": "sha512-gvZnm1YAAxh13eJdkb9EWHBnF3eAub3XTLCZEehHT2kWxiKVRL64+ae5Y6Ivne0mVHmMYKT+xWgZO+gQhuLUBg==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.18.9.tgz", + "integrity": "sha512-aBXPT3bmtLryXaoJLyYPXPlSD4p1ld9aYeR+sJNOZjJJGiOpb+fKfh3NkcCu7J54nUJwCERPBExCCpyCOHnu/w==", "dev": true, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/helper-remap-async-to-generator": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.18.6.tgz", - "integrity": "sha512-z5wbmV55TveUPZlCLZvxWHtrjuJd+8inFhk7DG0WW87/oJuGDcjDiu7HIvGcpf5464L6xKCg3vNkmlVVz9hwyQ==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.18.9.tgz", + "integrity": "sha512-dI7q50YKd8BAv3VEfgg7PS7yD3Rtbi2J1XMXaalXO0W0164hYLnh8zpjRS0mte9MfVp/tltvr/cfdXPvJr1opA==", "dev": true, "dependencies": { "@babel/helper-annotate-as-pure": "^7.18.6", - "@babel/helper-environment-visitor": "^7.18.6", - "@babel/helper-wrap-function": "^7.18.6", - "@babel/types": "^7.18.6" + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-wrap-function": "^7.18.9", + "@babel/types": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -1015,29 +1140,17 @@ "@babel/core": "^7.0.0" } }, - "node_modules/@babel/helper-remap-async-to-generator/node_modules/@babel/helper-annotate-as-pure": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", - "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", - "dev": true, - "dependencies": { - "@babel/types": "^7.18.6" - }, - "engines": { - "node": ">=6.9.0" - } - }, "node_modules/@babel/helper-replace-supers": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.18.6.tgz", - "integrity": "sha512-fTf7zoXnUGl9gF25fXCWE26t7Tvtyn6H4hkLSYhATwJvw2uYxd3aoXplMSe0g9XbwK7bmxNes7+FGO0rB/xC0g==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.18.9.tgz", + "integrity": "sha512-dNsWibVI4lNT6HiuOIBr1oyxo40HvIVmbwPUm3XZ7wMh4k2WxrxTqZwSqw/eEmXDS9np0ey5M2bz9tBmO9c+YQ==", "dev": true, "dependencies": { - "@babel/helper-environment-visitor": "^7.18.6", - "@babel/helper-member-expression-to-functions": "^7.18.6", + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-member-expression-to-functions": "^7.18.9", "@babel/helper-optimise-call-expression": "^7.18.6", - "@babel/traverse": "^7.18.6", - "@babel/types": "^7.18.6" + "@babel/traverse": "^7.18.9", + "@babel/types": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -1055,12 +1168,12 @@ } }, "node_modules/@babel/helper-skip-transparent-expression-wrappers": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.18.6.tgz", - "integrity": "sha512-4KoLhwGS9vGethZpAhYnMejWkX64wsnHPDwvOsKWU6Fg4+AlK2Jz3TyjQLMEPvz+1zemi/WBdkYxCD0bAfIkiw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.18.9.tgz", + "integrity": "sha512-imytd2gHi3cJPsybLRbmFrF7u5BIEuI2cNheyKi3/iOBC63kNn3q8Crn2xVuESli0aM4KYsyEqKyS7lFL8YVtw==", "dev": true, "dependencies": { - "@babel/types": "^7.18.6" + "@babel/types": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -1077,6 +1190,14 @@ "node": ">=6.9.0" } }, + "node_modules/@babel/helper-string-parser": { + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.18.10.tgz", + "integrity": "sha512-XtIfWmeNY3i4t7t4D2t02q50HvqHybPqW2ki1kosnvWCwuCMeo81Jf0gwr85jy/neUdg5XDdeFE/80DXiO+njw==", + "engines": { + "node": ">=6.9.0" + } + }, "node_modules/@babel/helper-validator-identifier": { "version": "7.18.6", "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.18.6.tgz", @@ -1094,55 +1215,28 @@ } }, "node_modules/@babel/helper-wrap-function": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-wrap-function/-/helper-wrap-function-7.18.6.tgz", - "integrity": "sha512-I5/LZfozwMNbwr/b1vhhuYD+J/mU+gfGAj5td7l5Rv9WYmH6i3Om69WGKNmlIpsVW/mF6O5bvTKbvDQZVgjqOw==", + "version": "7.18.11", + "resolved": "https://registry.npmjs.org/@babel/helper-wrap-function/-/helper-wrap-function-7.18.11.tgz", + "integrity": "sha512-oBUlbv+rjZLh2Ks9SKi4aL7eKaAXBWleHzU89mP0G6BMUlRxSckk9tSIkgDGydhgFxHuGSlBQZfnaD47oBEB7w==", "dev": true, "dependencies": { - "@babel/helper-function-name": "^7.18.6", - "@babel/template": "^7.18.6", - "@babel/traverse": "^7.18.6", - "@babel/types": "^7.18.6" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-wrap-function/node_modules/@babel/template": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.18.6.tgz", - "integrity": "sha512-JoDWzPe+wgBsTTgdnIma3iHNFC7YVJoPssVBDjiHfNlyt4YcunDtcDOUmfVDfCK5MfdsaIoX9PkijPhjH3nYUw==", - "dev": true, - "dependencies": { - "@babel/code-frame": "^7.18.6", - "@babel/parser": "^7.18.6", - "@babel/types": "^7.18.6" + "@babel/helper-function-name": "^7.18.9", + "@babel/template": "^7.18.10", + "@babel/traverse": "^7.18.11", + "@babel/types": "^7.18.10" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/helpers": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.18.6.tgz", - "integrity": "sha512-vzSiiqbQOghPngUYt/zWGvK3LAsPhz55vc9XNN0xAl2gV4ieShI2OQli5duxWHD+72PZPTKAcfcZDE1Cwc5zsQ==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.18.9.tgz", + "integrity": "sha512-Jf5a+rbrLoR4eNdUmnFu8cN5eNJT6qdTdOg5IHIzq87WwyRw9PwguLFOWYgktN/60IP4fgDUawJvs7PjQIzELQ==", "dependencies": { "@babel/template": "^7.18.6", - "@babel/traverse": "^7.18.6", - "@babel/types": "^7.18.6" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helpers/node_modules/@babel/template": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.18.6.tgz", - "integrity": "sha512-JoDWzPe+wgBsTTgdnIma3iHNFC7YVJoPssVBDjiHfNlyt4YcunDtcDOUmfVDfCK5MfdsaIoX9PkijPhjH3nYUw==", - "dependencies": { - "@babel/code-frame": "^7.18.6", - "@babel/parser": "^7.18.6", - "@babel/types": "^7.18.6" + "@babel/traverse": "^7.18.9", + "@babel/types": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -1162,9 +1256,9 @@ } }, "node_modules/@babel/parser": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.18.6.tgz", - "integrity": "sha512-uQVSa9jJUe/G/304lXspfWVpKpK4euFLgGiMQFOCpM/bgcAdeoHwi/OQz23O9GK2osz26ZiXRRV9aV+Yl1O8tw==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.18.13.tgz", + "integrity": "sha512-dgXcIfMuQ0kgzLB2b9tRZs7TTFFaGM2AbtA4fJgUUYukzGH4jwsS7hzQHEGs67jdehpm22vkgKwvbU+aEflgwg==", "bin": { "parser": "bin/babel-parser.js" }, @@ -1188,14 +1282,14 @@ } }, "node_modules/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.18.6.tgz", - "integrity": "sha512-Udgu8ZRgrBrttVz6A0EVL0SJ1z+RLbIeqsu632SA1hf0awEppD6TvdznoH+orIF8wtFFAV/Enmw9Y+9oV8TQcw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.18.9.tgz", + "integrity": "sha512-AHrP9jadvH7qlOj6PINbgSuphjQUAK7AOT7DPjBo9EHoLhQTnnK5u45e1Hd4DbSQEO9nqPWtQ89r+XEOWFScKg==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6", - "@babel/helper-skip-transparent-expression-wrappers": "^7.18.6", - "@babel/plugin-proposal-optional-chaining": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-skip-transparent-expression-wrappers": "^7.18.9", + "@babel/plugin-proposal-optional-chaining": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -1205,13 +1299,14 @@ } }, "node_modules/@babel/plugin-proposal-async-generator-functions": { - "version": "7.16.8", - "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.16.8.tgz", - "integrity": "sha512-71YHIvMuiuqWJQkebWJtdhQTfd4Q4mF76q2IX37uZPkG9+olBxsX+rH1vkhFto4UeJZ9dPY2s+mDvhDm1u2BGQ==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.18.10.tgz", + "integrity": "sha512-1mFuY2TOsR1hxbjCo4QL+qlIjV07p4H4EUYw2J/WCqsvFV6V9X9z9YhXbWndc/4fw+hYGlDT7egYxliMp5O6Ew==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.16.7", - "@babel/helper-remap-async-to-generator": "^7.16.8", + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-remap-async-to-generator": "^7.18.9", "@babel/plugin-syntax-async-generators": "^7.8.4" }, "engines": { @@ -1271,12 +1366,12 @@ } }, "node_modules/@babel/plugin-proposal-export-namespace-from": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-export-namespace-from/-/plugin-proposal-export-namespace-from-7.18.6.tgz", - "integrity": "sha512-zr/QcUlUo7GPo6+X1wC98NJADqmy5QTFWWhqeQWiki4XHafJtLl/YMGkmRB2szDD2IYJCCdBTd4ElwhId9T7Xw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-export-namespace-from/-/plugin-proposal-export-namespace-from-7.18.9.tgz", + "integrity": "sha512-k1NtHyOMvlDDFeb9G5PhUXuGj8m/wiwojgQVEhJ/fsVsMCpLyOP4h0uGEjYJKrRI+EVPlb5Jk+Gt9P97lOGwtA==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.9", "@babel/plugin-syntax-export-namespace-from": "^7.8.3" }, "engines": { @@ -1303,12 +1398,12 @@ } }, "node_modules/@babel/plugin-proposal-logical-assignment-operators": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-logical-assignment-operators/-/plugin-proposal-logical-assignment-operators-7.18.6.tgz", - "integrity": "sha512-zMo66azZth/0tVd7gmkxOkOjs2rpHyhpcFo565PUP37hSp6hSd9uUKIfTDFMz58BwqgQKhJ9YxtM5XddjXVn+Q==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-logical-assignment-operators/-/plugin-proposal-logical-assignment-operators-7.18.9.tgz", + "integrity": "sha512-128YbMpjCrP35IOExw2Fq+x55LMP42DzhOhX2aNNIdI9avSWl2PI0yuBWarr3RYpZBSPtabfadkH2yeRiMD61Q==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.9", "@babel/plugin-syntax-logical-assignment-operators": "^7.10.4" }, "engines": { @@ -1351,16 +1446,16 @@ } }, "node_modules/@babel/plugin-proposal-object-rest-spread": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.18.6.tgz", - "integrity": "sha512-9yuM6wr4rIsKa1wlUAbZEazkCrgw2sMPEXCr4Rnwetu7cEW1NydkCWytLuYletbf8vFxdJxFhwEZqMpOx2eZyw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.18.9.tgz", + "integrity": "sha512-kDDHQ5rflIeY5xl69CEqGEZ0KY369ehsCIEbTGb4siHG5BE9sga/T0r0OUwyZNLMmZE79E1kbsqAjwFCW4ds6Q==", "dev": true, "dependencies": { - "@babel/compat-data": "^7.18.6", - "@babel/helper-compilation-targets": "^7.18.6", - "@babel/helper-plugin-utils": "^7.18.6", + "@babel/compat-data": "^7.18.8", + "@babel/helper-compilation-targets": "^7.18.9", + "@babel/helper-plugin-utils": "^7.18.9", "@babel/plugin-syntax-object-rest-spread": "^7.8.3", - "@babel/plugin-transform-parameters": "^7.18.6" + "@babel/plugin-transform-parameters": "^7.18.8" }, "engines": { "node": ">=6.9.0" @@ -1386,13 +1481,13 @@ } }, "node_modules/@babel/plugin-proposal-optional-chaining": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.18.6.tgz", - "integrity": "sha512-PatI6elL5eMzoypFAiYDpYQyMtXTn+iMhuxxQt5mAXD4fEmKorpSI3PHd+i3JXBJN3xyA6MvJv7at23HffFHwA==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.18.9.tgz", + "integrity": "sha512-v5nwt4IqBXihxGsW2QmCWMDS3B3bzGIk/EQVZz2ei7f3NJl8NzAJVvUmpDW5q1CRNY+Beb/k58UAH1Km1N411w==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6", - "@babel/helper-skip-transparent-expression-wrappers": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-skip-transparent-expression-wrappers": "^7.18.9", "@babel/plugin-syntax-optional-chaining": "^7.8.3" }, "engines": { @@ -1436,18 +1531,6 @@ "@babel/core": "^7.0.0-0" } }, - "node_modules/@babel/plugin-proposal-private-property-in-object/node_modules/@babel/helper-annotate-as-pure": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", - "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", - "dev": true, - "dependencies": { - "@babel/types": "^7.18.6" - }, - "engines": { - "node": ">=6.9.0" - } - }, "node_modules/@babel/plugin-proposal-unicode-property-regex": { "version": "7.18.6", "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-unicode-property-regex/-/plugin-proposal-unicode-property-regex-7.18.6.tgz", @@ -1539,6 +1622,21 @@ "@babel/core": "^7.0.0-0" } }, + "node_modules/@babel/plugin-syntax-import-assertions": { + "version": "7.18.6", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-assertions/-/plugin-syntax-import-assertions-7.18.6.tgz", + "integrity": "sha512-/DU3RXad9+bZwrgWJQKbr39gYbJpLJHezqEzRzi/BHRlJ9zsQb4CK2CA/5apllXNomwA1qHwzvHl+AdEmC5krQ==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.18.6" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, "node_modules/@babel/plugin-syntax-import-meta": { "version": "7.10.4", "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz", @@ -1696,14 +1794,14 @@ } }, "node_modules/@babel/plugin-transform-async-to-generator": { - "version": "7.16.8", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.16.8.tgz", - "integrity": "sha512-MtmUmTJQHCnyJVrScNzNlofQJ3dLFuobYn3mwOTKHnSCMtbNsqvF71GQmJfFjdrXSsAA7iysFmYWw4bXZ20hOg==", + "version": "7.18.6", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.18.6.tgz", + "integrity": "sha512-ARE5wZLKnTgPW7/1ftQmSi1CmkqqHo2DNmtztFhvgtOWSDfq0Cq9/9L+KnZNYSNrydBekhW3rwShduf59RoXag==", "dev": true, "dependencies": { - "@babel/helper-module-imports": "^7.16.7", - "@babel/helper-plugin-utils": "^7.16.7", - "@babel/helper-remap-async-to-generator": "^7.16.8" + "@babel/helper-module-imports": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.6", + "@babel/helper-remap-async-to-generator": "^7.18.6" }, "engines": { "node": ">=6.9.0" @@ -1728,12 +1826,12 @@ } }, "node_modules/@babel/plugin-transform-block-scoping": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.18.6.tgz", - "integrity": "sha512-pRqwb91C42vs1ahSAWJkxOxU1RHWDn16XAa6ggQ72wjLlWyYeAcLvTtE0aM8ph3KNydy9CQF2nLYcjq1WysgxQ==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.18.9.tgz", + "integrity": "sha512-5sDIJRV1KtQVEbt/EIBwGy4T01uYIo4KRB3VUqzkhrAIOGx7AoctL9+Ux88btY0zXdDyPJ9mW+bg+v+XEkGmtw==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -1743,17 +1841,17 @@ } }, "node_modules/@babel/plugin-transform-classes": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-classes/-/plugin-transform-classes-7.18.6.tgz", - "integrity": "sha512-XTg8XW/mKpzAF3actL554Jl/dOYoJtv3l8fxaEczpgz84IeeVf+T1u2CSvPHuZbt0w3JkIx4rdn/MRQI7mo0HQ==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-classes/-/plugin-transform-classes-7.18.9.tgz", + "integrity": "sha512-EkRQxsxoytpTlKJmSPYrsOMjCILacAjtSVkd4gChEe2kXjFCun3yohhW5I7plXJhCemM0gKsaGMcO8tinvCA5g==", "dev": true, "dependencies": { "@babel/helper-annotate-as-pure": "^7.18.6", - "@babel/helper-environment-visitor": "^7.18.6", - "@babel/helper-function-name": "^7.18.6", + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-function-name": "^7.18.9", "@babel/helper-optimise-call-expression": "^7.18.6", - "@babel/helper-plugin-utils": "^7.18.6", - "@babel/helper-replace-supers": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-replace-supers": "^7.18.9", "@babel/helper-split-export-declaration": "^7.18.6", "globals": "^11.1.0" }, @@ -1764,25 +1862,13 @@ "@babel/core": "^7.0.0-0" } }, - "node_modules/@babel/plugin-transform-classes/node_modules/@babel/helper-annotate-as-pure": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", - "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", - "dev": true, - "dependencies": { - "@babel/types": "^7.18.6" - }, - "engines": { - "node": ">=6.9.0" - } - }, "node_modules/@babel/plugin-transform-computed-properties": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.18.6.tgz", - "integrity": "sha512-9repI4BhNrR0KenoR9vm3/cIc1tSBIo+u1WVjKCAynahj25O8zfbiE6JtAtHPGQSs4yZ+bA8mRasRP+qc+2R5A==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.18.9.tgz", + "integrity": "sha512-+i0ZU1bCDymKakLxn5srGHrsAPRELC2WIbzwjLhHW9SIE1cPYkLCL0NlnXMZaM1vhfgA2+M7hySk42VBvrkBRw==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -1792,12 +1878,12 @@ } }, "node_modules/@babel/plugin-transform-destructuring": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.18.6.tgz", - "integrity": "sha512-tgy3u6lRp17ilY8r1kP4i2+HDUwxlVqq3RTc943eAWSzGgpU1qhiKpqZ5CMyHReIYPHdo3Kg8v8edKtDqSVEyQ==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.18.13.tgz", + "integrity": "sha512-TodpQ29XekIsex2A+YJPj5ax2plkGa8YYY6mFjCohk/IG9IY42Rtuj1FuDeemfg2ipxIFLzPeA83SIBnlhSIow==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -1823,12 +1909,12 @@ } }, "node_modules/@babel/plugin-transform-duplicate-keys": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.18.6.tgz", - "integrity": "sha512-NJU26U/208+sxYszf82nmGYqVF9QN8py2HFTblPT9hbawi8+1C5a9JubODLTGFuT0qlkqVinmkwOD13s0sZktg==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.18.9.tgz", + "integrity": "sha512-d2bmXCtZXYc59/0SanQKbiWINadaJXqtvIQIzd4+hNwkWBgyCd5F/2t1kXoUdvPMrxzPvhK6EMQRROxsue+mfw==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -1854,9 +1940,9 @@ } }, "node_modules/@babel/plugin-transform-for-of": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.18.6.tgz", - "integrity": "sha512-WAjoMf4wIiSsy88KmG7tgj2nFdEK7E46tArVtcgED7Bkj6Fg/tG5SbvNIOKxbFS2VFgNh6+iaPswBeQZm4ox8w==", + "version": "7.18.8", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.18.8.tgz", + "integrity": "sha512-yEfTRnjuskWYo0k1mHUqrVWaZwrdq8AYbfrpqULOJOaucGSp4mNMVps+YtA8byoevxS/urwU75vyhQIxcCgiBQ==", "dev": true, "dependencies": { "@babel/helper-plugin-utils": "^7.18.6" @@ -1869,14 +1955,14 @@ } }, "node_modules/@babel/plugin-transform-function-name": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.18.6.tgz", - "integrity": "sha512-kJha/Gbs5RjzIu0CxZwf5e3aTTSlhZnHMT8zPWnJMjNpLOUgqevg+PN5oMH68nMCXnfiMo4Bhgxqj59KHTlAnA==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.18.9.tgz", + "integrity": "sha512-WvIBoRPaJQ5yVHzcnJFor7oS5Ls0PYixlTYE63lCj2RtdQEl15M68FXQlxnG6wdraJIXRdR7KI+hQ7q/9QjrCQ==", "dev": true, "dependencies": { - "@babel/helper-compilation-targets": "^7.18.6", - "@babel/helper-function-name": "^7.18.6", - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-compilation-targets": "^7.18.9", + "@babel/helper-function-name": "^7.18.9", + "@babel/helper-plugin-utils": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -1886,12 +1972,12 @@ } }, "node_modules/@babel/plugin-transform-literals": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-literals/-/plugin-transform-literals-7.18.6.tgz", - "integrity": "sha512-x3HEw0cJZVDoENXOp20HlypIHfl0zMIhMVZEBVTfmqbObIpsMxMbmU5nOEO8R7LYT+z5RORKPlTI5Hj4OsO9/Q==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-literals/-/plugin-transform-literals-7.18.9.tgz", + "integrity": "sha512-IFQDSRoTPnrAIrI5zoZv73IFeZu2dhu6irxQjY9rNjTT53VmKg9fenjvoiOWOkJ6mm4jKVPtdMzBY98Fp4Z4cg==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -1951,14 +2037,14 @@ } }, "node_modules/@babel/plugin-transform-modules-systemjs": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.18.6.tgz", - "integrity": "sha512-UbPYpXxLjTw6w6yXX2BYNxF3p6QY225wcTkfQCy3OMnSlS/C3xGtwUjEzGkldb/sy6PWLiCQ3NbYfjWUTI3t4g==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.18.9.tgz", + "integrity": "sha512-zY/VSIbbqtoRoJKo2cDTewL364jSlZGvn0LKOf9ntbfxOvjfmyrdtEEOAdswOswhZEb8UH3jDkCKHd1sPgsS0A==", "dev": true, "dependencies": { "@babel/helper-hoist-variables": "^7.18.6", - "@babel/helper-module-transforms": "^7.18.6", - "@babel/helper-plugin-utils": "^7.18.6", + "@babel/helper-module-transforms": "^7.18.9", + "@babel/helper-plugin-utils": "^7.18.9", "@babel/helper-validator-identifier": "^7.18.6", "babel-plugin-dynamic-import-node": "^2.3.3" }, @@ -2033,9 +2119,9 @@ } }, "node_modules/@babel/plugin-transform-parameters": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.18.6.tgz", - "integrity": "sha512-FjdqgMv37yVl/gwvzkcB+wfjRI8HQmc5EgOG9iGNvUY1ok+TjsoaMP7IqCDZBhkFcM5f3OPVMs6Dmp03C5k4/A==", + "version": "7.18.8", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.18.8.tgz", + "integrity": "sha512-ivfbE3X2Ss+Fj8nnXvKJS6sjRG4gzwPMsP+taZC+ZzEGjAYlvENixmt1sZ5Ca6tWls+BlKSGKPJ6OOXvXCbkFg==", "dev": true, "dependencies": { "@babel/helper-plugin-utils": "^7.18.6" @@ -2094,16 +2180,16 @@ } }, "node_modules/@babel/plugin-transform-runtime": { - "version": "7.17.10", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.17.10.tgz", - "integrity": "sha512-6jrMilUAJhktTr56kACL8LnWC5hx3Lf27BS0R0DSyW/OoJfb/iTHeE96V3b1dgKG3FSFdd/0culnYWMkjcKCig==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.18.10.tgz", + "integrity": "sha512-q5mMeYAdfEbpBAgzl7tBre/la3LeCxmDO1+wMXRdPWbcoMjR3GiXlCLk7JBZVVye0bqTGNMbt0yYVXX1B1jEWQ==", "dev": true, "dependencies": { - "@babel/helper-module-imports": "^7.16.7", - "@babel/helper-plugin-utils": "^7.16.7", - "babel-plugin-polyfill-corejs2": "^0.3.0", - "babel-plugin-polyfill-corejs3": "^0.5.0", - "babel-plugin-polyfill-regenerator": "^0.3.0", + "@babel/helper-module-imports": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.9", + "babel-plugin-polyfill-corejs2": "^0.3.2", + "babel-plugin-polyfill-corejs3": "^0.5.3", + "babel-plugin-polyfill-regenerator": "^0.4.0", "semver": "^6.3.0" }, "engines": { @@ -2138,13 +2224,13 @@ } }, "node_modules/@babel/plugin-transform-spread": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-spread/-/plugin-transform-spread-7.18.6.tgz", - "integrity": "sha512-ayT53rT/ENF8WWexIRg9AiV9h0aIteyWn5ptfZTZQrjk/+f3WdrJGCY4c9wcgl2+MKkKPhzbYp97FTsquZpDCw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-spread/-/plugin-transform-spread-7.18.9.tgz", + "integrity": "sha512-39Q814wyoOPtIB/qGopNIL9xDChOE1pNU0ZY5dO0owhiVt/5kFm4li+/bBtwc7QotG0u5EPzqhZdjMtmqBqyQA==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6", - "@babel/helper-skip-transparent-expression-wrappers": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-skip-transparent-expression-wrappers": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -2169,12 +2255,12 @@ } }, "node_modules/@babel/plugin-transform-template-literals": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.18.6.tgz", - "integrity": "sha512-UuqlRrQmT2SWRvahW46cGSany0uTlcj8NYOS5sRGYi8FxPYPoLd5DDmMd32ZXEj2Jq+06uGVQKHxa/hJx2EzKw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.18.9.tgz", + "integrity": "sha512-S8cOWfT82gTezpYOiVaGHrCbhlHgKhQt8XH5ES46P2XWmX92yisoZywf5km75wv5sYcXDUCLMmMxOLCtthDgMA==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -2184,12 +2270,12 @@ } }, "node_modules/@babel/plugin-transform-typeof-symbol": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.18.6.tgz", - "integrity": "sha512-7m71iS/QhsPk85xSjFPovHPcH3H9qeyzsujhTc+vcdnsXavoWYJ74zx0lP5RhpC5+iDnVLO+PPMHzC11qels1g==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.18.9.tgz", + "integrity": "sha512-SRfwTtF11G2aemAZWivL7PD+C9z52v9EvMqH9BuYbabyPuKUvSWks3oCg6041pT925L4zVFqaVBeECwsmlguEw==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -2199,12 +2285,12 @@ } }, "node_modules/@babel/plugin-transform-unicode-escapes": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.18.6.tgz", - "integrity": "sha512-XNRwQUXYMP7VLuy54cr/KS/WeL3AZeORhrmeZ7iewgu+X2eBqmpaLI/hzqr9ZxCeUoq0ASK4GUzSM0BDhZkLFw==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.18.10.tgz", + "integrity": "sha512-kKAdAI+YzPgGY/ftStBFXTI1LZFju38rYThnfMykS+IXy8BVx+res7s2fxf1l8I35DV2T97ezo6+SGrXz6B3iQ==", "dev": true, "dependencies": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" }, "engines": { "node": ">=6.9.0" @@ -2230,37 +2316,38 @@ } }, "node_modules/@babel/preset-env": { - "version": "7.17.10", - "resolved": "https://registry.npmjs.org/@babel/preset-env/-/preset-env-7.17.10.tgz", - "integrity": "sha512-YNgyBHZQpeoBSRBg0xixsZzfT58Ze1iZrajvv0lJc70qDDGuGfonEnMGfWeSY0mQ3JTuCWFbMkzFRVafOyJx4g==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/preset-env/-/preset-env-7.18.10.tgz", + "integrity": "sha512-wVxs1yjFdW3Z/XkNfXKoblxoHgbtUF7/l3PvvP4m02Qz9TZ6uZGxRVYjSQeR87oQmHco9zWitW5J82DJ7sCjvA==", "dev": true, "dependencies": { - "@babel/compat-data": "^7.17.10", - "@babel/helper-compilation-targets": "^7.17.10", - "@babel/helper-plugin-utils": "^7.16.7", - "@babel/helper-validator-option": "^7.16.7", - "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression": "^7.16.7", - "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": "^7.16.7", - "@babel/plugin-proposal-async-generator-functions": "^7.16.8", - "@babel/plugin-proposal-class-properties": "^7.16.7", - "@babel/plugin-proposal-class-static-block": "^7.17.6", - "@babel/plugin-proposal-dynamic-import": "^7.16.7", - "@babel/plugin-proposal-export-namespace-from": "^7.16.7", - "@babel/plugin-proposal-json-strings": "^7.16.7", - "@babel/plugin-proposal-logical-assignment-operators": "^7.16.7", - "@babel/plugin-proposal-nullish-coalescing-operator": "^7.16.7", - "@babel/plugin-proposal-numeric-separator": "^7.16.7", - "@babel/plugin-proposal-object-rest-spread": "^7.17.3", - "@babel/plugin-proposal-optional-catch-binding": "^7.16.7", - "@babel/plugin-proposal-optional-chaining": "^7.16.7", - "@babel/plugin-proposal-private-methods": "^7.16.11", - "@babel/plugin-proposal-private-property-in-object": "^7.16.7", - "@babel/plugin-proposal-unicode-property-regex": "^7.16.7", + "@babel/compat-data": "^7.18.8", + "@babel/helper-compilation-targets": "^7.18.9", + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-validator-option": "^7.18.6", + "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression": "^7.18.6", + "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": "^7.18.9", + "@babel/plugin-proposal-async-generator-functions": "^7.18.10", + "@babel/plugin-proposal-class-properties": "^7.18.6", + "@babel/plugin-proposal-class-static-block": "^7.18.6", + "@babel/plugin-proposal-dynamic-import": "^7.18.6", + "@babel/plugin-proposal-export-namespace-from": "^7.18.9", + "@babel/plugin-proposal-json-strings": "^7.18.6", + "@babel/plugin-proposal-logical-assignment-operators": "^7.18.9", + "@babel/plugin-proposal-nullish-coalescing-operator": "^7.18.6", + "@babel/plugin-proposal-numeric-separator": "^7.18.6", + "@babel/plugin-proposal-object-rest-spread": "^7.18.9", + "@babel/plugin-proposal-optional-catch-binding": "^7.18.6", + "@babel/plugin-proposal-optional-chaining": "^7.18.9", + "@babel/plugin-proposal-private-methods": "^7.18.6", + "@babel/plugin-proposal-private-property-in-object": "^7.18.6", + "@babel/plugin-proposal-unicode-property-regex": "^7.18.6", "@babel/plugin-syntax-async-generators": "^7.8.4", "@babel/plugin-syntax-class-properties": "^7.12.13", "@babel/plugin-syntax-class-static-block": "^7.14.5", "@babel/plugin-syntax-dynamic-import": "^7.8.3", "@babel/plugin-syntax-export-namespace-from": "^7.8.3", + "@babel/plugin-syntax-import-assertions": "^7.18.6", "@babel/plugin-syntax-json-strings": "^7.8.3", "@babel/plugin-syntax-logical-assignment-operators": "^7.10.4", "@babel/plugin-syntax-nullish-coalescing-operator": "^7.8.3", @@ -2270,43 +2357,43 @@ "@babel/plugin-syntax-optional-chaining": "^7.8.3", "@babel/plugin-syntax-private-property-in-object": "^7.14.5", "@babel/plugin-syntax-top-level-await": "^7.14.5", - "@babel/plugin-transform-arrow-functions": "^7.16.7", - "@babel/plugin-transform-async-to-generator": "^7.16.8", - "@babel/plugin-transform-block-scoped-functions": "^7.16.7", - "@babel/plugin-transform-block-scoping": "^7.16.7", - "@babel/plugin-transform-classes": "^7.16.7", - "@babel/plugin-transform-computed-properties": "^7.16.7", - "@babel/plugin-transform-destructuring": "^7.17.7", - "@babel/plugin-transform-dotall-regex": "^7.16.7", - "@babel/plugin-transform-duplicate-keys": "^7.16.7", - "@babel/plugin-transform-exponentiation-operator": "^7.16.7", - "@babel/plugin-transform-for-of": "^7.16.7", - "@babel/plugin-transform-function-name": "^7.16.7", - "@babel/plugin-transform-literals": "^7.16.7", - "@babel/plugin-transform-member-expression-literals": "^7.16.7", - "@babel/plugin-transform-modules-amd": "^7.16.7", - "@babel/plugin-transform-modules-commonjs": "^7.17.9", - "@babel/plugin-transform-modules-systemjs": "^7.17.8", - "@babel/plugin-transform-modules-umd": "^7.16.7", - "@babel/plugin-transform-named-capturing-groups-regex": "^7.17.10", - "@babel/plugin-transform-new-target": "^7.16.7", - "@babel/plugin-transform-object-super": "^7.16.7", - "@babel/plugin-transform-parameters": "^7.16.7", - "@babel/plugin-transform-property-literals": "^7.16.7", - "@babel/plugin-transform-regenerator": "^7.17.9", - "@babel/plugin-transform-reserved-words": "^7.16.7", - "@babel/plugin-transform-shorthand-properties": "^7.16.7", - "@babel/plugin-transform-spread": "^7.16.7", - "@babel/plugin-transform-sticky-regex": "^7.16.7", - "@babel/plugin-transform-template-literals": "^7.16.7", - "@babel/plugin-transform-typeof-symbol": "^7.16.7", - "@babel/plugin-transform-unicode-escapes": "^7.16.7", - "@babel/plugin-transform-unicode-regex": "^7.16.7", + "@babel/plugin-transform-arrow-functions": "^7.18.6", + "@babel/plugin-transform-async-to-generator": "^7.18.6", + "@babel/plugin-transform-block-scoped-functions": "^7.18.6", + "@babel/plugin-transform-block-scoping": "^7.18.9", + "@babel/plugin-transform-classes": "^7.18.9", + "@babel/plugin-transform-computed-properties": "^7.18.9", + "@babel/plugin-transform-destructuring": "^7.18.9", + "@babel/plugin-transform-dotall-regex": "^7.18.6", + "@babel/plugin-transform-duplicate-keys": "^7.18.9", + "@babel/plugin-transform-exponentiation-operator": "^7.18.6", + "@babel/plugin-transform-for-of": "^7.18.8", + "@babel/plugin-transform-function-name": "^7.18.9", + "@babel/plugin-transform-literals": "^7.18.9", + "@babel/plugin-transform-member-expression-literals": "^7.18.6", + "@babel/plugin-transform-modules-amd": "^7.18.6", + "@babel/plugin-transform-modules-commonjs": "^7.18.6", + "@babel/plugin-transform-modules-systemjs": "^7.18.9", + "@babel/plugin-transform-modules-umd": "^7.18.6", + "@babel/plugin-transform-named-capturing-groups-regex": "^7.18.6", + "@babel/plugin-transform-new-target": "^7.18.6", + "@babel/plugin-transform-object-super": "^7.18.6", + "@babel/plugin-transform-parameters": "^7.18.8", + "@babel/plugin-transform-property-literals": "^7.18.6", + "@babel/plugin-transform-regenerator": "^7.18.6", + "@babel/plugin-transform-reserved-words": "^7.18.6", + "@babel/plugin-transform-shorthand-properties": "^7.18.6", + "@babel/plugin-transform-spread": "^7.18.9", + "@babel/plugin-transform-sticky-regex": "^7.18.6", + "@babel/plugin-transform-template-literals": "^7.18.9", + "@babel/plugin-transform-typeof-symbol": "^7.18.9", + "@babel/plugin-transform-unicode-escapes": "^7.18.10", + "@babel/plugin-transform-unicode-regex": "^7.18.6", "@babel/preset-modules": "^0.1.5", - "@babel/types": "^7.17.10", - "babel-plugin-polyfill-corejs2": "^0.3.0", - "babel-plugin-polyfill-corejs3": "^0.5.0", - "babel-plugin-polyfill-regenerator": "^0.3.0", + "@babel/types": "^7.18.10", + "babel-plugin-polyfill-corejs2": "^0.3.2", + "babel-plugin-polyfill-corejs3": "^0.5.3", + "babel-plugin-polyfill-regenerator": "^0.4.0", "core-js-compat": "^3.22.1", "semver": "^6.3.0" }, @@ -2343,9 +2430,9 @@ } }, "node_modules/@babel/runtime": { - "version": "7.17.9", - "resolved": "https://registry.npmjs.org/@babel/runtime/-/runtime-7.17.9.tgz", - "integrity": "sha512-lSiBBvodq29uShpWGNbgFdKYNiFDo5/HIYsaCEY9ff4sb10x9jizo2+pRrSyF4jKZCXqgzuqBOQKbUm90gQwJg==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/runtime/-/runtime-7.18.9.tgz", + "integrity": "sha512-lkqXDcvlFT5rvEjiu6+QYO+1GXrEHRo2LOtS7E4GtX5ESIZOgepqsZBVIj6Pv+a6zqsya9VCgiK1KAK4BvJDAw==", "dev": true, "dependencies": { "regenerator-runtime": "^0.13.4" @@ -2355,31 +2442,31 @@ } }, "node_modules/@babel/template": { - "version": "7.16.7", - "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.16.7.tgz", - "integrity": "sha512-I8j/x8kHUrbYRTUxXrrMbfCa7jxkE7tZre39x3kjr9hvI82cK1FfqLygotcWN5kdPGWcLdWMHpSBavse5tWw3w==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.18.10.tgz", + "integrity": "sha512-TI+rCtooWHr3QJ27kJxfjutghu44DLnasDMwpDqCXVTal9RLp3RSYNh4NdBrRP2cQAoG9A8juOQl6P6oZG4JxA==", "dependencies": { - "@babel/code-frame": "^7.16.7", - "@babel/parser": "^7.16.7", - "@babel/types": "^7.16.7" + "@babel/code-frame": "^7.18.6", + "@babel/parser": "^7.18.10", + "@babel/types": "^7.18.10" }, "engines": { "node": ">=6.9.0" } }, "node_modules/@babel/traverse": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.18.6.tgz", - "integrity": "sha512-zS/OKyqmD7lslOtFqbscH6gMLFYOfG1YPqCKfAW5KrTeolKqvB8UelR49Fpr6y93kYkW2Ik00mT1LOGiAGvizw==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.18.13.tgz", + "integrity": "sha512-N6kt9X1jRMLPxxxPYWi7tgvJRH/rtoU+dbKAPDM44RFHiMH8igdsaSBgFeskhSl/kLWLDUvIh1RXCrTmg0/zvA==", "dependencies": { "@babel/code-frame": "^7.18.6", - "@babel/generator": "^7.18.6", - "@babel/helper-environment-visitor": "^7.18.6", - "@babel/helper-function-name": "^7.18.6", + "@babel/generator": "^7.18.13", + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-function-name": "^7.18.9", "@babel/helper-hoist-variables": "^7.18.6", "@babel/helper-split-export-declaration": "^7.18.6", - "@babel/parser": "^7.18.6", - "@babel/types": "^7.18.6", + "@babel/parser": "^7.18.13", + "@babel/types": "^7.18.13", "debug": "^4.1.0", "globals": "^11.1.0" }, @@ -2388,11 +2475,11 @@ } }, "node_modules/@babel/traverse/node_modules/@babel/generator": { - "version": "7.18.7", - "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.7.tgz", - "integrity": "sha512-shck+7VLlY72a2w9c3zYWuE1pwOKEiQHV7GTUbSnhyl5eu3i04t30tBY82ZRWrDfo3gkakCFtevExnxbkf2a3A==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.13.tgz", + "integrity": "sha512-CkPg8ySSPuHTYPJYo7IRALdqyjM9HCbt/3uOBEFbzyGVP6Mn8bwFPB0jX6982JVNBlYzM1nnPkfjuXSOPtQeEQ==", "dependencies": { - "@babel/types": "^7.18.7", + "@babel/types": "^7.18.13", "@jridgewell/gen-mapping": "^0.3.2", "jsesc": "^2.5.1" }, @@ -2414,10 +2501,11 @@ } }, "node_modules/@babel/types": { - "version": "7.18.7", - "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.18.7.tgz", - "integrity": "sha512-QG3yxTcTIBoAcQmkCs+wAPYZhu7Dk9rXKacINfNbdJDNERTbLQbHGyVG8q/YGMPeCJRIhSY0+fTc5+xuh6WPSQ==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.18.13.tgz", + "integrity": "sha512-ePqfTihzW0W6XAU+aMw2ykilisStJfDnsejDCXRchCcMJ4O0+8DhPXf2YUbZ6wjBlsEmZwLK/sPweWtu8hcJYQ==", "dependencies": { + "@babel/helper-string-parser": "^7.18.10", "@babel/helper-validator-identifier": "^7.18.6", "to-fast-properties": "^2.0.0" }, @@ -2462,10 +2550,30 @@ "@jridgewell/sourcemap-codec": "^1.4.10" } }, + "node_modules/@csstools/postcss-cascade-layers": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/@csstools/postcss-cascade-layers/-/postcss-cascade-layers-1.0.5.tgz", + "integrity": "sha512-Id/9wBT7FkgFzdEpiEWrsVd4ltDxN0rI0QS0SChbeQiSuux3z21SJCRLu6h2cvCEUmaRi+VD0mHFj+GJD4GFnw==", + "dev": true, + "dependencies": { + "@csstools/selector-specificity": "^2.0.2", + "postcss-selector-parser": "^6.0.10" + }, + "engines": { + "node": "^12 || ^14 || >=16" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, + "peerDependencies": { + "postcss": "^8.2" + } + }, "node_modules/@csstools/postcss-color-function": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-color-function/-/postcss-color-function-1.1.0.tgz", - "integrity": "sha512-5D5ND/mZWcQoSfYnSPsXtuiFxhzmhxt6pcjrFLJyldj+p0ZN2vvRpYNX+lahFTtMhAYOa2WmkdGINr0yP0CvGA==", + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@csstools/postcss-color-function/-/postcss-color-function-1.1.1.tgz", + "integrity": "sha512-Bc0f62WmHdtRDjf5f3e2STwRAl89N2CLb+9iAwzrv4L2hncrbDwnQD9PCq0gtAt7pOI2leIV08HIBUd4jxD8cw==", "dev": true, "dependencies": { "@csstools/postcss-progressive-custom-properties": "^1.1.0", @@ -2479,28 +2587,13 @@ "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.4" + "postcss": "^8.2" } }, "node_modules/@csstools/postcss-font-format-keywords": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-font-format-keywords/-/postcss-font-format-keywords-1.0.0.tgz", - "integrity": "sha512-oO0cZt8do8FdVBX8INftvIA4lUrKUSCcWUf9IwH9IPWOgKT22oAZFXeHLoDK7nhB2SmkNycp5brxfNMRLIhd6Q==", - "dev": true, - "dependencies": { - "postcss-value-parser": "^4.2.0" - }, - "engines": { - "node": "^12 || ^14 || >=16" - }, - "peerDependencies": { - "postcss": "^8.3" - } - }, - "node_modules/@csstools/postcss-hwb-function": { "version": "1.0.1", - "resolved": "https://registry.npmjs.org/@csstools/postcss-hwb-function/-/postcss-hwb-function-1.0.1.tgz", - "integrity": "sha512-AMZwWyHbbNLBsDADWmoXT9A5yl5dsGEBeJSJRUJt8Y9n8Ziu7Wstt4MC8jtPW7xjcLecyfJwtnUTNSmOzcnWeg==", + "resolved": "https://registry.npmjs.org/@csstools/postcss-font-format-keywords/-/postcss-font-format-keywords-1.0.1.tgz", + "integrity": "sha512-ZgrlzuUAjXIOc2JueK0X5sZDjCtgimVp/O5CEqTcs5ShWBa6smhWYbS0x5cVc/+rycTDbjjzoP0KTDnUneZGOg==", "dev": true, "dependencies": { "postcss-value-parser": "^4.2.0" @@ -2513,13 +2606,32 @@ "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.4" + "postcss": "^8.2" + } + }, + "node_modules/@csstools/postcss-hwb-function": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/@csstools/postcss-hwb-function/-/postcss-hwb-function-1.0.2.tgz", + "integrity": "sha512-YHdEru4o3Rsbjmu6vHy4UKOXZD+Rn2zmkAmLRfPet6+Jz4Ojw8cbWxe1n42VaXQhD3CQUXXTooIy8OkVbUcL+w==", + "dev": true, + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^12 || ^14 || >=16" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, + "peerDependencies": { + "postcss": "^8.2" } }, "node_modules/@csstools/postcss-ic-unit": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-ic-unit/-/postcss-ic-unit-1.0.0.tgz", - "integrity": "sha512-i4yps1mBp2ijrx7E96RXrQXQQHm6F4ym1TOD0D69/sjDjZvQ22tqiEvaNw7pFZTUO5b9vWRHzbHzP9+UKuw+bA==", + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@csstools/postcss-ic-unit/-/postcss-ic-unit-1.0.1.tgz", + "integrity": "sha512-Ot1rcwRAaRHNKC9tAqoqNZhjdYBzKk1POgWfhN4uCOE47ebGcLRqXjKkApVDpjifL6u2/55ekkpnFcp+s/OZUw==", "dev": true, "dependencies": { "@csstools/postcss-progressive-custom-properties": "^1.1.0", @@ -2528,14 +2640,18 @@ "engines": { "node": "^12 || ^14 || >=16" }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, "peerDependencies": { - "postcss": "^8.3" + "postcss": "^8.2" } }, "node_modules/@csstools/postcss-is-pseudo-class": { - "version": "2.0.6", - "resolved": "https://registry.npmjs.org/@csstools/postcss-is-pseudo-class/-/postcss-is-pseudo-class-2.0.6.tgz", - "integrity": "sha512-Oqs396oenuyyMdRXOstxXbxei8fYEgToYjmlYHEi5gk0QLk7xQ72LY7NDr7waWAAmdVzRqPpbE26Q7/cUrGu4Q==", + "version": "2.0.7", + "resolved": "https://registry.npmjs.org/@csstools/postcss-is-pseudo-class/-/postcss-is-pseudo-class-2.0.7.tgz", + "integrity": "sha512-7JPeVVZHd+jxYdULl87lvjgvWldYu+Bc62s9vD/ED6/QTGjy0jy0US/f6BG53sVMTBJ1lzKZFpYmofBN9eaRiA==", "dev": true, "dependencies": { "@csstools/selector-specificity": "^2.0.0", @@ -2552,10 +2668,10 @@ "postcss": "^8.2" } }, - "node_modules/@csstools/postcss-normalize-display-values": { + "node_modules/@csstools/postcss-nested-calc": { "version": "1.0.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-normalize-display-values/-/postcss-normalize-display-values-1.0.0.tgz", - "integrity": "sha512-bX+nx5V8XTJEmGtpWTO6kywdS725t71YSLlxWt78XoHUbELWgoCXeOFymRJmL3SU1TLlKSIi7v52EWqe60vJTQ==", + "resolved": "https://registry.npmjs.org/@csstools/postcss-nested-calc/-/postcss-nested-calc-1.0.0.tgz", + "integrity": "sha512-JCsQsw1wjYwv1bJmgjKSoZNvf7R6+wuHDAbi5f/7MbFhl2d/+v+TvBTU4BJH3G1X1H87dHl0mh6TfYogbT/dJQ==", "dev": true, "dependencies": { "postcss-value-parser": "^4.2.0" @@ -2563,14 +2679,37 @@ "engines": { "node": "^12 || ^14 || >=16" }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, "peerDependencies": { - "postcss": "^8.3" + "postcss": "^8.2" + } + }, + "node_modules/@csstools/postcss-normalize-display-values": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@csstools/postcss-normalize-display-values/-/postcss-normalize-display-values-1.0.1.tgz", + "integrity": "sha512-jcOanIbv55OFKQ3sYeFD/T0Ti7AMXc9nM1hZWu8m/2722gOTxFg7xYu4RDLJLeZmPUVQlGzo4jhzvTUq3x4ZUw==", + "dev": true, + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^12 || ^14 || >=16" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, + "peerDependencies": { + "postcss": "^8.2" } }, "node_modules/@csstools/postcss-oklab-function": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-oklab-function/-/postcss-oklab-function-1.1.0.tgz", - "integrity": "sha512-e/Q5HopQzmnQgqimG9v3w2IG4VRABsBq3itOcn4bnm+j4enTgQZ0nWsaH/m9GV2otWGQ0nwccYL5vmLKyvP1ww==", + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@csstools/postcss-oklab-function/-/postcss-oklab-function-1.1.1.tgz", + "integrity": "sha512-nJpJgsdA3dA9y5pgyb/UfEzE7W5Ka7u0CX0/HIMVBNWzWemdcTH3XwANECU6anWv/ao4vVNLTMxhiPNZsTK6iA==", "dev": true, "dependencies": { "@csstools/postcss-progressive-custom-properties": "^1.1.0", @@ -2584,7 +2723,7 @@ "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.4" + "postcss": "^8.2" } }, "node_modules/@csstools/postcss-progressive-custom-properties": { @@ -2603,9 +2742,9 @@ } }, "node_modules/@csstools/postcss-stepped-value-functions": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-stepped-value-functions/-/postcss-stepped-value-functions-1.0.0.tgz", - "integrity": "sha512-q8c4bs1GumAiRenmFjASBcWSLKrbzHzWl6C2HcaAxAXIiL2rUlUWbqQZUjwVG5tied0rld19j/Mm90K3qI26vw==", + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@csstools/postcss-stepped-value-functions/-/postcss-stepped-value-functions-1.0.1.tgz", + "integrity": "sha512-dz0LNoo3ijpTOQqEJLY8nyaapl6umbmDcgj4AD0lgVQ572b2eqA1iGZYTTWhrcrHztWDDRAX2DGYyw2VBjvCvQ==", "dev": true, "dependencies": { "postcss-value-parser": "^4.2.0" @@ -2618,13 +2757,51 @@ "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.3" + "postcss": "^8.2" + } + }, + "node_modules/@csstools/postcss-text-decoration-shorthand": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/@csstools/postcss-text-decoration-shorthand/-/postcss-text-decoration-shorthand-1.0.0.tgz", + "integrity": "sha512-c1XwKJ2eMIWrzQenN0XbcfzckOLLJiczqy+YvfGmzoVXd7pT9FfObiSEfzs84bpE/VqfpEuAZ9tCRbZkZxxbdw==", + "dev": true, + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^12 || ^14 || >=16" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, + "peerDependencies": { + "postcss": "^8.2" + } + }, + "node_modules/@csstools/postcss-trigonometric-functions": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/@csstools/postcss-trigonometric-functions/-/postcss-trigonometric-functions-1.0.2.tgz", + "integrity": "sha512-woKaLO///4bb+zZC2s80l+7cm07M7268MsyG3M0ActXXEFi6SuhvriQYcb58iiKGbjwwIU7n45iRLEHypB47Og==", + "dev": true, + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^14 || >=16" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, + "peerDependencies": { + "postcss": "^8.2" } }, "node_modules/@csstools/postcss-unset-value": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/@csstools/postcss-unset-value/-/postcss-unset-value-1.0.1.tgz", - "integrity": "sha512-f1G1WGDXEU/RN1TWAxBPQgQudtLnLQPyiWdtypkPC+mVYNKFKH/HYXSxH4MVNqwF8M0eDsoiU7HumJHCg/L/jg==", + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/@csstools/postcss-unset-value/-/postcss-unset-value-1.0.2.tgz", + "integrity": "sha512-c8J4roPBILnelAsdLr4XOAR/GsTm0GJi4XpcfvoWk3U6KiTCqiFYc63KhRMQQX35jYMp4Ao8Ij9+IZRgMfJp1g==", "dev": true, "engines": { "node": "^12 || ^14 || >=16" @@ -2634,13 +2811,13 @@ "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.3" + "postcss": "^8.2" } }, "node_modules/@csstools/selector-specificity": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/@csstools/selector-specificity/-/selector-specificity-2.0.1.tgz", - "integrity": "sha512-aG20vknL4/YjQF9BSV7ts4EWm/yrjagAN7OWBNmlbEOUiu0llj4OGrFoOKK3g2vey4/p2omKCoHrWtPxSwV3HA==", + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/@csstools/selector-specificity/-/selector-specificity-2.0.2.tgz", + "integrity": "sha512-IkpVW/ehM1hWKln4fCA3NzJU8KwD+kIOvPZA4cqxoJHtE21CCzjyp+Kxbu0i5I4tBNOlXPL9mjwnWlL0VEG4Fg==", "dev": true, "engines": { "node": "^12 || ^14 || >=16" @@ -2650,7 +2827,7 @@ "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.3", + "postcss": "^8.2", "postcss-selector-parser": "^6.0.10" } }, @@ -2691,16 +2868,25 @@ "node": ">= 6" } }, + "node_modules/@cypress/request/node_modules/uuid": { + "version": "8.3.2", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "optional": true, + "bin": { + "uuid": "dist/bin/uuid" + } + }, "node_modules/@cypress/schematic": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/@cypress/schematic/-/schematic-2.0.0.tgz", - "integrity": "sha512-cKIyL1Gm/EU+eXTwYpxgFLdToVIpJwJHvUW+MVYpnoacfvPUU3UhgJsicPihw6e0hR0j/WImBkaIEqjH1MZK4Q==", + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/@cypress/schematic/-/schematic-2.1.1.tgz", + "integrity": "sha512-Kf4QeNk8IVx3tdybls+xq8CbqsZwqR9dZjE3ELZhfG2rZeId9SSG6F2GpR4Xly5ROkX0BuQVeuIFNSkDxWAtPg==", "optional": true, "dependencies": { - "@angular-devkit/architect": "^0.1202.10", - "@angular-devkit/core": "^12.2.17", - "@angular-devkit/schematics": "^12.2.17", - "@schematics/angular": "^12.2.17", + "@angular-devkit/architect": "^0.1402.1", + "@angular-devkit/core": "^14.2.1", + "@angular-devkit/schematics": "^14.2.1", + "@schematics/angular": "^14.2.1", "jsonc-parser": "^3.0.0", "rxjs": "~6.6.0" }, @@ -2709,114 +2895,6 @@ "@angular/core": ">=12" } }, - "node_modules/@cypress/schematic/node_modules/@angular-devkit/architect": { - "version": "0.1202.17", - "resolved": "https://registry.npmjs.org/@angular-devkit/architect/-/architect-0.1202.17.tgz", - "integrity": "sha512-uUQcHcLbPvr9adALQSLU1MTDduVUR2kZAHi2e7SmL9ioel84pPVXBoD0WpSBeUMKwPiDs3TQDaxDB49hl0nBSQ==", - "optional": true, - "dependencies": { - "@angular-devkit/core": "12.2.17", - "rxjs": "6.6.7" - }, - "engines": { - "node": "^12.14.1 || >=14.0.0", - "npm": "^6.11.0 || ^7.5.6 || >=8.0.0", - "yarn": ">= 1.13.0" - } - }, - "node_modules/@cypress/schematic/node_modules/@angular-devkit/core": { - "version": "12.2.17", - "resolved": "https://registry.npmjs.org/@angular-devkit/core/-/core-12.2.17.tgz", - "integrity": "sha512-PyOY7LGUPPd6rakxUYbfQN6zAdOCMCouVp5tERY1WTdMdEiuULOtHsPee8kNbh75pD59KbJNU+fwozPRMuIm5g==", - "optional": true, - "dependencies": { - "ajv": "8.6.2", - "ajv-formats": "2.1.0", - "fast-json-stable-stringify": "2.1.0", - "magic-string": "0.25.7", - "rxjs": "6.6.7", - "source-map": "0.7.3" - }, - "engines": { - "node": "^12.14.1 || >=14.0.0", - "npm": "^6.11.0 || ^7.5.6 || >=8.0.0", - "yarn": ">= 1.13.0" - } - }, - "node_modules/@cypress/schematic/node_modules/@angular-devkit/schematics": { - "version": "12.2.17", - "resolved": "https://registry.npmjs.org/@angular-devkit/schematics/-/schematics-12.2.17.tgz", - "integrity": "sha512-c0eNu/nx1Mnu7KcZgYTYHP736H4Y9pSyLBSmLAHYZv3t3m0dIPbhifRcLQX7hHQ8fGT2ZFxmOpaQG5/DcIghSw==", - "optional": true, - "dependencies": { - "@angular-devkit/core": "12.2.17", - "ora": "5.4.1", - "rxjs": "6.6.7" - }, - "engines": { - "node": "^12.14.1 || >=14.0.0", - "npm": "^6.11.0 || ^7.5.6 || >=8.0.0", - "yarn": ">= 1.13.0" - } - }, - "node_modules/@cypress/schematic/node_modules/@schematics/angular": { - "version": "12.2.17", - "resolved": "https://registry.npmjs.org/@schematics/angular/-/angular-12.2.17.tgz", - "integrity": "sha512-HM/4KkQu944KL5ebhIyy1Ot5OV6prHNW7kmGeMVeQefLSbbfMQCHLa1psB9UU9BoahwGhUBvleLylNSitOBCgg==", - "optional": true, - "dependencies": { - "@angular-devkit/core": "12.2.17", - "@angular-devkit/schematics": "12.2.17", - "jsonc-parser": "3.0.0" - }, - "engines": { - "node": "^12.14.1 || >=14.0.0", - "npm": "^6.11.0 || ^7.5.6 || >=8.0.0", - "yarn": ">= 1.13.0" - } - }, - "node_modules/@cypress/schematic/node_modules/ajv": { - "version": "8.6.2", - "resolved": "https://registry.npmjs.org/ajv/-/ajv-8.6.2.tgz", - "integrity": "sha512-9807RlWAgT564wT+DjeyU5OFMPjmzxVobvDFmNAhY+5zD6A2ly3jDp6sgnfyDtlIQ+7H97oc/DGCzzfu9rjw9w==", - "optional": true, - "dependencies": { - "fast-deep-equal": "^3.1.1", - "json-schema-traverse": "^1.0.0", - "require-from-string": "^2.0.2", - "uri-js": "^4.2.2" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/epoberezkin" - } - }, - "node_modules/@cypress/schematic/node_modules/ajv-formats": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/ajv-formats/-/ajv-formats-2.1.0.tgz", - "integrity": "sha512-USH2jBb+C/hIpwD2iRjp0pe0k+MvzG0mlSn/FIdCgQhUb9ALPRjt2KIQdfZDS9r0ZIeUAg7gOu9KL0PFqGqr5Q==", - "optional": true, - "dependencies": { - "ajv": "^8.0.0" - }, - "peerDependencies": { - "ajv": "^8.0.0" - }, - "peerDependenciesMeta": { - "ajv": { - "optional": true - } - } - }, - "node_modules/@cypress/schematic/node_modules/magic-string": { - "version": "0.25.7", - "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.25.7.tgz", - "integrity": "sha512-4CrMT5DOHTDk4HYDlzmwu4FVCcIYI8gauveasrdCu2IKIFOJ3f0v/8MDGJCDL9oD2ppz/Av1b0Nj345H9M+XIA==", - "optional": true, - "dependencies": { - "sourcemap-codec": "^1.4.4" - } - }, "node_modules/@cypress/schematic/node_modules/rxjs": { "version": "6.6.7", "resolved": "https://registry.npmjs.org/rxjs/-/rxjs-6.6.7.tgz", @@ -2863,6 +2941,22 @@ "node": ">=10.0.0" } }, + "node_modules/@esbuild/linux-loong64": { + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/@esbuild/linux-loong64/-/linux-loong64-0.15.5.tgz", + "integrity": "sha512-UHkDFCfSGTuXq08oQltXxSZmH1TXyWsL+4QhZDWvvLl6mEJQqk3u7/wq1LjhrrAXYIllaTtRSzUXl4Olkf2J8A==", + "cpu": [ + "loong64" + ], + "dev": true, + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=12" + } + }, "node_modules/@gar/promisify": { "version": "1.1.3", "resolved": "https://registry.npmjs.org/@gar/promisify/-/promisify-1.1.3.tgz", @@ -2910,16 +3004,16 @@ } }, "node_modules/@jest/console": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/@jest/console/-/console-28.1.1.tgz", - "integrity": "sha512-0RiUocPVFEm3WRMOStIHbRWllG6iW6E3/gUPnf4lkrVFyXIIDeCe+vlKeYyFOMhB2EPE6FLFCNADSOOQMaqvyA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/console/-/console-28.1.3.tgz", + "integrity": "sha512-QPAkP5EwKdK/bxIr6C1I4Vs0rm2nHiANzj/Z5X2JQkrZo6IqvC4ldZ9K95tF0HdidhA8Bo6egxSzUFPYKcEXLw==", "dev": true, "dependencies": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@types/node": "*", "chalk": "^4.0.0", - "jest-message-util": "^28.1.1", - "jest-util": "^28.1.1", + "jest-message-util": "^28.1.3", + "jest-util": "^28.1.3", "slash": "^3.0.0" }, "engines": { @@ -3006,37 +3100,37 @@ } }, "node_modules/@jest/core": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/core/-/core-28.1.2.tgz", - "integrity": "sha512-Xo4E+Sb/nZODMGOPt2G3cMmCBqL4/W2Ijwr7/mrXlq4jdJwcFQ/9KrrJZT2adQRk2otVBXXOz1GRQ4Z5iOgvRQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/core/-/core-28.1.3.tgz", + "integrity": "sha512-CIKBrlaKOzA7YG19BEqCw3SLIsEwjZkeJzf5bdooVnW4bH5cktqe3JX+G2YV1aK5vP8N9na1IGWFzYaTp6k6NA==", "dev": true, "dependencies": { - "@jest/console": "^28.1.1", - "@jest/reporters": "^28.1.2", - "@jest/test-result": "^28.1.1", - "@jest/transform": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/console": "^28.1.3", + "@jest/reporters": "^28.1.3", + "@jest/test-result": "^28.1.3", + "@jest/transform": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", "ansi-escapes": "^4.2.1", "chalk": "^4.0.0", "ci-info": "^3.2.0", "exit": "^0.1.2", "graceful-fs": "^4.2.9", - "jest-changed-files": "^28.0.2", - "jest-config": "^28.1.2", - "jest-haste-map": "^28.1.1", - "jest-message-util": "^28.1.1", + "jest-changed-files": "^28.1.3", + "jest-config": "^28.1.3", + "jest-haste-map": "^28.1.3", + "jest-message-util": "^28.1.3", "jest-regex-util": "^28.0.2", - "jest-resolve": "^28.1.1", - "jest-resolve-dependencies": "^28.1.2", - "jest-runner": "^28.1.2", - "jest-runtime": "^28.1.2", - "jest-snapshot": "^28.1.2", - "jest-util": "^28.1.1", - "jest-validate": "^28.1.1", - "jest-watcher": "^28.1.1", + "jest-resolve": "^28.1.3", + "jest-resolve-dependencies": "^28.1.3", + "jest-runner": "^28.1.3", + "jest-runtime": "^28.1.3", + "jest-snapshot": "^28.1.3", + "jest-util": "^28.1.3", + "jest-validate": "^28.1.3", + "jest-watcher": "^28.1.3", "micromatch": "^4.0.4", - "pretty-format": "^28.1.1", + "pretty-format": "^28.1.3", "rimraf": "^3.0.0", "slash": "^3.0.0", "strip-ansi": "^6.0.0" @@ -3133,37 +3227,37 @@ } }, "node_modules/@jest/environment": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/environment/-/environment-28.1.2.tgz", - "integrity": "sha512-I0CR1RUMmOzd0tRpz10oUfaChBWs+/Hrvn5xYhMEF/ZqrDaaeHwS8yDBqEWCrEnkH2g+WE/6g90oBv3nKpcm8Q==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/environment/-/environment-28.1.3.tgz", + "integrity": "sha512-1bf40cMFTEkKyEf585R9Iz1WayDjHoHqvts0XFYEqyKM3cFWDpeMoqKKTAF9LSYQModPUlh8FKptoM2YcMWAXA==", "dev": true, "dependencies": { - "@jest/fake-timers": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/fake-timers": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", - "jest-mock": "^28.1.1" + "jest-mock": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" } }, "node_modules/@jest/expect": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/expect/-/expect-28.1.2.tgz", - "integrity": "sha512-HBzyZBeFBiOelNbBKN0pilWbbrGvwDUwAqMC46NVJmWm8AVkuE58NbG1s7DR4cxFt4U5cVLxofAoHxgvC5MyOw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/expect/-/expect-28.1.3.tgz", + "integrity": "sha512-lzc8CpUbSoE4dqT0U+g1qODQjBRHPpCPXissXD4mS9+sWQdmmpeJ9zSH1rS1HEkrsMN0fb7nKrJ9giAR1d3wBw==", "dev": true, "dependencies": { - "expect": "^28.1.1", - "jest-snapshot": "^28.1.2" + "expect": "^28.1.3", + "jest-snapshot": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" } }, "node_modules/@jest/expect-utils": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/@jest/expect-utils/-/expect-utils-28.1.1.tgz", - "integrity": "sha512-n/ghlvdhCdMI/hTcnn4qV57kQuV9OTsZzH1TTCVARANKhl6hXJqLKUkwX69ftMGpsbpt96SsDD8n8LD2d9+FRw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/expect-utils/-/expect-utils-28.1.3.tgz", + "integrity": "sha512-wvbi9LUrHJLn3NlDW6wF2hvIMtd4JUl2QNVrjq+IBSHirgfrR3o9RnVtxzdEGO2n9JyIWwHnLfby5KzqBGg2YA==", "dev": true, "dependencies": { "jest-get-type": "^28.0.2" @@ -3173,47 +3267,47 @@ } }, "node_modules/@jest/fake-timers": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-28.1.2.tgz", - "integrity": "sha512-xSYEI7Y0D5FbZN2LsCUj/EKRR1zfQYmGuAUVh6xTqhx7V5JhjgMcK5Pa0iR6WIk0GXiHDe0Ke4A+yERKE9saqg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-28.1.3.tgz", + "integrity": "sha512-D/wOkL2POHv52h+ok5Oj/1gOG9HSywdoPtFsRCUmlCILXNn5eIWmcnd3DIiWlJnpGvQtmajqBP95Ei0EimxfLw==", "dev": true, "dependencies": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@sinonjs/fake-timers": "^9.1.2", "@types/node": "*", - "jest-message-util": "^28.1.1", - "jest-mock": "^28.1.1", - "jest-util": "^28.1.1" + "jest-message-util": "^28.1.3", + "jest-mock": "^28.1.3", + "jest-util": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" } }, "node_modules/@jest/globals": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/globals/-/globals-28.1.2.tgz", - "integrity": "sha512-cz0lkJVDOtDaYhvT3Fv2U1B6FtBnV+OpEyJCzTHM1fdoTsU4QNLAt/H4RkiwEUU+dL4g/MFsoTuHeT2pvbo4Hg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/globals/-/globals-28.1.3.tgz", + "integrity": "sha512-XFU4P4phyryCXu1pbcqMO0GSQcYe1IsalYCDzRNyhetyeyxMcIxa11qPNDpVNLeretItNqEmYYQn1UYz/5x1NA==", "dev": true, "dependencies": { - "@jest/environment": "^28.1.2", - "@jest/expect": "^28.1.2", - "@jest/types": "^28.1.1" + "@jest/environment": "^28.1.3", + "@jest/expect": "^28.1.3", + "@jest/types": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" } }, "node_modules/@jest/reporters": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/reporters/-/reporters-28.1.2.tgz", - "integrity": "sha512-/whGLhiwAqeCTmQEouSigUZJPVl7sW8V26EiboImL+UyXznnr1a03/YZ2BX8OlFw0n+Zlwu+EZAITZtaeRTxyA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/reporters/-/reporters-28.1.3.tgz", + "integrity": "sha512-JuAy7wkxQZVNU/V6g9xKzCGC5LVXx9FDcABKsSXp5MiKPEE2144a/vXTEDoyzjUpZKfVwp08Wqg5A4WfTMAzjg==", "dev": true, "dependencies": { "@bcoe/v8-coverage": "^0.2.3", - "@jest/console": "^28.1.1", - "@jest/test-result": "^28.1.1", - "@jest/transform": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/console": "^28.1.3", + "@jest/test-result": "^28.1.3", + "@jest/transform": "^28.1.3", + "@jest/types": "^28.1.3", "@jridgewell/trace-mapping": "^0.3.13", "@types/node": "*", "chalk": "^4.0.0", @@ -3226,9 +3320,9 @@ "istanbul-lib-report": "^3.0.0", "istanbul-lib-source-maps": "^4.0.0", "istanbul-reports": "^3.1.3", - "jest-message-util": "^28.1.1", - "jest-util": "^28.1.1", - "jest-worker": "^28.1.1", + "jest-message-util": "^28.1.3", + "jest-util": "^28.1.3", + "jest-worker": "^28.1.3", "slash": "^3.0.0", "string-length": "^4.0.1", "strip-ansi": "^6.0.0", @@ -3369,12 +3463,12 @@ } }, "node_modules/@jest/schemas": { - "version": "28.0.2", - "resolved": "https://registry.npmjs.org/@jest/schemas/-/schemas-28.0.2.tgz", - "integrity": "sha512-YVDJZjd4izeTDkij00vHHAymNXQ6WWsdChFRK86qck6Jpr3DCL5W3Is3vslviRlP+bLuMYRLbdp98amMvqudhA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/schemas/-/schemas-28.1.3.tgz", + "integrity": "sha512-/l/VWsdt/aBXgjshLWOFyFt3IVdYypu5y2Wn2rOO1un6nkqIn8SLXzgIMYXFyYsRWDyF5EthmKJMIdJvk08grg==", "dev": true, "dependencies": { - "@sinclair/typebox": "^0.23.3" + "@sinclair/typebox": "^0.24.1" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" @@ -3395,13 +3489,13 @@ } }, "node_modules/@jest/test-result": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/@jest/test-result/-/test-result-28.1.1.tgz", - "integrity": "sha512-hPmkugBktqL6rRzwWAtp1JtYT4VHwv8OQ+9lE5Gymj6dHzubI/oJHMUpPOt8NrdVWSrz9S7bHjJUmv2ggFoUNQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/test-result/-/test-result-28.1.3.tgz", + "integrity": "sha512-kZAkxnSE+FqE8YjW8gNuoVkkC9I7S1qmenl8sGcDOLropASP+BkcGKwhXoyqQuGOGeYY0y/ixjrd/iERpEXHNg==", "dev": true, "dependencies": { - "@jest/console": "^28.1.1", - "@jest/types": "^28.1.1", + "@jest/console": "^28.1.3", + "@jest/types": "^28.1.3", "@types/istanbul-lib-coverage": "^2.0.0", "collect-v8-coverage": "^1.0.0" }, @@ -3410,14 +3504,14 @@ } }, "node_modules/@jest/test-sequencer": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/@jest/test-sequencer/-/test-sequencer-28.1.1.tgz", - "integrity": "sha512-nuL+dNSVMcWB7OOtgb0EGH5AjO4UBCt68SLP08rwmC+iRhyuJWS9MtZ/MpipxFwKAlHFftbMsydXqWre8B0+XA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/test-sequencer/-/test-sequencer-28.1.3.tgz", + "integrity": "sha512-NIMPEqqa59MWnDi1kvXXpYbqsfQmSJsIbnd85mdVGkiDfQ9WQQTXOLsvISUfonmnBT+w85WEgneCigEEdHDFxw==", "dev": true, "dependencies": { - "@jest/test-result": "^28.1.1", + "@jest/test-result": "^28.1.3", "graceful-fs": "^4.2.9", - "jest-haste-map": "^28.1.1", + "jest-haste-map": "^28.1.3", "slash": "^3.0.0" }, "engines": { @@ -3434,22 +3528,22 @@ } }, "node_modules/@jest/transform": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/transform/-/transform-28.1.2.tgz", - "integrity": "sha512-3o+lKF6iweLeJFHBlMJysdaPbpoMmtbHEFsjzSv37HIq/wWt5ijTeO2Yf7MO5yyczCopD507cNwNLeX8Y/CuIg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/transform/-/transform-28.1.3.tgz", + "integrity": "sha512-u5dT5di+oFI6hfcLOHGTAfmUxFRrjK+vnaP0kkVow9Md/M7V/MxqQMOz/VV25UZO8pzeA9PjfTpOu6BDuwSPQA==", "dev": true, "dependencies": { "@babel/core": "^7.11.6", - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@jridgewell/trace-mapping": "^0.3.13", "babel-plugin-istanbul": "^6.1.1", "chalk": "^4.0.0", "convert-source-map": "^1.4.0", "fast-json-stable-stringify": "^2.0.0", "graceful-fs": "^4.2.9", - "jest-haste-map": "^28.1.1", + "jest-haste-map": "^28.1.3", "jest-regex-util": "^28.0.2", - "jest-util": "^28.1.1", + "jest-util": "^28.1.3", "micromatch": "^4.0.4", "pirates": "^4.0.4", "slash": "^3.0.0", @@ -3539,12 +3633,12 @@ } }, "node_modules/@jest/types": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/@jest/types/-/types-28.1.1.tgz", - "integrity": "sha512-vRXVqSg1VhDnB8bWcmvLzmg0Bt9CRKVgHPXqYwvWMX3TvAjeO+nRuK6+VdTKCtWOvYlmkF/HqNAL/z+N3B53Kw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/types/-/types-28.1.3.tgz", + "integrity": "sha512-RyjiyMUZrKz/c+zlMFO1pm70DcIlST8AeWTkoUdZevew44wcNZQHsEVOiCVtgVnlFFD82FPaXycys58cf2muVQ==", "dev": true, "dependencies": { - "@jest/schemas": "^28.0.2", + "@jest/schemas": "^28.1.3", "@types/istanbul-lib-coverage": "^2.0.0", "@types/istanbul-reports": "^3.0.0", "@types/node": "*", @@ -3638,9 +3732,9 @@ } }, "node_modules/@jridgewell/resolve-uri": { - "version": "3.0.8", - "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.0.8.tgz", - "integrity": "sha512-YK5G9LaddzGbcucK4c8h5tWFmMPBvRZ/uyWmN1/SbBdIvqGUdWGkJ5BAaccgs6XbzVLsqbPJrBSFwKv3kT9i7w==", + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz", + "integrity": "sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==", "engines": { "node": ">=6.0.0" } @@ -3653,15 +3747,39 @@ "node": ">=6.0.0" } }, + "node_modules/@jridgewell/source-map": { + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/@jridgewell/source-map/-/source-map-0.3.2.tgz", + "integrity": "sha512-m7O9o2uR8k2ObDysZYzdfhb08VuEml5oWGiosa1VdaPZ/A6QyPkAJuwN0Q1lhULOf6B7MtQmHENS743hWtCrgw==", + "dev": true, + "dependencies": { + "@jridgewell/gen-mapping": "^0.3.0", + "@jridgewell/trace-mapping": "^0.3.9" + } + }, + "node_modules/@jridgewell/source-map/node_modules/@jridgewell/gen-mapping": { + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.2.tgz", + "integrity": "sha512-mh65xKQAzI6iBcFzwv28KVWSmCkdRBWoOh+bYQGW3+6OZvbbN3TqMGo5hqYxQniRcH9F2VZIoJCm4pa3BPDK/A==", + "dev": true, + "dependencies": { + "@jridgewell/set-array": "^1.0.1", + "@jridgewell/sourcemap-codec": "^1.4.10", + "@jridgewell/trace-mapping": "^0.3.9" + }, + "engines": { + "node": ">=6.0.0" + } + }, "node_modules/@jridgewell/sourcemap-codec": { "version": "1.4.14", "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz", "integrity": "sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==" }, "node_modules/@jridgewell/trace-mapping": { - "version": "0.3.14", - "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.14.tgz", - "integrity": "sha512-bJWEfQ9lPTvm3SneWwRFVLzrh6nhjwqw7TUFFBEMzwvg7t7PCDenf2lDwqo4NQXzdpgBXyFgDWnQA+2vkruksQ==", + "version": "0.3.15", + "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.15.tgz", + "integrity": "sha512-oWZNOULl+UbhsgB51uuZzglikfIKSUBO/M9W2OfEjn7cmqoAiCgmv9lyACTUacZwBz0ITnJ2NqjU8Tx0DHL88g==", "dependencies": { "@jridgewell/resolve-uri": "^3.0.3", "@jridgewell/sourcemap-codec": "^1.4.10" @@ -3674,17 +3792,17 @@ "dev": true }, "node_modules/@ng-bootstrap/ng-bootstrap": { - "version": "13.0.0-beta.1", - "resolved": "https://registry.npmjs.org/@ng-bootstrap/ng-bootstrap/-/ng-bootstrap-13.0.0-beta.1.tgz", - "integrity": "sha512-kYZIMSPYU0nGdBwT/GMr/W2Upma3mpMmo/E8cl7rMvYJAavrhj1dJ48c6KimVnwHSh9Je2NUuqj5HtIdA5jAWQ==", + "version": "13.0.0", + "resolved": "https://registry.npmjs.org/@ng-bootstrap/ng-bootstrap/-/ng-bootstrap-13.0.0.tgz", + "integrity": "sha512-aumflJ24VVOQ6kIGmpaWmjqfreRsXOCf/l2nOxPO6Y+d7Pit6aZthyjO7F0bRMutv6n+B/ma18GKvhhBcMepUw==", "dependencies": { "tslib": "^2.3.0" }, "peerDependencies": { - "@angular/common": "^14.0.0", - "@angular/core": "^14.0.0", - "@angular/forms": "^14.0.0", - "@angular/localize": "^14.0.0", + "@angular/common": "^14.1.0", + "@angular/core": "^14.1.0", + "@angular/forms": "^14.1.0", + "@angular/localize": "^14.1.0", "@popperjs/core": "^2.10.2", "rxjs": "^6.5.3 || ^7.4.0" } @@ -3721,9 +3839,9 @@ } }, "node_modules/@ngtools/webpack": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@ngtools/webpack/-/webpack-14.0.4.tgz", - "integrity": "sha512-83b/gB4Kna2FhIQj82RNZol+6gq+vLv6+4LUFOGSBb4Xha3RVQGJQpGwqEkXRFziwgTODrPWJAnOup5pzKv9wA==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@ngtools/webpack/-/webpack-14.2.4.tgz", + "integrity": "sha512-rmoUTz3FNhQctsmsq1HM7OfoT+pJiI2dhK0u6SqKXkP3OJ+dGW7NHQ5jYR7IATa7wLFe0vDiEr8caxZ5JBAEsQ==", "dev": true, "engines": { "node": "^14.15.0 || >=16.10.0", @@ -3732,7 +3850,7 @@ }, "peerDependencies": { "@angular/compiler-cli": "^14.0.0", - "typescript": ">=4.6.2 <4.8", + "typescript": ">=4.6.2 <4.9", "webpack": "^5.54.0" } }, @@ -3772,9 +3890,9 @@ } }, "node_modules/@npmcli/fs": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/@npmcli/fs/-/fs-2.1.0.tgz", - "integrity": "sha512-DmfBvNXGaetMxj9LTp8NAN9vEidXURrf5ZTslQzEAi/6GbW+4yjaLFQc6Tue5cpZ9Frlk4OBo/Snf1Bh/S7qTQ==", + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/@npmcli/fs/-/fs-2.1.2.tgz", + "integrity": "sha512-yOJKRvohFOaLqipNtwYB9WugyZKhC/DZC4VYPmpaCzDBrA8YpK3qHZ8/HGscMnE4GqbkLNuVcCnxkeQEdGt6LQ==", "devOptional": true, "dependencies": { "@gar/promisify": "^1.1.3", @@ -3785,9 +3903,9 @@ } }, "node_modules/@npmcli/git": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/@npmcli/git/-/git-3.0.1.tgz", - "integrity": "sha512-UU85F/T+F1oVn3IsB/L6k9zXIMpXBuUBE25QDH0SsURwT6IOBqkC7M16uqo2vVZIyji3X1K4XH9luip7YekH1A==", + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/@npmcli/git/-/git-3.0.2.tgz", + "integrity": "sha512-CAcd08y3DWBJqJDpfuVL0uijlq5oaXaOJEKHKc4wqrjd00gkvTZB+nFuLn+doOOKddaQS9JfqtNoFCO2LCvA3w==", "devOptional": true, "dependencies": { "@npmcli/promise-spawn": "^3.0.0", @@ -3821,9 +3939,9 @@ } }, "node_modules/@npmcli/move-file": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/@npmcli/move-file/-/move-file-2.0.0.tgz", - "integrity": "sha512-UR6D5f4KEGWJV6BGPH3Qb2EtgH+t+1XQ1Tt85c7qicN6cezzuHPdZwwAxqZr4JLtnQu0LZsTza/5gmNmSl8XLg==", + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/@npmcli/move-file/-/move-file-2.0.1.tgz", + "integrity": "sha512-mJd2Z5TjYWq/ttPLLGqArdtnC74J6bOzg4rMDnN+p1xTacZ2yPRCk2y0oSWQtygLR9YVQXgOcONrwtnk3JupxQ==", "devOptional": true, "dependencies": { "mkdirp": "^1.0.4", @@ -3855,38 +3973,39 @@ } }, "node_modules/@npmcli/run-script": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/@npmcli/run-script/-/run-script-3.0.3.tgz", - "integrity": "sha512-ZXL6qgC5NjwfZJ2nET+ZSLEz/PJgJ/5CU90C2S66dZY4Jw73DasS4ZCXuy/KHWYP0imjJ4VtA+Gebb5BxxKp9Q==", + "version": "4.2.1", + "resolved": "https://registry.npmjs.org/@npmcli/run-script/-/run-script-4.2.1.tgz", + "integrity": "sha512-7dqywvVudPSrRCW5nTHpHgeWnbBtz8cFkOuKrecm6ih+oO9ciydhWt6OF7HlqupRRmB8Q/gECVdB9LMfToJbRg==", "devOptional": true, "dependencies": { "@npmcli/node-gyp": "^2.0.0", "@npmcli/promise-spawn": "^3.0.0", - "node-gyp": "^8.4.1", - "read-package-json-fast": "^2.0.3" + "node-gyp": "^9.0.0", + "read-package-json-fast": "^2.0.3", + "which": "^2.0.2" }, "engines": { "node": "^12.13.0 || ^14.15.0 || >=16.0.0" } }, "node_modules/@popperjs/core": { - "version": "2.11.5", - "resolved": "https://registry.npmjs.org/@popperjs/core/-/core-2.11.5.tgz", - "integrity": "sha512-9X2obfABZuDVLCgPK9aX0a/x4jaOEweTTWE2+9sr0Qqqevj2Uv5XorvusThmc9XGYpS9yI+fhh8RTafBtGposw==", + "version": "2.11.6", + "resolved": "https://registry.npmjs.org/@popperjs/core/-/core-2.11.6.tgz", + "integrity": "sha512-50/17A98tWUfQ176raKiOGXuYpLyyVMkxxG6oylzL3BPOlA6ADGdK7EYunSa4I064xerltq9TGXs8HmOk5E+vw==", "funding": { "type": "opencollective", "url": "https://opencollective.com/popperjs" } }, "node_modules/@schematics/angular": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@schematics/angular/-/angular-14.0.4.tgz", - "integrity": "sha512-2t7B8ZplJzLfrU7SjciaUquaOAWCi6SD954Q1Ej/SZfWlLjs8k1SvlKb+Syzo9TMByMuzdKTrdnmNRHekvMZEQ==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@schematics/angular/-/angular-14.2.4.tgz", + "integrity": "sha512-9n7HyxZvoSR+Ynyvr8oEQ3zy5trSjCQMTF+fZSTCzCBEVHKGxqMyisI6KO4qcGeIQYGXWeBYrMsy9jMQFgK8dQ==", "devOptional": true, "dependencies": { - "@angular-devkit/core": "14.0.4", - "@angular-devkit/schematics": "14.0.4", - "jsonc-parser": "3.0.0" + "@angular-devkit/core": "14.2.4", + "@angular-devkit/schematics": "14.2.4", + "jsonc-parser": "3.1.0" }, "engines": { "node": "^14.15.0 || >=16.10.0", @@ -3916,9 +4035,9 @@ "dev": true }, "node_modules/@sinclair/typebox": { - "version": "0.23.5", - "resolved": "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.23.5.tgz", - "integrity": "sha512-AFBVi/iT4g20DHoujvMH1aEDn8fGJh4xsRGCP6d8RpLPMqsNPvW01Jcn0QysXTsg++/xj25NmJsGyH9xug/wKg==", + "version": "0.24.34", + "resolved": "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.24.34.tgz", + "integrity": "sha512-x3ejWKw7rpy30Bvm6U0AQMOHdjqe2E3YJrBHlTxH0KFsp77bBa+MH324nJxtXZFpnTy/JW2h5HPYVm0vG2WPnw==", "dev": true }, "node_modules/@sinonjs/commons": { @@ -4005,9 +4124,9 @@ } }, "node_modules/@types/babel__traverse": { - "version": "7.17.1", - "resolved": "https://registry.npmjs.org/@types/babel__traverse/-/babel__traverse-7.17.1.tgz", - "integrity": "sha512-kVzjari1s2YVi77D3w1yuvohV2idweYXMCDzqBiVNN63TcDWrIlTVOYpqVrvbbyOE/IyzBoTKF0fdnLPEORFxA==", + "version": "7.18.1", + "resolved": "https://registry.npmjs.org/@types/babel__traverse/-/babel__traverse-7.18.1.tgz", + "integrity": "sha512-FSdLaZh2UxaMuLp9lixWaHq/golWTRWOnRsAXzDTDSDOQLuZb1nsdCt6pJSPWSEQt2eFZ2YVk3oYhn+1kLMeMA==", "dev": true, "dependencies": { "@babel/types": "^7.3.0" @@ -4052,9 +4171,9 @@ } }, "node_modules/@types/eslint": { - "version": "8.4.5", - "resolved": "https://registry.npmjs.org/@types/eslint/-/eslint-8.4.5.tgz", - "integrity": "sha512-dhsC09y1gpJWnK+Ff4SGvCuSnk9DaU0BJZSzOwa6GVSg65XtTugLBITDAAzRU5duGBoXBHpdR/9jHGxJjNflJQ==", + "version": "8.4.6", + "resolved": "https://registry.npmjs.org/@types/eslint/-/eslint-8.4.6.tgz", + "integrity": "sha512-/fqTbjxyFUaYNO7VcW5g+4npmqVACz1bB7RTHYuLj+PRjw9hrCwrUXVQFpChUS0JsyEFvMZ7U/PfmvWgxJhI9g==", "dev": true, "dependencies": { "@types/estree": "*", @@ -4078,9 +4197,9 @@ "dev": true }, "node_modules/@types/express": { - "version": "4.17.13", - "resolved": "https://registry.npmjs.org/@types/express/-/express-4.17.13.tgz", - "integrity": "sha512-6bSZTPaTIACxn48l50SR+axgrqm6qXFIxrdAKaG6PaJk3+zuUr35hBlgT7vOmJcum+OEaIBLtHV/qloEAFITeA==", + "version": "4.17.14", + "resolved": "https://registry.npmjs.org/@types/express/-/express-4.17.14.tgz", + "integrity": "sha512-TEbt+vaPFQ+xpxFLFssxUDXj5cWCxZJjIcB7Yg0k0GMHGtgtQgpvx/MUQUeAkNbA9AAGrwkAsoeItdTgS7FMyg==", "dev": true, "dependencies": { "@types/body-parser": "*", @@ -4090,9 +4209,9 @@ } }, "node_modules/@types/express-serve-static-core": { - "version": "4.17.29", - "resolved": "https://registry.npmjs.org/@types/express-serve-static-core/-/express-serve-static-core-4.17.29.tgz", - "integrity": "sha512-uMd++6dMKS32EOuw1Uli3e3BPgdLIXmezcfHv7N4c1s3gkhikBplORPpMq3fuWkxncZN1reb16d5n8yhQ80x7Q==", + "version": "4.17.31", + "resolved": "https://registry.npmjs.org/@types/express-serve-static-core/-/express-serve-static-core-4.17.31.tgz", + "integrity": "sha512-DxMhY+NAsTwMMFHBTtJFNp5qiHKJ7TeqOo23zVEM9alT1Ml27Q3xcTH0xwxn7Q0BbMcVEJOs/7aQtUWupUQN3Q==", "dev": true, "dependencies": { "@types/node": "*", @@ -4143,9 +4262,9 @@ } }, "node_modules/@types/jest": { - "version": "28.1.4", - "resolved": "https://registry.npmjs.org/@types/jest/-/jest-28.1.4.tgz", - "integrity": "sha512-telv6G5N7zRJiLcI3Rs3o+ipZ28EnE+7EvF0pSrt2pZOMnAVI/f+6/LucDxOvcBcTeTL3JMF744BbVQAVBUQRA==", + "version": "28.1.6", + "resolved": "https://registry.npmjs.org/@types/jest/-/jest-28.1.6.tgz", + "integrity": "sha512-0RbGAFMfcBJKOmqRazM8L98uokwuwD5F8rHrv/ZMbrZBwVOWZUyPG6VFNscjYr/vjM3Vu4fRrCPbOs42AfemaQ==", "dev": true, "dependencies": { "jest-matcher-utils": "^28.0.0", @@ -4153,14 +4272,38 @@ } }, "node_modules/@types/jsdom": { - "version": "16.2.14", - "resolved": "https://registry.npmjs.org/@types/jsdom/-/jsdom-16.2.14.tgz", - "integrity": "sha512-6BAy1xXEmMuHeAJ4Fv4yXKwBDTGTOseExKE3OaHiNycdHdZw59KfYzrt0DkDluvwmik1HRt6QS7bImxUmpSy+w==", + "version": "20.0.0", + "resolved": "https://registry.npmjs.org/@types/jsdom/-/jsdom-20.0.0.tgz", + "integrity": "sha512-YfAchFs0yM1QPDrLm2VHe+WHGtqms3NXnXAMolrgrVP6fgBHHXy1ozAbo/dFtPNtZC/m66bPiCTWYmqp1F14gA==", "dev": true, "dependencies": { "@types/node": "*", - "@types/parse5": "*", - "@types/tough-cookie": "*" + "@types/tough-cookie": "*", + "parse5": "^7.0.0" + } + }, + "node_modules/@types/jsdom/node_modules/entities": { + "version": "4.4.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-4.4.0.tgz", + "integrity": "sha512-oYp7156SP8LkeGD0GF85ad1X9Ai79WtRsZ2gxJqtBuzH+98YUV6jkHEKlZkMbcrjJjIVJNIDP/3WL9wQkoPbWA==", + "dev": true, + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/@types/jsdom/node_modules/parse5": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/parse5/-/parse5-7.0.0.tgz", + "integrity": "sha512-y/t8IXSPWTuRZqXc0ajH/UwDj4mnqLEbSttNbThcFhGrZuOyoyvNBO85PBp2jQa55wY9d07PBNjsK8ZP3K5U6g==", + "dev": true, + "dependencies": { + "entities": "^4.3.0" + }, + "funding": { + "url": "https://github.com/inikulin/parse5?sponsor=1" } }, "node_modules/@types/json-schema": { @@ -4170,15 +4313,15 @@ "dev": true }, "node_modules/@types/mime": { - "version": "1.3.2", - "resolved": "https://registry.npmjs.org/@types/mime/-/mime-1.3.2.tgz", - "integrity": "sha512-YATxVxgRqNH6nHEIsvg6k2Boc1JHI9ZbH5iWFFv/MTkchz3b1ieGDa5T0a9RznNdI0KhVbdbWSN+KWWrQZRxTw==", + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/@types/mime/-/mime-3.0.1.tgz", + "integrity": "sha512-Y4XFY5VJAuw0FgAqPNd6NNoV44jbq9Bz2L7Rh/J6jLTiHBSBJa9fxqQIvkIld4GsoDOcCbvzOUAbLPsSKKg+uA==", "dev": true }, "node_modules/@types/node": { - "version": "18.0.0", - "resolved": "https://registry.npmjs.org/@types/node/-/node-18.0.0.tgz", - "integrity": "sha512-cHlGmko4gWLVI27cGJntjs/Sj8th9aYwplmZFwmmgYQQvL5NUsgVJG7OddLvNfLqYS31KFN0s3qlaD9qCaxACA==", + "version": "18.7.23", + "resolved": "https://registry.npmjs.org/@types/node/-/node-18.7.23.tgz", + "integrity": "sha512-DWNcCHolDq0ZKGizjx2DZjR/PqsYwAcYUJmfMWqtVU2MBMG5Mo+xFZrhGId5r/O5HOuMPyQEcM6KUBp5lBZZBg==", "devOptional": true }, "node_modules/@types/parse-json": { @@ -4194,9 +4337,9 @@ "dev": true }, "node_modules/@types/prettier": { - "version": "2.6.3", - "resolved": "https://registry.npmjs.org/@types/prettier/-/prettier-2.6.3.tgz", - "integrity": "sha512-ymZk3LEC/fsut+/Q5qejp6R9O1rMxz3XaRHDV6kX8MrGAhOSPqVARbDi+EZvInBpw+BnCX3TD240byVkOfQsHg==", + "version": "2.7.0", + "resolved": "https://registry.npmjs.org/@types/prettier/-/prettier-2.7.0.tgz", + "integrity": "sha512-RI1L7N4JnW5gQw2spvL7Sllfuf1SaHdrZpCHiBlCXjIlufi1SMNnbu2teze3/QE67Fg2tBlH7W+mi4hVNk4p0A==", "dev": true }, "node_modules/@types/qs": { @@ -4227,12 +4370,12 @@ } }, "node_modules/@types/serve-static": { - "version": "1.13.10", - "resolved": "https://registry.npmjs.org/@types/serve-static/-/serve-static-1.13.10.tgz", - "integrity": "sha512-nCkHGI4w7ZgAdNkrEu0bv+4xNV/XDqW+DydknebMOQwkpDGx8G+HTlj7R7ABI8i8nKxVw0wtKPi1D+lPOkh4YQ==", + "version": "1.15.0", + "resolved": "https://registry.npmjs.org/@types/serve-static/-/serve-static-1.15.0.tgz", + "integrity": "sha512-z5xyF6uh8CbjAu9760KDKsH2FcDxZ2tFCsA4HIMWE6IkiYMXfVoa+4f9KX+FN0ZLsaMw1WNG2ETLA6N+/YA+cg==", "dev": true, "dependencies": { - "@types/mime": "^1", + "@types/mime": "*", "@types/node": "*" } }, @@ -4279,9 +4422,9 @@ } }, "node_modules/@types/yargs": { - "version": "17.0.10", - "resolved": "https://registry.npmjs.org/@types/yargs/-/yargs-17.0.10.tgz", - "integrity": "sha512-gmEaFwpj/7f/ROdtIlci1R1VYU1J4j95m8T+Tj3iBgiBFKg1foE/PSl93bBd5T9LDXNPo8UlNN6W0qwD8O5OaA==", + "version": "17.0.12", + "resolved": "https://registry.npmjs.org/@types/yargs/-/yargs-17.0.12.tgz", + "integrity": "sha512-Nz4MPhecOFArtm81gFQvQqdV7XYCrWKx5uUt6GNHredFHn1i2mtWqXTON7EPXMtNi1qjtjEM/VCHDhcHsAMLXQ==", "dev": true, "dependencies": { "@types/yargs-parser": "*" @@ -4492,9 +4635,9 @@ } }, "node_modules/acorn": { - "version": "8.7.1", - "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.7.1.tgz", - "integrity": "sha512-Xx54uLJQZ19lKygFXOWsscKUbsBZW0CPykPhVQdhIeIwrbPmJzqeASDInc8nKBnp/JT6igTs82qPXz069H8I/A==", + "version": "8.8.0", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.8.0.tgz", + "integrity": "sha512-QOxyigPVrpZ2GXT+PFyZTl6TtOFc5egxHIP9IlQ+RbupQuX4RkT/Bee4/kQuC02Xkzg84JcT7oLYtDIQxp+v7w==", "dev": true, "bin": { "acorn": "bin/acorn" @@ -4655,9 +4798,9 @@ } }, "node_modules/ansi-colors": { - "version": "4.1.1", - "resolved": "https://registry.npmjs.org/ansi-colors/-/ansi-colors-4.1.1.tgz", - "integrity": "sha512-JoX0apGbHaUJBNl6yF+p6JAFYZ666/hhCGKN5t9QFjbJQKUU/g8MNbFDbvfrgKXvI1QpZplPOnwIo99lX/AAmA==", + "version": "4.1.3", + "resolved": "https://registry.npmjs.org/ansi-colors/-/ansi-colors-4.1.3.tgz", + "integrity": "sha512-/6w/C21Pm1A7aZitlI5Ni/2J6FFQN8i1Cvz3kHABAAbw93v/NlvKdVOqz7CCWz/3iv/JplRSEEZ83XION15ovw==", "devOptional": true, "engines": { "node": ">=6" @@ -4722,9 +4865,9 @@ } }, "node_modules/app-root-path": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/app-root-path/-/app-root-path-3.0.0.tgz", - "integrity": "sha512-qMcx+Gy2UZynHjOHOIXPNvpf+9cjvk3cWrBBK7zg4gH9+clobJRb9NGzcT7mQTcV/6Gm/1WelUtqxVXnNlrwcw==", + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/app-root-path/-/app-root-path-3.1.0.tgz", + "integrity": "sha512-biN3PwB2gUtjaYy/isrU3aNWI5w+fAfvHkSvCKeQGxhmYpwKFUxudR3Yya+KqVRHBmEDYh+/lTozYCFbmzX4nA==", "dev": true, "engines": { "node": ">= 6.0.0" @@ -4757,16 +4900,16 @@ "optional": true }, "node_modules/are-we-there-yet": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/are-we-there-yet/-/are-we-there-yet-3.0.0.tgz", - "integrity": "sha512-0GWpv50YSOcLXaN6/FAKY3vfRbllXWV2xvfA/oKJF8pzFhWXPV+yjhJXDBbjscDYowv7Yw1A3uigpzn5iEGTyw==", + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/are-we-there-yet/-/are-we-there-yet-3.0.1.tgz", + "integrity": "sha512-QZW4EDmGwlYur0Yyf/b2uGucHQMa8aFUP7eu9ddR73vvhFyt4V0Vl3QHPcTNJ8l6qYOBdxgXdnBXQrHilfRQBg==", "devOptional": true, "dependencies": { "delegates": "^1.0.0", "readable-stream": "^3.6.0" }, "engines": { - "node": "^12.13.0 || ^14.15.0 || >=16" + "node": "^12.13.0 || ^14.15.0 || >=16.0.0" } }, "node_modules/arg": { @@ -4806,18 +4949,6 @@ "integrity": "sha512-hNfzcOV8W4NdualtqBFPyVO+54DSJuZGY9qT4pRroB6S9e3iiido2ISIC5h9R2sPJ8H3FHCIiEnsv1lPXO3KtQ==", "dev": true }, - "node_modules/array-union": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/array-union/-/array-union-3.0.1.tgz", - "integrity": "sha512-1OvF9IbWwaeiM9VhzYXVQacMibxpXOMYVNIvMtKRyX9SImBXpKcFr8XvFDeEslCyuH/t6KRt7HEO94AlP8Iatw==", - "dev": true, - "engines": { - "node": ">=12" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, "node_modules/asn1": { "version": "0.2.6", "resolved": "https://registry.npmjs.org/asn1/-/asn1-0.2.6.tgz", @@ -4872,22 +5003,10 @@ "node": ">= 4.0.0" } }, - "node_modules/atob": { - "version": "2.1.2", - "resolved": "https://registry.npmjs.org/atob/-/atob-2.1.2.tgz", - "integrity": "sha512-Wm6ukoaOGJi/73p/cl2GvLjTI5JM1k/O14isD73YML8StrH/7/lRFgmg8nICZgD3bZZvjwCGxtMOD3wWNAu8cg==", - "dev": true, - "bin": { - "atob": "bin/atob.js" - }, - "engines": { - "node": ">= 4.5.0" - } - }, "node_modules/autoprefixer": { - "version": "10.4.7", - "resolved": "https://registry.npmjs.org/autoprefixer/-/autoprefixer-10.4.7.tgz", - "integrity": "sha512-ypHju4Y2Oav95SipEcCcI5J7CGPuvz8oat7sUtYj3ClK44bldfvtvcxK6IEK++7rqB7YchDGzweZIBG+SD0ZAA==", + "version": "10.4.8", + "resolved": "https://registry.npmjs.org/autoprefixer/-/autoprefixer-10.4.8.tgz", + "integrity": "sha512-75Jr6Q/XpTqEf6D2ltS5uMewJIx5irCU1oBYJrWjFenq/m12WRRrz6g15L1EIoYvPLXTbEry7rDOwrcYNj77xw==", "dev": true, "funding": [ { @@ -4900,8 +5019,8 @@ } ], "dependencies": { - "browserslist": "^4.20.3", - "caniuse-lite": "^1.0.30001335", + "browserslist": "^4.21.3", + "caniuse-lite": "^1.0.30001373", "fraction.js": "^4.2.0", "normalize-range": "^0.1.2", "picocolors": "^1.0.0", @@ -4951,15 +5070,15 @@ } }, "node_modules/babel-jest": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/babel-jest/-/babel-jest-28.1.2.tgz", - "integrity": "sha512-pfmoo6sh4L/+5/G2OOfQrGJgvH7fTa1oChnuYH2G/6gA+JwDvO8PELwvwnofKBMNrQsam0Wy/Rw+QSrBNewq2Q==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/babel-jest/-/babel-jest-28.1.3.tgz", + "integrity": "sha512-epUaPOEWMk3cWX0M/sPvCHHCe9fMFAa/9hXEgKP8nFfNl/jlGkE9ucq9NqkZGXLDduCJYS0UvSlPUwC0S+rH6Q==", "dev": true, "dependencies": { - "@jest/transform": "^28.1.2", + "@jest/transform": "^28.1.3", "@types/babel__core": "^7.1.14", "babel-plugin-istanbul": "^6.1.1", - "babel-preset-jest": "^28.1.1", + "babel-preset-jest": "^28.1.3", "chalk": "^4.0.0", "graceful-fs": "^4.2.9", "slash": "^3.0.0" @@ -5109,9 +5228,9 @@ } }, "node_modules/babel-plugin-jest-hoist": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-28.1.1.tgz", - "integrity": "sha512-NovGCy5Hn25uMJSAU8FaHqzs13cFoOI4lhIujiepssjCKRsAo3TA734RDWSGxuFTsUJXerYOqQQodlxgmtqbzw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-28.1.3.tgz", + "integrity": "sha512-Ys3tUKAmfnkRUpPdpa98eYrAR0nV+sSFUZZEGuQ2EbFd1y4SOLtD5QDNHAq+bb9a+bbXvYQC4b+ID/THIMcU6Q==", "dev": true, "dependencies": { "@babel/template": "^7.3.3", @@ -5124,13 +5243,13 @@ } }, "node_modules/babel-plugin-polyfill-corejs2": { - "version": "0.3.1", - "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.3.1.tgz", - "integrity": "sha512-v7/T6EQcNfVLfcN2X8Lulb7DjprieyLWJK/zOWH5DUYcAgex9sP3h25Q+DLsX9TloXe3y1O8l2q2Jv9q8UVB9w==", + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.3.2.tgz", + "integrity": "sha512-LPnodUl3lS0/4wN3Rb+m+UK8s7lj2jcLRrjho4gLw+OJs+I4bvGXshINesY5xx/apM+biTnQ9reDI8yj+0M5+Q==", "dev": true, "dependencies": { - "@babel/compat-data": "^7.13.11", - "@babel/helper-define-polyfill-provider": "^0.3.1", + "@babel/compat-data": "^7.17.7", + "@babel/helper-define-polyfill-provider": "^0.3.2", "semver": "^6.1.1" }, "peerDependencies": { @@ -5147,12 +5266,12 @@ } }, "node_modules/babel-plugin-polyfill-corejs3": { - "version": "0.5.2", - "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.5.2.tgz", - "integrity": "sha512-G3uJih0XWiID451fpeFaYGVuxHEjzKTHtc9uGFEjR6hHrvNzeS/PX+LLLcetJcytsB5m4j+K3o/EpXJNb/5IEQ==", + "version": "0.5.3", + "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.5.3.tgz", + "integrity": "sha512-zKsXDh0XjnrUEW0mxIHLfjBfnXSMr5Q/goMe/fxpQnLm07mcOZiIZHBNWCMx60HmdvjxfXcalac0tfFg0wqxyw==", "dev": true, "dependencies": { - "@babel/helper-define-polyfill-provider": "^0.3.1", + "@babel/helper-define-polyfill-provider": "^0.3.2", "core-js-compat": "^3.21.0" }, "peerDependencies": { @@ -5160,12 +5279,12 @@ } }, "node_modules/babel-plugin-polyfill-regenerator": { - "version": "0.3.1", - "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-regenerator/-/babel-plugin-polyfill-regenerator-0.3.1.tgz", - "integrity": "sha512-Y2B06tvgHYt1x0yz17jGkGeeMr5FeKUu+ASJ+N6nB5lQ8Dapfg42i0OVrf8PNGJ3zKL4A23snMi1IRwrqqND7A==", + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-regenerator/-/babel-plugin-polyfill-regenerator-0.4.0.tgz", + "integrity": "sha512-RW1cnryiADFeHmfLS+WW/G431p1PsW5qdRdz0SDRi7TKcUgc7Oh/uXkT7MZ/+tGsT1BkczEAmD5XjUyJ5SWDTw==", "dev": true, "dependencies": { - "@babel/helper-define-polyfill-provider": "^0.3.1" + "@babel/helper-define-polyfill-provider": "^0.3.2" }, "peerDependencies": { "@babel/core": "^7.0.0-0" @@ -5195,12 +5314,12 @@ } }, "node_modules/babel-preset-jest": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/babel-preset-jest/-/babel-preset-jest-28.1.1.tgz", - "integrity": "sha512-FCq9Oud0ReTeWtcneYf/48981aTfXYuB9gbU4rBNNJVBSQ6ssv7E6v/qvbBxtOWwZFXjLZwpg+W3q7J6vhH25g==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/babel-preset-jest/-/babel-preset-jest-28.1.3.tgz", + "integrity": "sha512-L+fupJvlWAHbQfn74coNX3zf60LXMJsezNvvx8eIh7iOR1luJ1poxYgQk1F8PYtNq/6QODDHCqsSnTFSWC491A==", "dev": true, "dependencies": { - "babel-plugin-jest-hoist": "^28.1.1", + "babel-plugin-jest-hoist": "^28.1.3", "babel-preset-current-node-syntax": "^1.0.0" }, "engines": { @@ -5363,9 +5482,9 @@ } }, "node_modules/bonjour-service": { - "version": "1.0.13", - "resolved": "https://registry.npmjs.org/bonjour-service/-/bonjour-service-1.0.13.tgz", - "integrity": "sha512-LWKRU/7EqDUC9CTAQtuZl5HzBALoCYwtLhffW3et7vZMwv3bWLpJf8bRYlMD5OCcDpTfnPgNCV4yo9ZIaJGMiA==", + "version": "1.0.14", + "resolved": "https://registry.npmjs.org/bonjour-service/-/bonjour-service-1.0.14.tgz", + "integrity": "sha512-HIMbgLnk1Vqvs6B4Wq5ep7mxvj9sGz5d1JJyDNSGNIdA/w2MCz6GTjWTdjqOJV1bEPj+6IkxDvWNFKEBxNt4kQ==", "dev": true, "dependencies": { "array-flatten": "^2.1.2", @@ -5381,15 +5500,21 @@ "dev": true }, "node_modules/bootstrap": { - "version": "5.1.3", - "resolved": "https://registry.npmjs.org/bootstrap/-/bootstrap-5.1.3.tgz", - "integrity": "sha512-fcQztozJ8jToQWXxVuEyXWW+dSo8AiXWKwiSSrKWsRB/Qt+Ewwza+JWoLKiTuQLaEPhdNAJ7+Dosc9DOIqNy7Q==", - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/bootstrap" - }, + "version": "5.2.1", + "resolved": "https://registry.npmjs.org/bootstrap/-/bootstrap-5.2.1.tgz", + "integrity": "sha512-UQi3v2NpVPEi1n35dmRRzBJFlgvWHYwyem6yHhuT6afYF+sziEt46McRbT//kVXZ7b1YUYEVGdXEH74Nx3xzGA==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/twbs" + }, + { + "type": "opencollective", + "url": "https://opencollective.com/bootstrap" + } + ], "peerDependencies": { - "@popperjs/core": "^2.10.2" + "@popperjs/core": "^2.11.6" } }, "node_modules/brace-expansion": { @@ -5418,9 +5543,9 @@ "dev": true }, "node_modules/browserslist": { - "version": "4.21.1", - "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.21.1.tgz", - "integrity": "sha512-Nq8MFCSrnJXSc88yliwlzQe3qNe3VntIjhsArW9IJOEPSHNx23FalwApUVbzAWABLhYJJ7y8AynWI/XM8OdfjQ==", + "version": "4.21.3", + "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.21.3.tgz", + "integrity": "sha512-898rgRXLAyRkM1GryrrBHGkqA5hlpkV5MhtZwg9QXeiyLUYs2k00Un05aX5l2/yJIOObYKOpS2JNo8nJDE7fWQ==", "funding": [ { "type": "opencollective", @@ -5432,10 +5557,10 @@ } ], "dependencies": { - "caniuse-lite": "^1.0.30001359", - "electron-to-chromium": "^1.4.172", - "node-releases": "^2.0.5", - "update-browserslist-db": "^1.0.4" + "caniuse-lite": "^1.0.30001370", + "electron-to-chromium": "^1.4.202", + "node-releases": "^2.0.6", + "update-browserslist-db": "^1.0.5" }, "bin": { "browserslist": "cli.js" @@ -5532,9 +5657,9 @@ } }, "node_modules/cacache": { - "version": "16.0.7", - "resolved": "https://registry.npmjs.org/cacache/-/cacache-16.0.7.tgz", - "integrity": "sha512-a4zfQpp5vm4Ipdvbj+ZrPonikRhm6WBEd4zT1Yc1DXsmAxrPgDwWBLF/u/wTVXSFPIgOJ1U3ghSa2Xm4s3h28w==", + "version": "16.1.2", + "resolved": "https://registry.npmjs.org/cacache/-/cacache-16.1.2.tgz", + "integrity": "sha512-Xx+xPlfCZIUHagysjjOAje9nRo8pRDczQCcXb4J2O0BLtH+xeVue6ba4y1kfJfQMAnM2mkcoMIAyOctlaRGWYA==", "devOptional": true, "dependencies": { "@npmcli/fs": "^2.1.0", @@ -5601,9 +5726,9 @@ } }, "node_modules/caniuse-lite": { - "version": "1.0.30001361", - "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001361.tgz", - "integrity": "sha512-ybhCrjNtkFji1/Wto6SSJKkWk6kZgVQsDq5QI83SafsF6FXv2JB4df9eEdH6g8sdGgqTXrFLjAxqBGgYoU3azQ==", + "version": "1.0.30001388", + "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001388.tgz", + "integrity": "sha512-znVbq4OUjqgLxMxoNX2ZeeLR0d7lcDiE5uJ4eUiWdml1J1EkxbnQq6opT9jb9SMfJxB0XA16/ziHwni4u1I3GQ==", "funding": [ { "type": "opencollective", @@ -5736,9 +5861,9 @@ } }, "node_modules/cli-spinners": { - "version": "2.6.1", - "resolved": "https://registry.npmjs.org/cli-spinners/-/cli-spinners-2.6.1.tgz", - "integrity": "sha512-x/5fWmGMnbKQAaNwN+UZlV79qBLM9JFnJuJ03gIi5whrob0xV0ofNVHy9DhwGdsMJQc2OKv0oGmLzvaqvAVv+g==", + "version": "2.7.0", + "resolved": "https://registry.npmjs.org/cli-spinners/-/cli-spinners-2.7.0.tgz", + "integrity": "sha512-qu3pN8Y3qHNgE2AFweciB1IfMnmZ/fsNTEE+NOFjmGB2F/7rLhnhzppvpCnN4FovtP26k8lHyy9ptEbNwWFLzw==", "devOptional": true, "engines": { "node": ">=6" @@ -6029,13 +6154,13 @@ "devOptional": true }, "node_modules/concurrently": { - "version": "7.2.2", - "resolved": "https://registry.npmjs.org/concurrently/-/concurrently-7.2.2.tgz", - "integrity": "sha512-DcQkI0ruil5BA/g7Xy3EWySGrFJovF5RYAYxwGvv9Jf9q9B1v3jPFP2tl6axExNf1qgF30kjoNYrangZ0ey4Aw==", + "version": "7.4.0", + "resolved": "https://registry.npmjs.org/concurrently/-/concurrently-7.4.0.tgz", + "integrity": "sha512-M6AfrueDt/GEna/Vg9BqQ+93yuvzkSKmoTixnwEJkH0LlcGrRC2eCmjeG1tLLHIYfpYJABokqSGyMcXjm96AFA==", "dev": true, "dependencies": { "chalk": "^4.1.0", - "date-fns": "^2.16.1", + "date-fns": "^2.29.1", "lodash": "^4.17.21", "rxjs": "^7.0.0", "shell-quote": "^1.7.3", @@ -6045,10 +6170,14 @@ "yargs": "^17.3.1" }, "bin": { + "conc": "dist/bin/concurrently.js", "concurrently": "dist/bin/concurrently.js" }, "engines": { "node": "^12.20.0 || ^14.13.0 || >=16.0.0" + }, + "funding": { + "url": "https://github.com/open-cli-tools/concurrently?sponsor=1" } }, "node_modules/concurrently/node_modules/ansi-styles": { @@ -6137,9 +6266,9 @@ } }, "node_modules/connect-history-api-fallback": { - "version": "1.6.0", - "resolved": "https://registry.npmjs.org/connect-history-api-fallback/-/connect-history-api-fallback-1.6.0.tgz", - "integrity": "sha512-e54B99q/OUoH64zYYRf3HBP5z24G38h5D3qXu23JGRoigpX5Ss4r9ZnDk3g0Z8uQC2x2lPaJ+UlWBc1ZWBWdLg==", + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/connect-history-api-fallback/-/connect-history-api-fallback-2.0.0.tgz", + "integrity": "sha512-U73+6lQFmfiNPrYbXqr6kZ1i1wiRqXnp2nhMsINseWXO8lDau0LGEffJ8kQi4EjLZympVgRdvqjAgiZ1tgzDDA==", "dev": true, "engines": { "node": ">=0.8" @@ -6228,20 +6357,20 @@ } }, "node_modules/copy-webpack-plugin": { - "version": "10.2.4", - "resolved": "https://registry.npmjs.org/copy-webpack-plugin/-/copy-webpack-plugin-10.2.4.tgz", - "integrity": "sha512-xFVltahqlsRcyyJqQbDY6EYTtyQZF9rf+JPjwHObLdPFMEISqkFkr7mFoVOC6BfYS/dNThyoQKvziugm+OnwBg==", + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/copy-webpack-plugin/-/copy-webpack-plugin-11.0.0.tgz", + "integrity": "sha512-fX2MWpamkW0hZxMEg0+mYnA40LTosOSa5TqZ9GYIBzyJa9C3QUaMPSE2xAi/buNr8u89SfD9wHSQVBzrRa/SOQ==", "dev": true, "dependencies": { - "fast-glob": "^3.2.7", + "fast-glob": "^3.2.11", "glob-parent": "^6.0.1", - "globby": "^12.0.2", + "globby": "^13.1.1", "normalize-path": "^3.0.0", "schema-utils": "^4.0.0", "serialize-javascript": "^6.0.0" }, "engines": { - "node": ">= 12.20.0" + "node": ">= 14.15.0" }, "funding": { "type": "opencollective", @@ -6283,12 +6412,12 @@ } }, "node_modules/core-js-compat": { - "version": "3.23.3", - "resolved": "https://registry.npmjs.org/core-js-compat/-/core-js-compat-3.23.3.tgz", - "integrity": "sha512-WSzUs2h2vvmKsacLHNTdpyOC9k43AEhcGoFlVgCY4L7aw98oSBKtPL6vD0/TqZjRWRQYdDSLkzZIni4Crbbiqw==", + "version": "3.25.0", + "resolved": "https://registry.npmjs.org/core-js-compat/-/core-js-compat-3.25.0.tgz", + "integrity": "sha512-extKQM0g8/3GjFx9US12FAgx8KJawB7RCQ5y8ipYLbmfzEzmFRWdDjIlxDx82g7ygcNG85qMVUSRyABouELdow==", "dev": true, "dependencies": { - "browserslist": "^4.21.0", + "browserslist": "^4.21.3", "semver": "7.0.0" }, "funding": { @@ -6431,17 +6560,6 @@ "node": ">= 8" } }, - "node_modules/css": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/css/-/css-3.0.0.tgz", - "integrity": "sha512-DG9pFfwOrzc+hawpmqX/dHYHJG+Bsdb0klhyi1sDneOgGOXy9wQIC8hzyVp1e4NRYDBdxcylvywPkkXCHAzTyQ==", - "dev": true, - "dependencies": { - "inherits": "^2.0.4", - "source-map": "^0.6.1", - "source-map-resolve": "^0.6.0" - } - }, "node_modules/css-blank-pseudo": { "version": "3.0.3", "resolved": "https://registry.npmjs.org/css-blank-pseudo/-/css-blank-pseudo-3.0.3.tgz", @@ -6557,15 +6675,6 @@ "url": "https://github.com/sponsors/fb55" } }, - "node_modules/css/node_modules/source-map": { - "version": "0.6.1", - "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", - "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", - "dev": true, - "engines": { - "node": ">=0.10.0" - } - }, "node_modules/cssauron": { "version": "1.4.0", "resolved": "https://registry.npmjs.org/cssauron/-/cssauron-1.4.0.tgz", @@ -6576,9 +6685,9 @@ } }, "node_modules/cssdb": { - "version": "6.6.3", - "resolved": "https://registry.npmjs.org/cssdb/-/cssdb-6.6.3.tgz", - "integrity": "sha512-7GDvDSmE+20+WcSMhP17Q1EVWUrLlbxxpMDqG731n8P99JhnQZHR9YvtjPvEHfjFUjvQJvdpKCjlKOX+xe4UVA==", + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/cssdb/-/cssdb-7.0.1.tgz", + "integrity": "sha512-pT3nzyGM78poCKLAEy2zWIVX2hikq6dIrjuZzLV98MumBg+xMTNYfHx7paUlfiRTgg91O/vR889CIf+qiv79Rw==", "dev": true, "funding": { "type": "opencollective", @@ -6622,9 +6731,9 @@ "dev": true }, "node_modules/cypress": { - "version": "10.3.0", - "resolved": "https://registry.npmjs.org/cypress/-/cypress-10.3.0.tgz", - "integrity": "sha512-txkQWKzvBVnWdCuKs5Xc08gjpO89W2Dom2wpZgT9zWZT5jXxqPIxqP/NC1YArtkpmp3fN5HW8aDjYBizHLUFvg==", + "version": "10.9.0", + "resolved": "https://registry.npmjs.org/cypress/-/cypress-10.9.0.tgz", + "integrity": "sha512-MjIWrRpc+bQM9U4kSSdATZWZ2hUqHGFEQTF7dfeZRa4MnalMtc88FIE49USWP2ZVtfy5WPBcgfBX+YorFqGElA==", "hasInstallScript": true, "optional": true, "dependencies": { @@ -6647,7 +6756,7 @@ "dayjs": "^1.10.4", "debug": "^4.3.2", "enquirer": "^2.3.6", - "eventemitter2": "^6.4.3", + "eventemitter2": "6.4.7", "execa": "4.1.0", "executable": "^4.1.1", "extract-zip": "2.0.1", @@ -6679,9 +6788,9 @@ } }, "node_modules/cypress/node_modules/@types/node": { - "version": "14.18.21", - "resolved": "https://registry.npmjs.org/@types/node/-/node-14.18.21.tgz", - "integrity": "sha512-x5W9s+8P4XteaxT/jKF0PSb7XEvo5VmqEWgsMlyeY4ZlLK8I6aH6g5TPPyDlLAep+GYf4kefb7HFyc7PAO3m+Q==", + "version": "14.18.26", + "resolved": "https://registry.npmjs.org/@types/node/-/node-14.18.26.tgz", + "integrity": "sha512-0b+utRBSYj8L7XAp0d+DX7lI4cSmowNaaTkk6/1SKzbKkG+doLuPusB9EOvzLJ8ahJSk03bTLIL6cWaEd4dBKA==", "optional": true }, "node_modules/cypress/node_modules/ansi-styles": { @@ -6810,23 +6919,10 @@ "node": ">=12" } }, - "node_modules/data-urls/node_modules/whatwg-url": { - "version": "11.0.0", - "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-11.0.0.tgz", - "integrity": "sha512-RKT8HExMpoYx4igMiVMY83lN6UeITKJlBQ+vR/8ZJ8OCdSiN3RwCq+9gH0+Xzj0+5IrM6i4j/6LuvzbZIQgEcQ==", - "dev": true, - "dependencies": { - "tr46": "^3.0.0", - "webidl-conversions": "^7.0.0" - }, - "engines": { - "node": ">=12" - } - }, "node_modules/date-fns": { - "version": "2.28.0", - "resolved": "https://registry.npmjs.org/date-fns/-/date-fns-2.28.0.tgz", - "integrity": "sha512-8d35hViGYx/QH0icHYCeLmsLmMUheMmTyV9Fcm6gvNwdw31yXXH+O85sOBJ+OLnLQMKZowvpKb6FgMIQjcpvQw==", + "version": "2.29.2", + "resolved": "https://registry.npmjs.org/date-fns/-/date-fns-2.29.2.tgz", + "integrity": "sha512-0VNbwmWJDS/G3ySwFSJA3ayhbURMTJLtwM2DTxf9CWondCnh6DTNlO9JgRSq6ibf4eD0lfMJNBxUdEAHHix+bA==", "dev": true, "engines": { "node": ">=0.11" @@ -6837,9 +6933,9 @@ } }, "node_modules/dayjs": { - "version": "1.11.3", - "resolved": "https://registry.npmjs.org/dayjs/-/dayjs-1.11.3.tgz", - "integrity": "sha512-xxwlswWOlGhzgQ4TKzASQkUhqERI3egRNqgV4ScR8wlANA/A9tZ7miXa44vTTKEq5l7vWoL5G57bG3zA+Kow0A==", + "version": "1.11.5", + "resolved": "https://registry.npmjs.org/dayjs/-/dayjs-1.11.5.tgz", + "integrity": "sha512-CAdX5Q3YW3Gclyo5Vpqkgpj8fSdLQcRuzfX6mC6Phy0nfJ0eGYOeS7m4mt2plDWLAtA4TqTakvbboHvUxfe4iA==", "optional": true }, "node_modules/debug": { @@ -6859,20 +6955,11 @@ } }, "node_modules/decimal.js": { - "version": "10.3.1", - "resolved": "https://registry.npmjs.org/decimal.js/-/decimal.js-10.3.1.tgz", - "integrity": "sha512-V0pfhfr8suzyPGOx3nmq4aHqabehUZn6Ch9kyFpV79TGDTWFmHqUqXdabR7QHqxzrYolF4+tVmJhUG4OURg5dQ==", + "version": "10.4.0", + "resolved": "https://registry.npmjs.org/decimal.js/-/decimal.js-10.4.0.tgz", + "integrity": "sha512-Nv6ENEzyPQ6AItkGwLE2PGKinZZ9g59vSh2BeH6NqPu0OTKZ5ruJsVqh/orbAnqXc9pBbgXAIrc2EyaCj8NpGg==", "dev": true }, - "node_modules/decode-uri-component": { - "version": "0.2.0", - "resolved": "https://registry.npmjs.org/decode-uri-component/-/decode-uri-component-0.2.0.tgz", - "integrity": "sha512-hjf+xovcEn31w/EUYdTXQh/8smFL/dzYjohQGEIgjyNavaJfBY2p5F527Bo1VPATxv0VYTUC2bOcXvqFwk78Og==", - "dev": true, - "engines": { - "node": ">=0.10" - } - }, "node_modules/dedent": { "version": "0.7.0", "resolved": "https://registry.npmjs.org/dedent/-/dedent-0.7.0.tgz", @@ -7142,6 +7229,11 @@ "url": "https://github.com/fb55/domhandler?sponsor=1" } }, + "node_modules/dommatrix": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/dommatrix/-/dommatrix-1.0.3.tgz", + "integrity": "sha512-l32Xp/TLgWb8ReqbVJAFIvXmY7go4nTxxlWiAFyhoQw9RKEOHBZNnyGvJWqDVSPmq3Y9HlM4npqF/T6VMOXhww==" + }, "node_modules/domutils": { "version": "2.8.0", "resolved": "https://registry.npmjs.org/domutils/-/domutils-2.8.0.tgz", @@ -7173,9 +7265,9 @@ "dev": true }, "node_modules/electron-to-chromium": { - "version": "1.4.176", - "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.176.tgz", - "integrity": "sha512-92JdgyRlcNDwuy75MjuFSb3clt6DGJ2IXSpg0MCjKd3JV9eSmuUAIyWiGAp/EtT0z2D4rqbYqThQLV90maH3Zw==" + "version": "1.4.240", + "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.240.tgz", + "integrity": "sha512-r20dUOtZ4vUPTqAajDGonIM1uas5tf85Up+wPdtNBNvBSqGCfkpvMVvQ1T8YJzPV9/Y9g3FbUDcXb94Rafycow==" }, "node_modules/emittery": { "version": "0.10.2", @@ -7320,9 +7412,9 @@ "dev": true }, "node_modules/esbuild": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild/-/esbuild-0.14.38.tgz", - "integrity": "sha512-12fzJ0fsm7gVZX1YQ1InkOE5f9Tl7cgf6JPYXRJtPIoE0zkWAbHdPHVPPaLi9tYAcEBqheGzqLn/3RdTOyBfcA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild/-/esbuild-0.15.5.tgz", + "integrity": "sha512-VSf6S1QVqvxfIsSKb3UKr3VhUCis7wgDbtF4Vd9z84UJr05/Sp2fRKmzC+CSPG/dNAPPJZ0BTBLTT1Fhd6N9Gg==", "dev": true, "hasInstallScript": true, "optional": true, @@ -7333,32 +7425,33 @@ "node": ">=12" }, "optionalDependencies": { - "esbuild-android-64": "0.14.38", - "esbuild-android-arm64": "0.14.38", - "esbuild-darwin-64": "0.14.38", - "esbuild-darwin-arm64": "0.14.38", - "esbuild-freebsd-64": "0.14.38", - "esbuild-freebsd-arm64": "0.14.38", - "esbuild-linux-32": "0.14.38", - "esbuild-linux-64": "0.14.38", - "esbuild-linux-arm": "0.14.38", - "esbuild-linux-arm64": "0.14.38", - "esbuild-linux-mips64le": "0.14.38", - "esbuild-linux-ppc64le": "0.14.38", - "esbuild-linux-riscv64": "0.14.38", - "esbuild-linux-s390x": "0.14.38", - "esbuild-netbsd-64": "0.14.38", - "esbuild-openbsd-64": "0.14.38", - "esbuild-sunos-64": "0.14.38", - "esbuild-windows-32": "0.14.38", - "esbuild-windows-64": "0.14.38", - "esbuild-windows-arm64": "0.14.38" + "@esbuild/linux-loong64": "0.15.5", + "esbuild-android-64": "0.15.5", + "esbuild-android-arm64": "0.15.5", + "esbuild-darwin-64": "0.15.5", + "esbuild-darwin-arm64": "0.15.5", + "esbuild-freebsd-64": "0.15.5", + "esbuild-freebsd-arm64": "0.15.5", + "esbuild-linux-32": "0.15.5", + "esbuild-linux-64": "0.15.5", + "esbuild-linux-arm": "0.15.5", + "esbuild-linux-arm64": "0.15.5", + "esbuild-linux-mips64le": "0.15.5", + "esbuild-linux-ppc64le": "0.15.5", + "esbuild-linux-riscv64": "0.15.5", + "esbuild-linux-s390x": "0.15.5", + "esbuild-netbsd-64": "0.15.5", + "esbuild-openbsd-64": "0.15.5", + "esbuild-sunos-64": "0.15.5", + "esbuild-windows-32": "0.15.5", + "esbuild-windows-64": "0.15.5", + "esbuild-windows-arm64": "0.15.5" } }, "node_modules/esbuild-android-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-android-64/-/esbuild-android-64-0.14.38.tgz", - "integrity": "sha512-aRFxR3scRKkbmNuGAK+Gee3+yFxkTJO/cx83Dkyzo4CnQl/2zVSurtG6+G86EQIZ+w+VYngVyK7P3HyTBKu3nw==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-android-64/-/esbuild-android-64-0.15.5.tgz", + "integrity": "sha512-dYPPkiGNskvZqmIK29OPxolyY3tp+c47+Fsc2WYSOVjEPWNCHNyqhtFqQadcXMJDQt8eN0NMDukbyQgFcHquXg==", "cpu": [ "x64" ], @@ -7372,9 +7465,9 @@ } }, "node_modules/esbuild-android-arm64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-android-arm64/-/esbuild-android-arm64-0.14.38.tgz", - "integrity": "sha512-L2NgQRWuHFI89IIZIlpAcINy9FvBk6xFVZ7xGdOwIm8VyhX1vNCEqUJO3DPSSy945Gzdg98cxtNt8Grv1CsyhA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-android-arm64/-/esbuild-android-arm64-0.15.5.tgz", + "integrity": "sha512-YyEkaQl08ze3cBzI/4Cm1S+rVh8HMOpCdq8B78JLbNFHhzi4NixVN93xDrHZLztlocEYqi45rHHCgA8kZFidFg==", "cpu": [ "arm64" ], @@ -7388,9 +7481,9 @@ } }, "node_modules/esbuild-darwin-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-darwin-64/-/esbuild-darwin-64-0.14.38.tgz", - "integrity": "sha512-5JJvgXkX87Pd1Og0u/NJuO7TSqAikAcQQ74gyJ87bqWRVeouky84ICoV4sN6VV53aTW+NE87qLdGY4QA2S7KNA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-darwin-64/-/esbuild-darwin-64-0.15.5.tgz", + "integrity": "sha512-Cr0iIqnWKx3ZTvDUAzG0H/u9dWjLE4c2gTtRLz4pqOBGjfjqdcZSfAObFzKTInLLSmD0ZV1I/mshhPoYSBMMCQ==", "cpu": [ "x64" ], @@ -7404,9 +7497,9 @@ } }, "node_modules/esbuild-darwin-arm64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-darwin-arm64/-/esbuild-darwin-arm64-0.14.38.tgz", - "integrity": "sha512-eqF+OejMI3mC5Dlo9Kdq/Ilbki9sQBw3QlHW3wjLmsLh+quNfHmGMp3Ly1eWm981iGBMdbtSS9+LRvR2T8B3eQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-darwin-arm64/-/esbuild-darwin-arm64-0.15.5.tgz", + "integrity": "sha512-WIfQkocGtFrz7vCu44ypY5YmiFXpsxvz2xqwe688jFfSVCnUsCn2qkEVDo7gT8EpsLOz1J/OmqjExePL1dr1Kg==", "cpu": [ "arm64" ], @@ -7420,9 +7513,9 @@ } }, "node_modules/esbuild-freebsd-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-freebsd-64/-/esbuild-freebsd-64-0.14.38.tgz", - "integrity": "sha512-epnPbhZUt93xV5cgeY36ZxPXDsQeO55DppzsIgWM8vgiG/Rz+qYDLmh5ts3e+Ln1wA9dQ+nZmVHw+RjaW3I5Ig==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-freebsd-64/-/esbuild-freebsd-64-0.15.5.tgz", + "integrity": "sha512-M5/EfzV2RsMd/wqwR18CELcenZ8+fFxQAAEO7TJKDmP3knhWSbD72ILzrXFMMwshlPAS1ShCZ90jsxkm+8FlaA==", "cpu": [ "x64" ], @@ -7436,9 +7529,9 @@ } }, "node_modules/esbuild-freebsd-arm64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-freebsd-arm64/-/esbuild-freebsd-arm64-0.14.38.tgz", - "integrity": "sha512-/9icXUYJWherhk+y5fjPI5yNUdFPtXHQlwP7/K/zg8t8lQdHVj20SqU9/udQmeUo5pDFHMYzcEFfJqgOVeKNNQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-freebsd-arm64/-/esbuild-freebsd-arm64-0.15.5.tgz", + "integrity": "sha512-2JQQ5Qs9J0440F/n/aUBNvY6lTo4XP/4lt1TwDfHuo0DY3w5++anw+jTjfouLzbJmFFiwmX7SmUhMnysocx96w==", "cpu": [ "arm64" ], @@ -7452,9 +7545,9 @@ } }, "node_modules/esbuild-linux-32": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-32/-/esbuild-linux-32-0.14.38.tgz", - "integrity": "sha512-QfgfeNHRFvr2XeHFzP8kOZVnal3QvST3A0cgq32ZrHjSMFTdgXhMhmWdKzRXP/PKcfv3e2OW9tT9PpcjNvaq6g==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-32/-/esbuild-linux-32-0.15.5.tgz", + "integrity": "sha512-gO9vNnIN0FTUGjvTFucIXtBSr1Woymmx/aHQtuU+2OllGU6YFLs99960UD4Dib1kFovVgs59MTXwpFdVoSMZoQ==", "cpu": [ "ia32" ], @@ -7468,9 +7561,9 @@ } }, "node_modules/esbuild-linux-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-64/-/esbuild-linux-64-0.14.38.tgz", - "integrity": "sha512-uuZHNmqcs+Bj1qiW9k/HZU3FtIHmYiuxZ/6Aa+/KHb/pFKr7R3aVqvxlAudYI9Fw3St0VCPfv7QBpUITSmBR1Q==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-64/-/esbuild-linux-64-0.15.5.tgz", + "integrity": "sha512-ne0GFdNLsm4veXbTnYAWjbx3shpNKZJUd6XpNbKNUZaNllDZfYQt0/zRqOg0sc7O8GQ+PjSMv9IpIEULXVTVmg==", "cpu": [ "x64" ], @@ -7484,9 +7577,9 @@ } }, "node_modules/esbuild-linux-arm": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-arm/-/esbuild-linux-arm-0.14.38.tgz", - "integrity": "sha512-FiFvQe8J3VKTDXG01JbvoVRXQ0x6UZwyrU4IaLBZeq39Bsbatd94Fuc3F1RGqPF5RbIWW7RvkVQjn79ejzysnA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-arm/-/esbuild-linux-arm-0.15.5.tgz", + "integrity": "sha512-wvAoHEN+gJ/22gnvhZnS/+2H14HyAxM07m59RSLn3iXrQsdS518jnEWRBnJz3fR6BJa+VUTo0NxYjGaNt7RA7Q==", "cpu": [ "arm" ], @@ -7500,9 +7593,9 @@ } }, "node_modules/esbuild-linux-arm64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-arm64/-/esbuild-linux-arm64-0.14.38.tgz", - "integrity": "sha512-HlMGZTEsBrXrivr64eZ/EO0NQM8H8DuSENRok9d+Jtvq8hOLzrxfsAT9U94K3KOGk2XgCmkaI2KD8hX7F97lvA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-arm64/-/esbuild-linux-arm64-0.15.5.tgz", + "integrity": "sha512-7EgFyP2zjO065XTfdCxiXVEk+f83RQ1JsryN1X/VSX2li9rnHAt2swRbpoz5Vlrl6qjHrCmq5b6yxD13z6RheA==", "cpu": [ "arm64" ], @@ -7516,9 +7609,9 @@ } }, "node_modules/esbuild-linux-mips64le": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-mips64le/-/esbuild-linux-mips64le-0.14.38.tgz", - "integrity": "sha512-qd1dLf2v7QBiI5wwfil9j0HG/5YMFBAmMVmdeokbNAMbcg49p25t6IlJFXAeLzogv1AvgaXRXvgFNhScYEUXGQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-mips64le/-/esbuild-linux-mips64le-0.15.5.tgz", + "integrity": "sha512-KdnSkHxWrJ6Y40ABu+ipTZeRhFtc8dowGyFsZY5prsmMSr1ZTG9zQawguN4/tunJ0wy3+kD54GaGwdcpwWAvZQ==", "cpu": [ "mips64el" ], @@ -7532,9 +7625,9 @@ } }, "node_modules/esbuild-linux-ppc64le": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-ppc64le/-/esbuild-linux-ppc64le-0.14.38.tgz", - "integrity": "sha512-mnbEm7o69gTl60jSuK+nn+pRsRHGtDPfzhrqEUXyCl7CTOCLtWN2bhK8bgsdp6J/2NyS/wHBjs1x8aBWwP2X9Q==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-ppc64le/-/esbuild-linux-ppc64le-0.15.5.tgz", + "integrity": "sha512-QdRHGeZ2ykl5P0KRmfGBZIHmqcwIsUKWmmpZTOq573jRWwmpfRmS7xOhmDHBj9pxv+6qRMH8tLr2fe+ZKQvCYw==", "cpu": [ "ppc64" ], @@ -7548,9 +7641,9 @@ } }, "node_modules/esbuild-linux-riscv64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-riscv64/-/esbuild-linux-riscv64-0.14.38.tgz", - "integrity": "sha512-+p6YKYbuV72uikChRk14FSyNJZ4WfYkffj6Af0/Tw63/6TJX6TnIKE+6D3xtEc7DeDth1fjUOEqm+ApKFXbbVQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-riscv64/-/esbuild-linux-riscv64-0.15.5.tgz", + "integrity": "sha512-p+WE6RX+jNILsf+exR29DwgV6B73khEQV0qWUbzxaycxawZ8NE0wA6HnnTxbiw5f4Gx9sJDUBemh9v49lKOORA==", "cpu": [ "riscv64" ], @@ -7564,9 +7657,9 @@ } }, "node_modules/esbuild-linux-s390x": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-s390x/-/esbuild-linux-s390x-0.14.38.tgz", - "integrity": "sha512-0zUsiDkGJiMHxBQ7JDU8jbaanUY975CdOW1YDrurjrM0vWHfjv9tLQsW9GSyEb/heSK1L5gaweRjzfUVBFoybQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-s390x/-/esbuild-linux-s390x-0.15.5.tgz", + "integrity": "sha512-J2ngOB4cNzmqLHh6TYMM/ips8aoZIuzxJnDdWutBw5482jGXiOzsPoEF4j2WJ2mGnm7FBCO4StGcwzOgic70JQ==", "cpu": [ "s390x" ], @@ -7580,9 +7673,9 @@ } }, "node_modules/esbuild-netbsd-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-netbsd-64/-/esbuild-netbsd-64-0.14.38.tgz", - "integrity": "sha512-cljBAApVwkpnJZfnRVThpRBGzCi+a+V9Ofb1fVkKhtrPLDYlHLrSYGtmnoTVWDQdU516qYI8+wOgcGZ4XIZh0Q==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-netbsd-64/-/esbuild-netbsd-64-0.15.5.tgz", + "integrity": "sha512-MmKUYGDizYjFia0Rwt8oOgmiFH7zaYlsoQ3tIOfPxOqLssAsEgG0MUdRDm5lliqjiuoog8LyDu9srQk5YwWF3w==", "cpu": [ "x64" ], @@ -7596,9 +7689,9 @@ } }, "node_modules/esbuild-openbsd-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-openbsd-64/-/esbuild-openbsd-64-0.14.38.tgz", - "integrity": "sha512-CDswYr2PWPGEPpLDUO50mL3WO/07EMjnZDNKpmaxUPsrW+kVM3LoAqr/CE8UbzugpEiflYqJsGPLirThRB18IQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-openbsd-64/-/esbuild-openbsd-64-0.15.5.tgz", + "integrity": "sha512-2mMFfkLk3oPWfopA9Plj4hyhqHNuGyp5KQyTT9Rc8hFd8wAn5ZrbJg+gNcLMo2yzf8Uiu0RT6G9B15YN9WQyMA==", "cpu": [ "x64" ], @@ -7612,9 +7705,9 @@ } }, "node_modules/esbuild-sunos-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-sunos-64/-/esbuild-sunos-64-0.14.38.tgz", - "integrity": "sha512-2mfIoYW58gKcC3bck0j7lD3RZkqYA7MmujFYmSn9l6TiIcAMpuEvqksO+ntBgbLep/eyjpgdplF7b+4T9VJGOA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-sunos-64/-/esbuild-sunos-64-0.15.5.tgz", + "integrity": "sha512-2sIzhMUfLNoD+rdmV6AacilCHSxZIoGAU2oT7XmJ0lXcZWnCvCtObvO6D4puxX9YRE97GodciRGDLBaiC6x1SA==", "cpu": [ "x64" ], @@ -7628,9 +7721,9 @@ } }, "node_modules/esbuild-wasm": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-wasm/-/esbuild-wasm-0.14.38.tgz", - "integrity": "sha512-mObTw5/3+KIOTShVgk3fuEn+INnHgOSbWJuGkInEZTWpUOh/+TCSgRxl5cDon4OkoaLU5rWm7R7Dkl/mJv8SGw==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-wasm/-/esbuild-wasm-0.15.5.tgz", + "integrity": "sha512-lTJOEKekN/4JI/eOEq0wLcx53co2N6vaT/XjBz46D1tvIVoUEyM0o2K6txW6gEotf31szFD/J1PbxmnbkGlK9A==", "dev": true, "bin": { "esbuild": "bin/esbuild" @@ -7640,9 +7733,9 @@ } }, "node_modules/esbuild-windows-32": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-windows-32/-/esbuild-windows-32-0.14.38.tgz", - "integrity": "sha512-L2BmEeFZATAvU+FJzJiRLFUP+d9RHN+QXpgaOrs2klshoAm1AE6Us4X6fS9k33Uy5SzScn2TpcgecbqJza1Hjw==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-windows-32/-/esbuild-windows-32-0.15.5.tgz", + "integrity": "sha512-e+duNED9UBop7Vnlap6XKedA/53lIi12xv2ebeNS4gFmu7aKyTrok7DPIZyU5w/ftHD4MUDs5PJUkQPP9xJRzg==", "cpu": [ "ia32" ], @@ -7656,9 +7749,9 @@ } }, "node_modules/esbuild-windows-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-windows-64/-/esbuild-windows-64-0.14.38.tgz", - "integrity": "sha512-Khy4wVmebnzue8aeSXLC+6clo/hRYeNIm0DyikoEqX+3w3rcvrhzpoix0S+MF9vzh6JFskkIGD7Zx47ODJNyCw==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-windows-64/-/esbuild-windows-64-0.15.5.tgz", + "integrity": "sha512-v+PjvNtSASHOjPDMIai9Yi+aP+Vwox+3WVdg2JB8N9aivJ7lyhp4NVU+J0MV2OkWFPnVO8AE/7xH+72ibUUEnw==", "cpu": [ "x64" ], @@ -7672,9 +7765,9 @@ } }, "node_modules/esbuild-windows-arm64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-windows-arm64/-/esbuild-windows-arm64-0.14.38.tgz", - "integrity": "sha512-k3FGCNmHBkqdJXuJszdWciAH77PukEyDsdIryEHn9cKLQFxzhT39dSumeTuggaQcXY57UlmLGIkklWZo2qzHpw==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-windows-arm64/-/esbuild-windows-arm64-0.15.5.tgz", + "integrity": "sha512-Yz8w/D8CUPYstvVQujByu6mlf48lKmXkq6bkeSZZxTA626efQOJb26aDGLzmFWx6eg/FwrXgt6SZs9V8Pwy/aA==", "cpu": [ "arm64" ], @@ -7822,9 +7915,9 @@ "dev": true }, "node_modules/eventemitter2": { - "version": "6.4.6", - "resolved": "https://registry.npmjs.org/eventemitter2/-/eventemitter2-6.4.6.tgz", - "integrity": "sha512-OHqo4wbHX5VbvlbB6o6eDwhYmiTjrpWACjF8Pmof/GTD6rdBNdZFNck3xlhqOiQFGCOoq3uzHvA0cQpFHIGVAQ==", + "version": "6.4.7", + "resolved": "https://registry.npmjs.org/eventemitter2/-/eventemitter2-6.4.7.tgz", + "integrity": "sha512-tYUSVOGeQPKt/eC1ABfhHy5Xd96N3oIijJvN3O9+TsC28T5V9yX9oEfEK5faP0EFSNVOG97qtAS68GBrQB2hDg==", "optional": true }, "node_modules/eventemitter3": { @@ -7887,16 +7980,16 @@ } }, "node_modules/expect": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/expect/-/expect-28.1.1.tgz", - "integrity": "sha512-/AANEwGL0tWBwzLNOvO0yUdy2D52jVdNXppOqswC49sxMN2cPWsGCQdzuIf9tj6hHoBQzNvx75JUYuQAckPo3w==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/expect/-/expect-28.1.3.tgz", + "integrity": "sha512-eEh0xn8HlsuOBxFgIss+2mX85VAS4Qy3OSkjV7rlBWljtA4oWH37glVGyOZSZvErDT/yBywZdPGwCXuTvSG85g==", "dev": true, "dependencies": { - "@jest/expect-utils": "^28.1.1", + "@jest/expect-utils": "^28.1.3", "jest-get-type": "^28.0.2", - "jest-matcher-utils": "^28.1.1", - "jest-message-util": "^28.1.1", - "jest-util": "^28.1.1" + "jest-matcher-utils": "^28.1.3", + "jest-message-util": "^28.1.3", + "jest-util": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" @@ -8096,7 +8189,7 @@ "version": "2.1.0", "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", - "devOptional": true + "dev": true }, "node_modules/fast-levenshtein": { "version": "2.0.6", @@ -8466,17 +8559,15 @@ } }, "node_modules/glob": { - "version": "8.0.1", - "resolved": "https://registry.npmjs.org/glob/-/glob-8.0.1.tgz", - "integrity": "sha512-cF7FYZZ47YzmCu7dDy50xSRRfO3ErRfrXuLZcNIuyiJEco0XSrGtuilG19L5xp3NcwTx7Gn+X6Tv3fmsUPTbow==", - "devOptional": true, + "version": "8.0.3", + "resolved": "https://registry.npmjs.org/glob/-/glob-8.0.3.tgz", + "integrity": "sha512-ull455NHSHI/Y1FqGaaYFaLGkNMMJbavMrEGFXG/PGrg6y7sutWHUHrz6gy6WEBH6akM1M414dWKCNs+IhKdiQ==", "dependencies": { "fs.realpath": "^1.0.0", "inflight": "^1.0.4", "inherits": "2", "minimatch": "^5.0.1", - "once": "^1.3.0", - "path-is-absolute": "^1.0.0" + "once": "^1.3.0" }, "engines": { "node": ">=12" @@ -8535,15 +8626,14 @@ } }, "node_modules/globby": { - "version": "12.2.0", - "resolved": "https://registry.npmjs.org/globby/-/globby-12.2.0.tgz", - "integrity": "sha512-wiSuFQLZ+urS9x2gGPl1H5drc5twabmm4m2gTR27XDFyjUHJUNsS8o/2aKyIF6IoBaR630atdher0XJ5g6OMmA==", + "version": "13.1.2", + "resolved": "https://registry.npmjs.org/globby/-/globby-13.1.2.tgz", + "integrity": "sha512-LKSDZXToac40u8Q1PQtZihbNdTYSNMuWe+K5l+oa6KgDzSvVrHXlJy40hUP522RjAIoNLJYBJi7ow+rbFpIhHQ==", "dev": true, "dependencies": { - "array-union": "^3.0.1", "dir-glob": "^3.0.1", - "fast-glob": "^3.2.7", - "ignore": "^5.1.9", + "fast-glob": "^3.2.11", + "ignore": "^5.2.0", "merge2": "^1.4.1", "slash": "^4.0.0" }, @@ -8634,15 +8724,15 @@ "dev": true }, "node_modules/hosted-git-info": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-5.0.0.tgz", - "integrity": "sha512-rRnjWu0Bxj+nIfUOkz0695C0H6tRrN5iYIzYejb0tDEefe2AekHu/U5Kn9pEie5vsJqpNQU02az7TGSH3qpz4Q==", + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-5.1.0.tgz", + "integrity": "sha512-Ek+QmMEqZF8XrbFdwoDjSbm7rT23pCgEMOJmz6GPk/s4yH//RQfNPArhIxbguNxROq/+5lNBwCDHMhA903Kx1Q==", "devOptional": true, "dependencies": { "lru-cache": "^7.5.1" }, "engines": { - "node": "^12.13.0 || ^14.15.0 || >=16" + "node": "^12.13.0 || ^14.15.0 || >=16.0.0" } }, "node_modules/hpack.js": { @@ -9117,9 +9207,9 @@ } }, "node_modules/ip": { - "version": "1.1.8", - "resolved": "https://registry.npmjs.org/ip/-/ip-1.1.8.tgz", - "integrity": "sha512-PuExPYUiu6qMBQb4l06ecm6T6ujzhmh+MeJcW9wa89PoAz5pvd4zPgN5WJV104mb6S2T1AwNIAaB70JNrLQWhg==", + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ip/-/ip-2.0.0.tgz", + "integrity": "sha512-WKa+XuLG1A1R0UWhl2+1XQSi+fZWMsYKffMZTTYsiZaUD8k2yDAj5atimTUD2TZkyCkNEeYE5NhFZmupOGtjYQ==", "devOptional": true }, "node_modules/ipaddr.js": { @@ -9161,9 +9251,9 @@ } }, "node_modules/is-core-module": { - "version": "2.9.0", - "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.9.0.tgz", - "integrity": "sha512-+5FPy5PnwmO3lvfMb0AsoPaBG+5KHUI0wYFXOtYPnVVVspTFUuMZNfNaNVRt3FZadstu2c8x23vykRW/NBoU6A==", + "version": "2.10.0", + "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.10.0.tgz", + "integrity": "sha512-Erxj2n/LDAZ7H8WNJXd9tw38GYM3dv8rk8Zcs+jJuxYTW7sozH+SS8NtrSjVL1/vpLvWi1hxy96IzjJ3EHTJJg==", "devOptional": true, "dependencies": { "has": "^1.0.3" @@ -9469,9 +9559,9 @@ } }, "node_modules/istanbul-reports": { - "version": "3.1.4", - "resolved": "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.1.4.tgz", - "integrity": "sha512-r1/DshN4KSE7xWEknZLLLLDn5CJybV3nw01VTkp6D5jzLuELlcbudfj/eSQFvrKsJuTVCGnePO7ho82Nw9zzfw==", + "version": "3.1.5", + "resolved": "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.1.5.tgz", + "integrity": "sha512-nUsEMa9pBt/NOHqbcbeJEgqIlY/K7rVWUX6Lql2orY5e9roQOthbR3vtY4zzf2orPELg80fnxxk9zUyPlgwD1w==", "dev": true, "dependencies": { "html-escaper": "^2.0.0", @@ -9482,15 +9572,15 @@ } }, "node_modules/jest": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest/-/jest-28.1.2.tgz", - "integrity": "sha512-Tuf05DwLeCh2cfWCQbcz9UxldoDyiR1E9Igaei5khjonKncYdc6LDfynKCEWozK0oLE3GD+xKAo2u8x/0s6GOg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest/-/jest-28.1.3.tgz", + "integrity": "sha512-N4GT5on8UkZgH0O5LUavMRV1EDEhNTL0KEfRmDIeZHSV7p2XgLoY9t9VDUgL6o+yfdgYHVxuz81G8oB9VG5uyA==", "dev": true, "dependencies": { - "@jest/core": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/core": "^28.1.3", + "@jest/types": "^28.1.3", "import-local": "^3.0.2", - "jest-cli": "^28.1.2" + "jest-cli": "^28.1.3" }, "bin": { "jest": "bin/jest.js" @@ -9508,13 +9598,13 @@ } }, "node_modules/jest-changed-files": { - "version": "28.0.2", - "resolved": "https://registry.npmjs.org/jest-changed-files/-/jest-changed-files-28.0.2.tgz", - "integrity": "sha512-QX9u+5I2s54ZnGoMEjiM2WeBvJR2J7w/8ZUmH2um/WLAuGAYFQcsVXY9+1YL6k0H/AGUdH8pXUAv6erDqEsvIA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-changed-files/-/jest-changed-files-28.1.3.tgz", + "integrity": "sha512-esaOfUWJXk2nfZt9SPyC8gA1kNfdKLkQWyzsMlqq8msYSlNKfmZxfRgZn4Cd4MGVUF+7v6dBs0d5TOAKa7iIiA==", "dev": true, "dependencies": { "execa": "^5.0.0", - "throat": "^6.0.1" + "p-limit": "^3.1.0" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" @@ -9565,30 +9655,30 @@ } }, "node_modules/jest-circus": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-circus/-/jest-circus-28.1.2.tgz", - "integrity": "sha512-E2vdPIJG5/69EMpslFhaA46WkcrN74LI5V/cSJ59L7uS8UNoXbzTxmwhpi9XrIL3zqvMt5T0pl5k2l2u2GwBNQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-circus/-/jest-circus-28.1.3.tgz", + "integrity": "sha512-cZ+eS5zc79MBwt+IhQhiEp0OeBddpc1n8MBo1nMB8A7oPMKEO+Sre+wHaLJexQUj9Ya/8NOBY0RESUgYjB6fow==", "dev": true, "dependencies": { - "@jest/environment": "^28.1.2", - "@jest/expect": "^28.1.2", - "@jest/test-result": "^28.1.1", - "@jest/types": "^28.1.1", + "@jest/environment": "^28.1.3", + "@jest/expect": "^28.1.3", + "@jest/test-result": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", "chalk": "^4.0.0", "co": "^4.6.0", "dedent": "^0.7.0", "is-generator-fn": "^2.0.0", - "jest-each": "^28.1.1", - "jest-matcher-utils": "^28.1.1", - "jest-message-util": "^28.1.1", - "jest-runtime": "^28.1.2", - "jest-snapshot": "^28.1.2", - "jest-util": "^28.1.1", - "pretty-format": "^28.1.1", + "jest-each": "^28.1.3", + "jest-matcher-utils": "^28.1.3", + "jest-message-util": "^28.1.3", + "jest-runtime": "^28.1.3", + "jest-snapshot": "^28.1.3", + "jest-util": "^28.1.3", + "p-limit": "^3.1.0", + "pretty-format": "^28.1.3", "slash": "^3.0.0", - "stack-utils": "^2.0.3", - "throat": "^6.0.1" + "stack-utils": "^2.0.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" @@ -9674,21 +9764,21 @@ } }, "node_modules/jest-cli": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-cli/-/jest-cli-28.1.2.tgz", - "integrity": "sha512-l6eoi5Do/IJUXAFL9qRmDiFpBeEJAnjJb1dcd9i/VWfVWbp3mJhuH50dNtX67Ali4Ecvt4eBkWb4hXhPHkAZTw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-cli/-/jest-cli-28.1.3.tgz", + "integrity": "sha512-roY3kvrv57Azn1yPgdTebPAXvdR2xfezaKKYzVxZ6It/5NCxzJym6tUI5P1zkdWhfUYkxEI9uZWcQdaFLo8mJQ==", "dev": true, "dependencies": { - "@jest/core": "^28.1.2", - "@jest/test-result": "^28.1.1", - "@jest/types": "^28.1.1", + "@jest/core": "^28.1.3", + "@jest/test-result": "^28.1.3", + "@jest/types": "^28.1.3", "chalk": "^4.0.0", "exit": "^0.1.2", "graceful-fs": "^4.2.9", "import-local": "^3.0.2", - "jest-config": "^28.1.2", - "jest-util": "^28.1.1", - "jest-validate": "^28.1.1", + "jest-config": "^28.1.3", + "jest-util": "^28.1.3", + "jest-validate": "^28.1.3", "prompts": "^2.0.1", "yargs": "^17.3.1" }, @@ -9778,31 +9868,31 @@ } }, "node_modules/jest-config": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-config/-/jest-config-28.1.2.tgz", - "integrity": "sha512-g6EfeRqddVbjPVBVY4JWpUY4IvQoFRIZcv4V36QkqzE0IGhEC/VkugFeBMAeUE7PRgC8KJF0yvJNDeQRbamEVA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-config/-/jest-config-28.1.3.tgz", + "integrity": "sha512-MG3INjByJ0J4AsNBm7T3hsuxKQqFIiRo/AUqb1q9LRKI5UU6Aar9JHbr9Ivn1TVwfUD9KirRoM/T6u8XlcQPHQ==", "dev": true, "dependencies": { "@babel/core": "^7.11.6", - "@jest/test-sequencer": "^28.1.1", - "@jest/types": "^28.1.1", - "babel-jest": "^28.1.2", + "@jest/test-sequencer": "^28.1.3", + "@jest/types": "^28.1.3", + "babel-jest": "^28.1.3", "chalk": "^4.0.0", "ci-info": "^3.2.0", "deepmerge": "^4.2.2", "glob": "^7.1.3", "graceful-fs": "^4.2.9", - "jest-circus": "^28.1.2", - "jest-environment-node": "^28.1.2", + "jest-circus": "^28.1.3", + "jest-environment-node": "^28.1.3", "jest-get-type": "^28.0.2", "jest-regex-util": "^28.0.2", - "jest-resolve": "^28.1.1", - "jest-runner": "^28.1.2", - "jest-util": "^28.1.1", - "jest-validate": "^28.1.1", + "jest-resolve": "^28.1.3", + "jest-runner": "^28.1.3", + "jest-util": "^28.1.3", + "jest-validate": "^28.1.3", "micromatch": "^4.0.4", "parse-json": "^5.2.0", - "pretty-format": "^28.1.1", + "pretty-format": "^28.1.3", "slash": "^3.0.0", "strip-json-comments": "^3.1.1" }, @@ -9944,15 +10034,15 @@ } }, "node_modules/jest-diff": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-diff/-/jest-diff-28.1.1.tgz", - "integrity": "sha512-/MUUxeR2fHbqHoMMiffe/Afm+U8U4olFRJ0hiVG2lZatPJcnGxx292ustVu7bULhjV65IYMxRdploAKLbcrsyg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-diff/-/jest-diff-28.1.3.tgz", + "integrity": "sha512-8RqP1B/OXzjjTWkqMX67iqgwBVJRgCyKD3L9nq+6ZqJMdvjE8RgHktqZ6jNrkdMT+dJuYNI3rhQpxaz7drJHfw==", "dev": true, "dependencies": { "chalk": "^4.0.0", "diff-sequences": "^28.1.1", "jest-get-type": "^28.0.2", - "pretty-format": "^28.1.1" + "pretty-format": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" @@ -10041,16 +10131,16 @@ } }, "node_modules/jest-each": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-each/-/jest-each-28.1.1.tgz", - "integrity": "sha512-A042rqh17ZvEhRceDMi784ppoXR7MWGDEKTXEZXb4svt0eShMZvijGxzKsx+yIjeE8QYmHPrnHiTSQVhN4nqaw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-each/-/jest-each-28.1.3.tgz", + "integrity": "sha512-arT1z4sg2yABU5uogObVPvSlSMQlDA48owx07BDPAiasW0yYpYHYOo4HHLz9q0BVzDVU4hILFjzJw0So9aCL/g==", "dev": true, "dependencies": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "chalk": "^4.0.0", "jest-get-type": "^28.0.2", - "jest-util": "^28.1.1", - "pretty-format": "^28.1.1" + "jest-util": "^28.1.3", + "pretty-format": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" @@ -10127,36 +10217,253 @@ } }, "node_modules/jest-environment-jsdom": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-28.1.2.tgz", - "integrity": "sha512-Ujhx/xFZGVPuxAVpseQ7KqdBErenuWH3Io2HujkGOKMS2VWmpnTGYHzv+73p21QJ9yYQlJkeg06rTe1svV+u0g==", + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-29.1.2.tgz", + "integrity": "sha512-D+XNIKia5+uDjSMwL/G1l6N9MCb7LymKI8FpcLo7kkISjc/Sa9w+dXXEa7u1Wijo3f8sVLqfxdGqYtRhmca+Xw==", "dev": true, "dependencies": { - "@jest/environment": "^28.1.2", - "@jest/fake-timers": "^28.1.2", - "@jest/types": "^28.1.1", - "@types/jsdom": "^16.2.4", + "@jest/environment": "^29.1.2", + "@jest/fake-timers": "^29.1.2", + "@jest/types": "^29.1.2", + "@types/jsdom": "^20.0.0", "@types/node": "*", - "jest-mock": "^28.1.1", - "jest-util": "^28.1.1", - "jsdom": "^19.0.0" + "jest-mock": "^29.1.2", + "jest-util": "^29.1.2", + "jsdom": "^20.0.0" }, "engines": { - "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-environment-jsdom/node_modules/@jest/environment": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/@jest/environment/-/environment-29.1.2.tgz", + "integrity": "sha512-rG7xZ2UeOfvOVzoLIJ0ZmvPl4tBEQ2n73CZJSlzUjPw4or1oSWC0s0Rk0ZX+pIBJ04aVr6hLWFn1DFtrnf8MhQ==", + "dev": true, + "dependencies": { + "@jest/fake-timers": "^29.1.2", + "@jest/types": "^29.1.2", + "@types/node": "*", + "jest-mock": "^29.1.2" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-environment-jsdom/node_modules/@jest/fake-timers": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-29.1.2.tgz", + "integrity": "sha512-GppaEqS+QQYegedxVMpCe2xCXxxeYwQ7RsNx55zc8f+1q1qevkZGKequfTASI7ejmg9WwI+SJCrHe9X11bLL9Q==", + "dev": true, + "dependencies": { + "@jest/types": "^29.1.2", + "@sinonjs/fake-timers": "^9.1.2", + "@types/node": "*", + "jest-message-util": "^29.1.2", + "jest-mock": "^29.1.2", + "jest-util": "^29.1.2" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-environment-jsdom/node_modules/@jest/schemas": { + "version": "29.0.0", + "resolved": "https://registry.npmjs.org/@jest/schemas/-/schemas-29.0.0.tgz", + "integrity": "sha512-3Ab5HgYIIAnS0HjqJHQYZS+zXc4tUmTmBH3z83ajI6afXp8X3ZtdLX+nXx+I7LNkJD7uN9LAVhgnjDgZa2z0kA==", + "dev": true, + "dependencies": { + "@sinclair/typebox": "^0.24.1" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-environment-jsdom/node_modules/@jest/types": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/@jest/types/-/types-29.1.2.tgz", + "integrity": "sha512-DcXGtoTykQB5jiwCmVr8H4vdg2OJhQex3qPkG+ISyDO7xQXbt/4R6dowcRyPemRnkH7JoHvZuxPBdlq+9JxFCg==", + "dev": true, + "dependencies": { + "@jest/schemas": "^29.0.0", + "@types/istanbul-lib-coverage": "^2.0.0", + "@types/istanbul-reports": "^3.0.0", + "@types/node": "*", + "@types/yargs": "^17.0.8", + "chalk": "^4.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-environment-jsdom/node_modules/ansi-styles": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "dev": true, + "dependencies": { + "color-convert": "^2.0.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/jest-environment-jsdom/node_modules/chalk": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", + "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", + "dev": true, + "dependencies": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/chalk?sponsor=1" + } + }, + "node_modules/jest-environment-jsdom/node_modules/color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "dev": true, + "dependencies": { + "color-name": "~1.1.4" + }, + "engines": { + "node": ">=7.0.0" + } + }, + "node_modules/jest-environment-jsdom/node_modules/color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", + "dev": true + }, + "node_modules/jest-environment-jsdom/node_modules/has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/jest-environment-jsdom/node_modules/jest-message-util": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-29.1.2.tgz", + "integrity": "sha512-9oJ2Os+Qh6IlxLpmvshVbGUiSkZVc2FK+uGOm6tghafnB2RyjKAxMZhtxThRMxfX1J1SOMhTn9oK3/MutRWQJQ==", + "dev": true, + "dependencies": { + "@babel/code-frame": "^7.12.13", + "@jest/types": "^29.1.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.9", + "micromatch": "^4.0.4", + "pretty-format": "^29.1.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.3" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-environment-jsdom/node_modules/jest-mock": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-29.1.2.tgz", + "integrity": "sha512-PFDAdjjWbjPUtQPkQufvniXIS3N9Tv7tbibePEjIIprzjgo0qQlyUiVMrT4vL8FaSJo1QXifQUOuPH3HQC/aMA==", + "dev": true, + "dependencies": { + "@jest/types": "^29.1.2", + "@types/node": "*", + "jest-util": "^29.1.2" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-environment-jsdom/node_modules/jest-util": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-29.1.2.tgz", + "integrity": "sha512-vPCk9F353i0Ymx3WQq3+a4lZ07NXu9Ca8wya6o4Fe4/aO1e1awMMprZ3woPFpKwghEOW+UXgd15vVotuNN9ONQ==", + "dev": true, + "dependencies": { + "@jest/types": "^29.1.2", + "@types/node": "*", + "chalk": "^4.0.0", + "ci-info": "^3.2.0", + "graceful-fs": "^4.2.9", + "picomatch": "^2.2.3" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-environment-jsdom/node_modules/pretty-format": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-29.1.2.tgz", + "integrity": "sha512-CGJ6VVGXVRP2o2Dorl4mAwwvDWT25luIsYhkyVQW32E4nL+TgW939J7LlKT/npq5Cpq6j3s+sy+13yk7xYpBmg==", + "dev": true, + "dependencies": { + "@jest/schemas": "^29.0.0", + "ansi-styles": "^5.0.0", + "react-is": "^18.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-environment-jsdom/node_modules/pretty-format/node_modules/ansi-styles": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-5.2.0.tgz", + "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", + "dev": true, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/jest-environment-jsdom/node_modules/slash": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/jest-environment-jsdom/node_modules/supports-color": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", + "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", + "dev": true, + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=8" } }, "node_modules/jest-environment-node": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-environment-node/-/jest-environment-node-28.1.2.tgz", - "integrity": "sha512-oYsZz9Qw27XKmOgTtnl0jW7VplJkN2oeof+SwAwKFQacq3CLlG9u4kTGuuLWfvu3J7bVutWlrbEQMOCL/jughw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-environment-node/-/jest-environment-node-28.1.3.tgz", + "integrity": "sha512-ugP6XOhEpjAEhGYvp5Xj989ns5cB1K6ZdjBYuS30umT4CQEETaxSiPcZ/E1kFktX4GkrcM4qu07IIlDYX1gp+A==", "dev": true, "dependencies": { - "@jest/environment": "^28.1.2", - "@jest/fake-timers": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/environment": "^28.1.3", + "@jest/fake-timers": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", - "jest-mock": "^28.1.1", - "jest-util": "^28.1.1" + "jest-mock": "^28.1.3", + "jest-util": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" @@ -10172,20 +10479,20 @@ } }, "node_modules/jest-haste-map": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-haste-map/-/jest-haste-map-28.1.1.tgz", - "integrity": "sha512-ZrRSE2o3Ezh7sb1KmeLEZRZ4mgufbrMwolcFHNRSjKZhpLa8TdooXOOFlSwoUzlbVs1t0l7upVRW2K7RWGHzbQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-haste-map/-/jest-haste-map-28.1.3.tgz", + "integrity": "sha512-3S+RQWDXccXDKSWnkHa/dPwt+2qwA8CJzR61w3FoYCvoo3Pn8tvGcysmMF0Bj0EX5RYvAI2EIvC57OmotfdtKA==", "dev": true, "dependencies": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@types/graceful-fs": "^4.1.3", "@types/node": "*", "anymatch": "^3.0.3", "fb-watchman": "^2.0.0", "graceful-fs": "^4.2.9", "jest-regex-util": "^28.0.2", - "jest-util": "^28.1.1", - "jest-worker": "^28.1.1", + "jest-util": "^28.1.3", + "jest-worker": "^28.1.3", "micromatch": "^4.0.4", "walker": "^1.0.8" }, @@ -10197,28 +10504,28 @@ } }, "node_modules/jest-leak-detector": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-leak-detector/-/jest-leak-detector-28.1.1.tgz", - "integrity": "sha512-4jvs8V8kLbAaotE+wFR7vfUGf603cwYtFf1/PYEsyX2BAjSzj8hQSVTP6OWzseTl0xL6dyHuKs2JAks7Pfubmw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-leak-detector/-/jest-leak-detector-28.1.3.tgz", + "integrity": "sha512-WFVJhnQsiKtDEo5lG2mM0v40QWnBM+zMdHHyJs8AWZ7J0QZJS59MsyKeJHWhpBZBH32S48FOVvGyOFT1h0DlqA==", "dev": true, "dependencies": { "jest-get-type": "^28.0.2", - "pretty-format": "^28.1.1" + "pretty-format": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" } }, "node_modules/jest-matcher-utils": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-28.1.1.tgz", - "integrity": "sha512-NPJPRWrbmR2nAJ+1nmnfcKKzSwgfaciCCrYZzVnNoxVoyusYWIjkBMNvu0RHJe7dNj4hH3uZOPZsQA+xAYWqsw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-28.1.3.tgz", + "integrity": "sha512-kQeJ7qHemKfbzKoGjHHrRKH6atgxMk8Enkk2iPQ3XwO6oE/KYD8lMYOziCkeSB9G4adPM4nR1DE8Tf5JeWH6Bw==", "dev": true, "dependencies": { "chalk": "^4.0.0", - "jest-diff": "^28.1.1", + "jest-diff": "^28.1.3", "jest-get-type": "^28.0.2", - "pretty-format": "^28.1.1" + "pretty-format": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" @@ -10295,18 +10602,18 @@ } }, "node_modules/jest-message-util": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-28.1.1.tgz", - "integrity": "sha512-xoDOOT66fLfmTRiqkoLIU7v42mal/SqwDKvfmfiWAdJMSJiU+ozgluO7KbvoAgiwIrrGZsV7viETjc8GNrA/IQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-28.1.3.tgz", + "integrity": "sha512-PFdn9Iewbt575zKPf1286Ht9EPoJmYT7P0kY+RibeYZ2XtOr53pDLEFoTWXbd1h4JiGiWpTBC84fc8xMXQMb7g==", "dev": true, "dependencies": { "@babel/code-frame": "^7.12.13", - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@types/stack-utils": "^2.0.0", "chalk": "^4.0.0", "graceful-fs": "^4.2.9", "micromatch": "^4.0.4", - "pretty-format": "^28.1.1", + "pretty-format": "^28.1.3", "slash": "^3.0.0", "stack-utils": "^2.0.3" }, @@ -10394,12 +10701,12 @@ } }, "node_modules/jest-mock": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-28.1.1.tgz", - "integrity": "sha512-bDCb0FjfsmKweAvE09dZT59IMkzgN0fYBH6t5S45NoJfd2DHkS3ySG2K+hucortryhO3fVuXdlxWcbtIuV/Skw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-28.1.3.tgz", + "integrity": "sha512-o3J2jr6dMMWYVH4Lh/NKmDXdosrsJgi4AviS8oXLujcjpCMBb1FMsblDnOXKZKfSiHLxYub1eS0IHuRXsio9eA==", "dev": true, "dependencies": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@types/node": "*" }, "engines": { @@ -10424,9 +10731,9 @@ } }, "node_modules/jest-preset-angular": { - "version": "12.1.0", - "resolved": "https://registry.npmjs.org/jest-preset-angular/-/jest-preset-angular-12.1.0.tgz", - "integrity": "sha512-zOiUvAMqIYkr8yRRO9x2NwVD8rzx0GtDaWxxox5GdgFQ/EEeIMI2Wqf5gfuX0t3Cnrq+K6cJCr181VMrjPkLPA==", + "version": "12.2.2", + "resolved": "https://registry.npmjs.org/jest-preset-angular/-/jest-preset-angular-12.2.2.tgz", + "integrity": "sha512-aj5ZwVW6cGGzZKUn6e/jDwFgQh6FHy1zCCXWOeqFCuM3WODrbdUJ93zKrex18e9K1+PvOcP0e20yKbj3gwhfFg==", "dev": true, "dependencies": { "bs-logger": "^0.2.6", @@ -10450,6 +10757,145 @@ "typescript": ">=4.3" } }, + "node_modules/jest-preset-angular/node_modules/@types/jsdom": { + "version": "16.2.15", + "resolved": "https://registry.npmjs.org/@types/jsdom/-/jsdom-16.2.15.tgz", + "integrity": "sha512-nwF87yjBKuX/roqGYerZZM0Nv1pZDMAT5YhOHYeM/72Fic+VEqJh4nyoqoapzJnW3pUlfxPY5FhgsJtM+dRnQQ==", + "dev": true, + "dependencies": { + "@types/node": "*", + "@types/parse5": "^6.0.3", + "@types/tough-cookie": "*" + } + }, + "node_modules/jest-preset-angular/node_modules/form-data": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.0.tgz", + "integrity": "sha512-ETEklSGi5t0QMZuiXoA/Q6vcnxcLQP5vdugSpuAyi6SVGi2clPPp+xgEhuMaHC+zGgn31Kd235W35f7Hykkaww==", + "dev": true, + "dependencies": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "mime-types": "^2.1.12" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/jest-preset-angular/node_modules/jest-environment-jsdom": { + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-28.1.3.tgz", + "integrity": "sha512-HnlGUmZRdxfCByd3GM2F100DgQOajUBzEitjGqIREcb45kGjZvRrKUdlaF6escXBdcXNl0OBh+1ZrfeZT3GnAg==", + "dev": true, + "dependencies": { + "@jest/environment": "^28.1.3", + "@jest/fake-timers": "^28.1.3", + "@jest/types": "^28.1.3", + "@types/jsdom": "^16.2.4", + "@types/node": "*", + "jest-mock": "^28.1.3", + "jest-util": "^28.1.3", + "jsdom": "^19.0.0" + }, + "engines": { + "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" + } + }, + "node_modules/jest-preset-angular/node_modules/jsdom": { + "version": "19.0.0", + "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-19.0.0.tgz", + "integrity": "sha512-RYAyjCbxy/vri/CfnjUWJQQtZ3LKlLnDqj+9XLNnJPgEGeirZs3hllKR20re8LUZ6o1b1X4Jat+Qd26zmP41+A==", + "dev": true, + "dependencies": { + "abab": "^2.0.5", + "acorn": "^8.5.0", + "acorn-globals": "^6.0.0", + "cssom": "^0.5.0", + "cssstyle": "^2.3.0", + "data-urls": "^3.0.1", + "decimal.js": "^10.3.1", + "domexception": "^4.0.0", + "escodegen": "^2.0.0", + "form-data": "^4.0.0", + "html-encoding-sniffer": "^3.0.0", + "http-proxy-agent": "^5.0.0", + "https-proxy-agent": "^5.0.0", + "is-potential-custom-element-name": "^1.0.1", + "nwsapi": "^2.2.0", + "parse5": "6.0.1", + "saxes": "^5.0.1", + "symbol-tree": "^3.2.4", + "tough-cookie": "^4.0.0", + "w3c-hr-time": "^1.0.2", + "w3c-xmlserializer": "^3.0.0", + "webidl-conversions": "^7.0.0", + "whatwg-encoding": "^2.0.0", + "whatwg-mimetype": "^3.0.0", + "whatwg-url": "^10.0.0", + "ws": "^8.2.3", + "xml-name-validator": "^4.0.0" + }, + "engines": { + "node": ">=12" + }, + "peerDependencies": { + "canvas": "^2.5.0" + }, + "peerDependenciesMeta": { + "canvas": { + "optional": true + } + } + }, + "node_modules/jest-preset-angular/node_modules/saxes": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/saxes/-/saxes-5.0.1.tgz", + "integrity": "sha512-5LBh1Tls8c9xgGjw3QrMwETmTMVk0oFgvrFSvWx62llR2hcEInrKNZ2GZCCuuy2lvWrdl5jhbpeqc5hRYKFOcw==", + "dev": true, + "dependencies": { + "xmlchars": "^2.2.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/jest-preset-angular/node_modules/tough-cookie": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.1.2.tgz", + "integrity": "sha512-G9fqXWoYFZgTc2z8Q5zaHy/vJMjm+WV0AkAeHxVCQiEB1b+dGvWzFW6QV07cY5jQ5gRkeid2qIkzkxUnmoQZUQ==", + "dev": true, + "dependencies": { + "psl": "^1.1.33", + "punycode": "^2.1.1", + "universalify": "^0.2.0", + "url-parse": "^1.5.3" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/jest-preset-angular/node_modules/universalify": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.2.0.tgz", + "integrity": "sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==", + "dev": true, + "engines": { + "node": ">= 4.0.0" + } + }, + "node_modules/jest-preset-angular/node_modules/whatwg-url": { + "version": "10.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-10.0.0.tgz", + "integrity": "sha512-CLxxCmdUby142H5FZzn4D8ikO1cmypvXVQktsgosNy4a4BHrDHeciBBGZhb0bNoR5/MltoCatso+vFjjGx8t0w==", + "dev": true, + "dependencies": { + "tr46": "^3.0.0", + "webidl-conversions": "^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, "node_modules/jest-regex-util": { "version": "28.0.2", "resolved": "https://registry.npmjs.org/jest-regex-util/-/jest-regex-util-28.0.2.tgz", @@ -10460,17 +10906,17 @@ } }, "node_modules/jest-resolve": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-resolve/-/jest-resolve-28.1.1.tgz", - "integrity": "sha512-/d1UbyUkf9nvsgdBildLe6LAD4DalgkgZcKd0nZ8XUGPyA/7fsnaQIlKVnDiuUXv/IeZhPEDrRJubVSulxrShA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-resolve/-/jest-resolve-28.1.3.tgz", + "integrity": "sha512-Z1W3tTjE6QaNI90qo/BJpfnvpxtaFTFw5CDgwpyE/Kz8U/06N1Hjf4ia9quUhCh39qIGWF1ZuxFiBiJQwSEYKQ==", "dev": true, "dependencies": { "chalk": "^4.0.0", "graceful-fs": "^4.2.9", - "jest-haste-map": "^28.1.1", + "jest-haste-map": "^28.1.3", "jest-pnp-resolver": "^1.2.2", - "jest-util": "^28.1.1", - "jest-validate": "^28.1.1", + "jest-util": "^28.1.3", + "jest-validate": "^28.1.3", "resolve": "^1.20.0", "resolve.exports": "^1.1.0", "slash": "^3.0.0" @@ -10480,13 +10926,13 @@ } }, "node_modules/jest-resolve-dependencies": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-resolve-dependencies/-/jest-resolve-dependencies-28.1.2.tgz", - "integrity": "sha512-OXw4vbOZuyRTBi3tapWBqdyodU+T33ww5cPZORuTWkg+Y8lmsxQlVu3MWtJh6NMlKRTHQetF96yGPv01Ye7Mbg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-resolve-dependencies/-/jest-resolve-dependencies-28.1.3.tgz", + "integrity": "sha512-qa0QO2Q0XzQoNPouMbCc7Bvtsem8eQgVPNkwn9LnS+R2n8DaVDPL/U1gngC0LTl1RYXJU0uJa2BMC2DbTfFrHA==", "dev": true, "dependencies": { "jest-regex-util": "^28.0.2", - "jest-snapshot": "^28.1.2" + "jest-snapshot": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" @@ -10572,32 +11018,32 @@ } }, "node_modules/jest-runner": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-runner/-/jest-runner-28.1.2.tgz", - "integrity": "sha512-6/k3DlAsAEr5VcptCMdhtRhOoYClZQmxnVMZvZ/quvPGRpN7OBQYPIC32tWSgOnbgqLXNs5RAniC+nkdFZpD4A==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-runner/-/jest-runner-28.1.3.tgz", + "integrity": "sha512-GkMw4D/0USd62OVO0oEgjn23TM+YJa2U2Wu5zz9xsQB1MxWKDOlrnykPxnMsN0tnJllfLPinHTka61u0QhaxBA==", "dev": true, "dependencies": { - "@jest/console": "^28.1.1", - "@jest/environment": "^28.1.2", - "@jest/test-result": "^28.1.1", - "@jest/transform": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/console": "^28.1.3", + "@jest/environment": "^28.1.3", + "@jest/test-result": "^28.1.3", + "@jest/transform": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", "chalk": "^4.0.0", "emittery": "^0.10.2", "graceful-fs": "^4.2.9", "jest-docblock": "^28.1.1", - "jest-environment-node": "^28.1.2", - "jest-haste-map": "^28.1.1", - "jest-leak-detector": "^28.1.1", - "jest-message-util": "^28.1.1", - "jest-resolve": "^28.1.1", - "jest-runtime": "^28.1.2", - "jest-util": "^28.1.1", - "jest-watcher": "^28.1.1", - "jest-worker": "^28.1.1", - "source-map-support": "0.5.13", - "throat": "^6.0.1" + "jest-environment-node": "^28.1.3", + "jest-haste-map": "^28.1.3", + "jest-leak-detector": "^28.1.3", + "jest-message-util": "^28.1.3", + "jest-resolve": "^28.1.3", + "jest-runtime": "^28.1.3", + "jest-util": "^28.1.3", + "jest-watcher": "^28.1.3", + "jest-worker": "^28.1.3", + "p-limit": "^3.1.0", + "source-map-support": "0.5.13" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" @@ -10693,31 +11139,31 @@ } }, "node_modules/jest-runtime": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-runtime/-/jest-runtime-28.1.2.tgz", - "integrity": "sha512-i4w93OsWzLOeMXSi9epmakb2+3z0AchZtUQVF1hesBmcQQy4vtaql5YdVe9KexdJaVRyPDw8DoBR0j3lYsZVYw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-runtime/-/jest-runtime-28.1.3.tgz", + "integrity": "sha512-NU+881ScBQQLc1JHG5eJGU7Ui3kLKrmwCPPtYsJtBykixrM2OhVQlpMmFWJjMyDfdkGgBMNjXCGB/ebzsgNGQw==", "dev": true, "dependencies": { - "@jest/environment": "^28.1.2", - "@jest/fake-timers": "^28.1.2", - "@jest/globals": "^28.1.2", + "@jest/environment": "^28.1.3", + "@jest/fake-timers": "^28.1.3", + "@jest/globals": "^28.1.3", "@jest/source-map": "^28.1.2", - "@jest/test-result": "^28.1.1", - "@jest/transform": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/test-result": "^28.1.3", + "@jest/transform": "^28.1.3", + "@jest/types": "^28.1.3", "chalk": "^4.0.0", "cjs-module-lexer": "^1.0.0", "collect-v8-coverage": "^1.0.0", "execa": "^5.0.0", "glob": "^7.1.3", "graceful-fs": "^4.2.9", - "jest-haste-map": "^28.1.1", - "jest-message-util": "^28.1.1", - "jest-mock": "^28.1.1", + "jest-haste-map": "^28.1.3", + "jest-message-util": "^28.1.3", + "jest-mock": "^28.1.3", "jest-regex-util": "^28.0.2", - "jest-resolve": "^28.1.1", - "jest-snapshot": "^28.1.2", - "jest-util": "^28.1.1", + "jest-resolve": "^28.1.3", + "jest-snapshot": "^28.1.3", + "jest-util": "^28.1.3", "slash": "^3.0.0", "strip-bom": "^4.0.0" }, @@ -10891,9 +11337,9 @@ } }, "node_modules/jest-snapshot": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-snapshot/-/jest-snapshot-28.1.2.tgz", - "integrity": "sha512-wzrieFttZYfLvrCVRJxX+jwML2YTArOUqFpCoSVy1QUapx+LlV9uLbV/mMEhYj4t7aMeE9aSQFHSvV/oNoDAMA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-snapshot/-/jest-snapshot-28.1.3.tgz", + "integrity": "sha512-4lzMgtiNlc3DU/8lZfmqxN3AYD6GGLbl+72rdBpXvcV+whX7mDrREzkPdp2RnmfIiWBg1YbuFSkXduF2JcafJg==", "dev": true, "dependencies": { "@babel/core": "^7.11.6", @@ -10901,23 +11347,23 @@ "@babel/plugin-syntax-typescript": "^7.7.2", "@babel/traverse": "^7.7.2", "@babel/types": "^7.3.3", - "@jest/expect-utils": "^28.1.1", - "@jest/transform": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/expect-utils": "^28.1.3", + "@jest/transform": "^28.1.3", + "@jest/types": "^28.1.3", "@types/babel__traverse": "^7.0.6", "@types/prettier": "^2.1.5", "babel-preset-current-node-syntax": "^1.0.0", "chalk": "^4.0.0", - "expect": "^28.1.1", + "expect": "^28.1.3", "graceful-fs": "^4.2.9", - "jest-diff": "^28.1.1", + "jest-diff": "^28.1.3", "jest-get-type": "^28.0.2", - "jest-haste-map": "^28.1.1", - "jest-matcher-utils": "^28.1.1", - "jest-message-util": "^28.1.1", - "jest-util": "^28.1.1", + "jest-haste-map": "^28.1.3", + "jest-matcher-utils": "^28.1.3", + "jest-message-util": "^28.1.3", + "jest-util": "^28.1.3", "natural-compare": "^1.4.0", - "pretty-format": "^28.1.1", + "pretty-format": "^28.1.3", "semver": "^7.3.5" }, "engines": { @@ -10995,12 +11441,12 @@ } }, "node_modules/jest-util": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-28.1.1.tgz", - "integrity": "sha512-FktOu7ca1DZSyhPAxgxB6hfh2+9zMoJ7aEQA759Z6p45NuO8mWcqujH+UdHlCm/V6JTWwDztM2ITCzU1ijJAfw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-28.1.3.tgz", + "integrity": "sha512-XdqfpHwpcSRko/C35uLYFM2emRAltIIKZiJ9eAmhjsj0CqZMa0p1ib0R5fWIqGhn1a103DebTbpqIaP1qCQ6tQ==", "dev": true, "dependencies": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@types/node": "*", "chalk": "^4.0.0", "ci-info": "^3.2.0", @@ -11082,17 +11528,17 @@ } }, "node_modules/jest-validate": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-validate/-/jest-validate-28.1.1.tgz", - "integrity": "sha512-Kpf6gcClqFCIZ4ti5++XemYJWUPCFUW+N2gknn+KgnDf549iLul3cBuKVe1YcWRlaF8tZV8eJCap0eECOEE3Ug==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-validate/-/jest-validate-28.1.3.tgz", + "integrity": "sha512-SZbOGBWEsaTxBGCOpsRWlXlvNkvTkY0XxRfh7zYmvd8uL5Qzyg0CHAXiXKROflh801quA6+/DsT4ODDthOC/OA==", "dev": true, "dependencies": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "camelcase": "^6.2.0", "chalk": "^4.0.0", "jest-get-type": "^28.0.2", "leven": "^3.1.0", - "pretty-format": "^28.1.1" + "pretty-format": "^28.1.3" }, "engines": { "node": "^12.13.0 || ^14.15.0 || ^16.10.0 || >=17.0.0" @@ -11181,18 +11627,18 @@ } }, "node_modules/jest-watcher": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-watcher/-/jest-watcher-28.1.1.tgz", - "integrity": "sha512-RQIpeZ8EIJMxbQrXpJQYIIlubBnB9imEHsxxE41f54ZwcqWLysL/A0ZcdMirf+XsMn3xfphVQVV4EW0/p7i7Ug==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-watcher/-/jest-watcher-28.1.3.tgz", + "integrity": "sha512-t4qcqj9hze+jviFPUN3YAtAEeFnr/azITXQEMARf5cMwKY2SMBRnCQTXLixTl20OR6mLh9KLMrgVJgJISym+1g==", "dev": true, "dependencies": { - "@jest/test-result": "^28.1.1", - "@jest/types": "^28.1.1", + "@jest/test-result": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", "ansi-escapes": "^4.2.1", "chalk": "^4.0.0", "emittery": "^0.10.2", - "jest-util": "^28.1.1", + "jest-util": "^28.1.3", "string-length": "^4.0.1" }, "engines": { @@ -11270,9 +11716,9 @@ } }, "node_modules/jest-worker": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-28.1.1.tgz", - "integrity": "sha512-Au7slXB08C6h+xbJPp7VIb6U0XX5Kc9uel/WFc6/rcTzGiaVCBRngBExSYuXSLFPULPSYU3cJ3ybS988lNFQhQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-28.1.3.tgz", + "integrity": "sha512-CqRA220YV/6jCo8VWvAt1KKx6eek1VIHMPeLEbpcfSfkEeWyBNppynM/o6q+Wmw+sOhos2ml34wZbSX3G13//g==", "dev": true, "dependencies": { "@types/node": "*", @@ -11345,28 +11791,28 @@ "optional": true }, "node_modules/jsdom": { - "version": "19.0.0", - "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-19.0.0.tgz", - "integrity": "sha512-RYAyjCbxy/vri/CfnjUWJQQtZ3LKlLnDqj+9XLNnJPgEGeirZs3hllKR20re8LUZ6o1b1X4Jat+Qd26zmP41+A==", + "version": "20.0.0", + "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-20.0.0.tgz", + "integrity": "sha512-x4a6CKCgx00uCmP+QakBDFXwjAJ69IkkIWHmtmjd3wvXPcdOS44hfX2vqkOQrVrq8l9DhNNADZRXaCEWvgXtVA==", "dev": true, "dependencies": { - "abab": "^2.0.5", - "acorn": "^8.5.0", + "abab": "^2.0.6", + "acorn": "^8.7.1", "acorn-globals": "^6.0.0", "cssom": "^0.5.0", "cssstyle": "^2.3.0", - "data-urls": "^3.0.1", + "data-urls": "^3.0.2", "decimal.js": "^10.3.1", "domexception": "^4.0.0", "escodegen": "^2.0.0", "form-data": "^4.0.0", "html-encoding-sniffer": "^3.0.0", "http-proxy-agent": "^5.0.0", - "https-proxy-agent": "^5.0.0", + "https-proxy-agent": "^5.0.1", "is-potential-custom-element-name": "^1.0.1", "nwsapi": "^2.2.0", - "parse5": "6.0.1", - "saxes": "^5.0.1", + "parse5": "^7.0.0", + "saxes": "^6.0.0", "symbol-tree": "^3.2.4", "tough-cookie": "^4.0.0", "w3c-hr-time": "^1.0.2", @@ -11374,12 +11820,12 @@ "webidl-conversions": "^7.0.0", "whatwg-encoding": "^2.0.0", "whatwg-mimetype": "^3.0.0", - "whatwg-url": "^10.0.0", - "ws": "^8.2.3", + "whatwg-url": "^11.0.0", + "ws": "^8.8.0", "xml-name-validator": "^4.0.0" }, "engines": { - "node": ">=12" + "node": ">=14" }, "peerDependencies": { "canvas": "^2.5.0" @@ -11390,6 +11836,18 @@ } } }, + "node_modules/jsdom/node_modules/entities": { + "version": "4.4.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-4.4.0.tgz", + "integrity": "sha512-oYp7156SP8LkeGD0GF85ad1X9Ai79WtRsZ2gxJqtBuzH+98YUV6jkHEKlZkMbcrjJjIVJNIDP/3WL9wQkoPbWA==", + "dev": true, + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, "node_modules/jsdom/node_modules/form-data": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.0.tgz", @@ -11404,24 +11862,37 @@ "node": ">= 6" } }, + "node_modules/jsdom/node_modules/parse5": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/parse5/-/parse5-7.0.0.tgz", + "integrity": "sha512-y/t8IXSPWTuRZqXc0ajH/UwDj4mnqLEbSttNbThcFhGrZuOyoyvNBO85PBp2jQa55wY9d07PBNjsK8ZP3K5U6g==", + "dev": true, + "dependencies": { + "entities": "^4.3.0" + }, + "funding": { + "url": "https://github.com/inikulin/parse5?sponsor=1" + } + }, "node_modules/jsdom/node_modules/tough-cookie": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.0.0.tgz", - "integrity": "sha512-tHdtEpQCMrc1YLrMaqXXcj6AxhYi/xgit6mZu1+EDWUn+qhUf8wMQoFIy9NXuq23zAwtcB0t/MjACGR18pcRbg==", + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.1.2.tgz", + "integrity": "sha512-G9fqXWoYFZgTc2z8Q5zaHy/vJMjm+WV0AkAeHxVCQiEB1b+dGvWzFW6QV07cY5jQ5gRkeid2qIkzkxUnmoQZUQ==", "dev": true, "dependencies": { "psl": "^1.1.33", "punycode": "^2.1.1", - "universalify": "^0.1.2" + "universalify": "^0.2.0", + "url-parse": "^1.5.3" }, "engines": { "node": ">=6" } }, "node_modules/jsdom/node_modules/universalify": { - "version": "0.1.2", - "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.1.2.tgz", - "integrity": "sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg==", + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.2.0.tgz", + "integrity": "sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==", "dev": true, "engines": { "node": ">= 4.0.0" @@ -11474,9 +11945,9 @@ } }, "node_modules/jsonc-parser": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/jsonc-parser/-/jsonc-parser-3.0.0.tgz", - "integrity": "sha512-fQzRfAbIBnR0IQvftw9FJveWiHp72Fg20giDrHz6TdfB12UH/uue0D3hm57UB5KgAVuniLMCaS8P1IMj9NR7cA==", + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/jsonc-parser/-/jsonc-parser-3.1.0.tgz", + "integrity": "sha512-DRf0QjnNeCUds3xTjKlQQ3DpJD51GvDjJfnxUVWg6PZTo2otSm+slzNAxU/35hF8/oJIKoG9slq30JYOsF2azg==", "devOptional": true }, "node_modules/jsonfile": { @@ -11561,9 +12032,9 @@ } }, "node_modules/less": { - "version": "4.1.2", - "resolved": "https://registry.npmjs.org/less/-/less-4.1.2.tgz", - "integrity": "sha512-EoQp/Et7OSOVu0aJknJOtlXZsnr8XE8KwuzTHOLeVSEx8pVWUICc8Q0VYRHgzyjX78nMEyC/oztWFbgyhtNfDA==", + "version": "4.1.3", + "resolved": "https://registry.npmjs.org/less/-/less-4.1.3.tgz", + "integrity": "sha512-w16Xk/Ta9Hhyei0Gpz9m7VS8F28nieJaL/VyShID7cYvP6IL5oHeL6p4TXSDJqZE/lNv0oJ2pGVjJsRkfwm5FA==", "dev": true, "dependencies": { "copy-anything": "^2.0.1", @@ -11582,20 +12053,20 @@ "image-size": "~0.5.0", "make-dir": "^2.1.0", "mime": "^1.4.1", - "needle": "^2.5.2", + "needle": "^3.1.0", "source-map": "~0.6.0" } }, "node_modules/less-loader": { - "version": "10.2.0", - "resolved": "https://registry.npmjs.org/less-loader/-/less-loader-10.2.0.tgz", - "integrity": "sha512-AV5KHWvCezW27GT90WATaDnfXBv99llDbtaj4bshq6DvAihMdNjaPDcUMa6EXKLRF+P2opFenJp89BXg91XLYg==", + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/less-loader/-/less-loader-11.0.0.tgz", + "integrity": "sha512-9+LOWWjuoectIEx3zrfN83NAGxSUB5pWEabbbidVQVgZhN+wN68pOvuyirVlH1IK4VT1f3TmlyvAnCXh8O5KEw==", "dev": true, "dependencies": { "klona": "^2.0.4" }, "engines": { - "node": ">= 12.13.0" + "node": ">= 14.15.0" }, "funding": { "type": "opencollective", @@ -11776,12 +12247,6 @@ "integrity": "sha512-Sb487aTOCr9drQVL8pIxOzVhafOjZN9UU54hiN8PU3uAiSV7lx1yYNpbNmex2PK6dSJoNTSJUUswT651yww3Mg==", "optional": true }, - "node_modules/lodash.sortby": { - "version": "4.7.0", - "resolved": "https://registry.npmjs.org/lodash.sortby/-/lodash.sortby-4.7.0.tgz", - "integrity": "sha512-HDWXG8isMntAyRF5vZ7xKuEvOhT4AhlRt/3czTSjvGUxjYCBVRQY48ViDHyfYz9VIoBkW4TMGQNapx+l3RUwdA==", - "dev": true - }, "node_modules/log-symbols": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/log-symbols/-/log-symbols-4.1.0.tgz", @@ -11951,18 +12416,18 @@ } }, "node_modules/lru-cache": { - "version": "7.12.0", - "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-7.12.0.tgz", - "integrity": "sha512-OIP3DwzRZDfLg9B9VP/huWBlpvbkmbfiBy8xmsXp4RPmE4A3MhwNozc5ZJ3fWnSg8fDcdlE/neRTPG2ycEKliw==", + "version": "7.14.0", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-7.14.0.tgz", + "integrity": "sha512-EIRtP1GrSJny0dqb50QXRUNBxHJhcpxHC++M5tD7RYbvLLn5KVWKsbyswSSqDuU15UFi3bgTQIY8nhDMeF6aDQ==", "devOptional": true, "engines": { "node": ">=12" } }, "node_modules/magic-string": { - "version": "0.26.1", - "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.26.1.tgz", - "integrity": "sha512-ndThHmvgtieXe8J/VGPjG+Apu7v7ItcD5mhEIvOscWjPF/ccOiLxHaSuCAS2G+3x4GKsAbT8u7zdyamupui8Tg==", + "version": "0.26.2", + "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.26.2.tgz", + "integrity": "sha512-NzzlXpclt5zAbmo6h6jNc8zl2gNRGHvmsZW4IvZhTC4W7k4OlLP+S5YLussa/r3ixNT66KOQfNORlXHSOy/X4A==", "dependencies": { "sourcemap-codec": "^1.4.8" }, @@ -12001,171 +12466,30 @@ "dev": true }, "node_modules/make-fetch-happen": { - "version": "9.1.0", - "resolved": "https://registry.npmjs.org/make-fetch-happen/-/make-fetch-happen-9.1.0.tgz", - "integrity": "sha512-+zopwDy7DNknmwPQplem5lAZX/eCOzSvSNNcSKm5eVwTkOBzoktEfXsa9L23J/GIRhxRsaxzkPEhrJEpE2F4Gg==", + "version": "10.2.1", + "resolved": "https://registry.npmjs.org/make-fetch-happen/-/make-fetch-happen-10.2.1.tgz", + "integrity": "sha512-NgOPbRiaQM10DYXvN3/hhGVI2M5MtITFryzBGxHM5p4wnFxsVCbxkrBrDsk+EZ5OB4jEOT7AjDxtdF+KVEFT7w==", "devOptional": true, "dependencies": { - "agentkeepalive": "^4.1.3", - "cacache": "^15.2.0", + "agentkeepalive": "^4.2.1", + "cacache": "^16.1.0", "http-cache-semantics": "^4.1.0", - "http-proxy-agent": "^4.0.1", + "http-proxy-agent": "^5.0.0", "https-proxy-agent": "^5.0.0", "is-lambda": "^1.0.1", - "lru-cache": "^6.0.0", - "minipass": "^3.1.3", + "lru-cache": "^7.7.1", + "minipass": "^3.1.6", "minipass-collect": "^1.0.2", - "minipass-fetch": "^1.3.2", + "minipass-fetch": "^2.0.3", "minipass-flush": "^1.0.5", "minipass-pipeline": "^1.2.4", - "negotiator": "^0.6.2", + "negotiator": "^0.6.3", "promise-retry": "^2.0.1", - "socks-proxy-agent": "^6.0.0", - "ssri": "^8.0.0" + "socks-proxy-agent": "^7.0.0", + "ssri": "^9.0.0" }, "engines": { - "node": ">= 10" - } - }, - "node_modules/make-fetch-happen/node_modules/@npmcli/fs": { - "version": "1.1.1", - "resolved": "https://registry.npmjs.org/@npmcli/fs/-/fs-1.1.1.tgz", - "integrity": "sha512-8KG5RD0GVP4ydEzRn/I4BNDuxDtqVbOdm8675T49OIG/NGhaK0pjPX7ZcDlvKYbA+ulvVK3ztfcF4uBdOxuJbQ==", - "devOptional": true, - "dependencies": { - "@gar/promisify": "^1.0.1", - "semver": "^7.3.5" - } - }, - "node_modules/make-fetch-happen/node_modules/@npmcli/move-file": { - "version": "1.1.2", - "resolved": "https://registry.npmjs.org/@npmcli/move-file/-/move-file-1.1.2.tgz", - "integrity": "sha512-1SUf/Cg2GzGDyaf15aR9St9TWlb+XvbZXWpDx8YKs7MLzMH/BCeopv+y9vzrzgkfykCGuWOlSu3mZhj2+FQcrg==", - "devOptional": true, - "dependencies": { - "mkdirp": "^1.0.4", - "rimraf": "^3.0.2" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/make-fetch-happen/node_modules/@tootallnate/once": { - "version": "1.1.2", - "resolved": "https://registry.npmjs.org/@tootallnate/once/-/once-1.1.2.tgz", - "integrity": "sha512-RbzJvlNzmRq5c3O09UipeuXno4tA1FE6ikOjxZK0tuxVv3412l64l5t1W5pj4+rJq9vpkm/kwiR07aZXnsKPxw==", - "devOptional": true, - "engines": { - "node": ">= 6" - } - }, - "node_modules/make-fetch-happen/node_modules/brace-expansion": { - "version": "1.1.11", - "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", - "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", - "devOptional": true, - "dependencies": { - "balanced-match": "^1.0.0", - "concat-map": "0.0.1" - } - }, - "node_modules/make-fetch-happen/node_modules/cacache": { - "version": "15.3.0", - "resolved": "https://registry.npmjs.org/cacache/-/cacache-15.3.0.tgz", - "integrity": "sha512-VVdYzXEn+cnbXpFgWs5hTT7OScegHVmLhJIR8Ufqk3iFD6A6j5iSX1KuBTfNEv4tdJWE2PzA6IVFtcLC7fN9wQ==", - "devOptional": true, - "dependencies": { - "@npmcli/fs": "^1.0.0", - "@npmcli/move-file": "^1.0.1", - "chownr": "^2.0.0", - "fs-minipass": "^2.0.0", - "glob": "^7.1.4", - "infer-owner": "^1.0.4", - "lru-cache": "^6.0.0", - "minipass": "^3.1.1", - "minipass-collect": "^1.0.2", - "minipass-flush": "^1.0.5", - "minipass-pipeline": "^1.2.2", - "mkdirp": "^1.0.3", - "p-map": "^4.0.0", - "promise-inflight": "^1.0.1", - "rimraf": "^3.0.2", - "ssri": "^8.0.1", - "tar": "^6.0.2", - "unique-filename": "^1.1.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/make-fetch-happen/node_modules/glob": { - "version": "7.2.3", - "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz", - "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", - "devOptional": true, - "dependencies": { - "fs.realpath": "^1.0.0", - "inflight": "^1.0.4", - "inherits": "2", - "minimatch": "^3.1.1", - "once": "^1.3.0", - "path-is-absolute": "^1.0.0" - }, - "engines": { - "node": "*" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/make-fetch-happen/node_modules/http-proxy-agent": { - "version": "4.0.1", - "resolved": "https://registry.npmjs.org/http-proxy-agent/-/http-proxy-agent-4.0.1.tgz", - "integrity": "sha512-k0zdNgqWTGA6aeIRVpvfVob4fL52dTfaehylg0Y4UvSySvOq/Y+BOyPrgpUrA7HylqvU8vIZGsRuXmspskV0Tg==", - "devOptional": true, - "dependencies": { - "@tootallnate/once": "1", - "agent-base": "6", - "debug": "4" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/make-fetch-happen/node_modules/lru-cache": { - "version": "6.0.0", - "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz", - "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==", - "devOptional": true, - "dependencies": { - "yallist": "^4.0.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/make-fetch-happen/node_modules/minimatch": { - "version": "3.1.2", - "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", - "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", - "devOptional": true, - "dependencies": { - "brace-expansion": "^1.1.7" - }, - "engines": { - "node": "*" - } - }, - "node_modules/make-fetch-happen/node_modules/ssri": { - "version": "8.0.1", - "resolved": "https://registry.npmjs.org/ssri/-/ssri-8.0.1.tgz", - "integrity": "sha512-97qShzy1AiyxvPNIkLWoGua7xoQzzPjQ0HAH4B0rWKo7SZ6USuPcrUiAFrws0UH8RrbWmgq3LMTObhPIHbbBeQ==", - "devOptional": true, - "dependencies": { - "minipass": "^3.1.1" - }, - "engines": { - "node": ">= 8" + "node": "^12.13.0 || ^14.15.0 || >=16.0.0" } }, "node_modules/makeerror": { @@ -12289,9 +12613,9 @@ } }, "node_modules/mini-css-extract-plugin": { - "version": "2.6.0", - "resolved": "https://registry.npmjs.org/mini-css-extract-plugin/-/mini-css-extract-plugin-2.6.0.tgz", - "integrity": "sha512-ndG8nxCEnAemsg4FSgS+yNyHKgkTB4nPKqCOgh65j3/30qqC5RaSQQXMm++Y6sb6E1zRSxPkztj9fqxhS1Eo6w==", + "version": "2.6.1", + "resolved": "https://registry.npmjs.org/mini-css-extract-plugin/-/mini-css-extract-plugin-2.6.1.tgz", + "integrity": "sha512-wd+SD57/K6DiV7jIR34P+s3uckTRuQvx0tKPcvjFlrEylk6P4mQ2KSWk1hblj1Kxaqok7LogKOieygXqBczNlg==", "dev": true, "dependencies": { "schema-utils": "^4.0.0" @@ -12333,9 +12657,9 @@ "dev": true }, "node_modules/minimatch": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.0.1.tgz", - "integrity": "sha512-nLDxIFRyhDblz3qMuq+SoRZED4+miJ/G+tdDrjkkkRnjAsBexeGpgjLEQ0blJy7rHhR2b93rhQY4SvyWu9v03g==", + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.1.0.tgz", + "integrity": "sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==", "dependencies": { "brace-expansion": "^2.0.1" }, @@ -12374,20 +12698,20 @@ } }, "node_modules/minipass-fetch": { - "version": "1.4.1", - "resolved": "https://registry.npmjs.org/minipass-fetch/-/minipass-fetch-1.4.1.tgz", - "integrity": "sha512-CGH1eblLq26Y15+Azk7ey4xh0J/XfJfrCox5LDJiKqI2Q2iwOLOKrlmIaODiSQS8d18jalF6y2K2ePUm0CmShw==", + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/minipass-fetch/-/minipass-fetch-2.1.2.tgz", + "integrity": "sha512-LT49Zi2/WMROHYoqGgdlQIZh8mLPZmOrN2NdJjMXxYe4nkN6FUyuPuOAOedNJDrx0IRGg9+4guZewtp8hE6TxA==", "devOptional": true, "dependencies": { - "minipass": "^3.1.0", + "minipass": "^3.1.6", "minipass-sized": "^1.0.3", - "minizlib": "^2.0.0" + "minizlib": "^2.1.2" }, "engines": { - "node": ">=8" + "node": "^12.13.0 || ^14.15.0 || >=16.0.0" }, "optionalDependencies": { - "encoding": "^0.1.12" + "encoding": "^0.1.13" } }, "node_modules/minipass-flush": { @@ -12504,14 +12828,14 @@ "dev": true }, "node_modules/needle": { - "version": "2.9.1", - "resolved": "https://registry.npmjs.org/needle/-/needle-2.9.1.tgz", - "integrity": "sha512-6R9fqJ5Zcmf+uYaFgdIHmLwNldn5HbK8L5ybn7Uz+ylX/rnOsSp1AHcvQSrCaFN+qNM1wpymHqD7mVasEOlHGQ==", + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/needle/-/needle-3.1.0.tgz", + "integrity": "sha512-gCE9weDhjVGCRqS8dwDR/D3GTAeyXLXuqp7I8EzH6DllZGXSUyxuqqLh+YX9rMAWaaTFyVAg6rHGL25dqvczKw==", "dev": true, "optional": true, "dependencies": { "debug": "^3.2.6", - "iconv-lite": "^0.4.4", + "iconv-lite": "^0.6.3", "sax": "^1.2.4" }, "bin": { @@ -12531,6 +12855,19 @@ "ms": "^2.1.1" } }, + "node_modules/needle/node_modules/iconv-lite": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz", + "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", + "dev": true, + "optional": true, + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, "node_modules/negotiator": { "version": "0.6.3", "resolved": "https://registry.npmjs.org/negotiator/-/negotiator-0.6.3.tgz", @@ -12547,29 +12884,29 @@ "dev": true }, "node_modules/ng2-pdf-viewer": { - "version": "9.0.0", - "resolved": "https://registry.npmjs.org/ng2-pdf-viewer/-/ng2-pdf-viewer-9.0.0.tgz", - "integrity": "sha512-MaPCQJMeSRV7kzVTRskygdf1YrCCfmHqKPGrhQjdkBPj5HDFX02SOxVTlnJrl2KLO6nUyJ8xAdf4Pojf85gKaw==", + "version": "9.1.2", + "resolved": "https://registry.npmjs.org/ng2-pdf-viewer/-/ng2-pdf-viewer-9.1.2.tgz", + "integrity": "sha512-dVfrEOW0rusHjLGpGnkt2mDKdd3LKK9uXAbNxOCv94I2jS2QjciPHMELLKWCliBXiLNbDOTsQdCDQPvYT3vKgQ==", "dependencies": { - "pdfjs-dist": "~2.13.216", + "pdfjs-dist": "~2.14.305", "tslib": "^2.3.1" }, "peerDependencies": { - "pdfjs-dist": "~2.13.216" + "pdfjs-dist": "~2.14.305" } }, "node_modules/ngx-color": { - "version": "7.3.3", - "resolved": "https://registry.npmjs.org/ngx-color/-/ngx-color-7.3.3.tgz", - "integrity": "sha512-RyMIFMC5/aYYD/jkfStOUjr3gQfTGhgiiMxuZEfxt2o4GYmb3C/06C1o0S6Mj9qHAcKlG6soioq2MzdhtIswHw==", + "version": "8.0.3", + "resolved": "https://registry.npmjs.org/ngx-color/-/ngx-color-8.0.3.tgz", + "integrity": "sha512-tuLP+uIoDEu2m0bh711kb2P1M1bh/oIrOn8mJd9mb8xGL2v+OcokcxPmVvWRn0avMG1lXL53CjSlWXGkdV4CDA==", "dependencies": { - "@ctrl/tinycolor": "^3.4.0", + "@ctrl/tinycolor": "^3.4.1", "material-colors": "^1.2.6", "tslib": "^2.3.0" }, "peerDependencies": { - "@angular/common": ">=12.0.0-0", - "@angular/core": ">=12.0.0-0" + "@angular/common": ">=14.0.0-0", + "@angular/core": ">=14.0.0-0" } }, "node_modules/ngx-cookie-service": { @@ -12585,19 +12922,49 @@ } }, "node_modules/ngx-file-drop": { - "version": "13.0.0", - "resolved": "https://registry.npmjs.org/ngx-file-drop/-/ngx-file-drop-13.0.0.tgz", - "integrity": "sha512-1OF9ln2ZesfNxWEBXMpkkFpUuggejpZtNlGFuyaVAmXyYO4NlCHsOWrgfWB7d8SliHgePD/7s0e60IQs/zqr9g==", + "version": "14.0.1", + "resolved": "https://registry.npmjs.org/ngx-file-drop/-/ngx-file-drop-14.0.1.tgz", + "integrity": "sha512-OSsI1Qjs273Xi+tIkCoO/ciFx6gT9wwyZ1900O4ggniOiTNByNq+xBN8DASOcAqLxvkuri8en7MtZPu+jxX/6Q==", "dependencies": { - "tslib": "^2.0.0" + "tslib": "^2.3.0" }, "engines": { - "node": ">= 12.0.0", + "node": ">= 14.5.0", "npm": ">= 6.9.0" }, "peerDependencies": { - "@angular/common": ">=13.0.0", - "@angular/core": ">=13.0.0" + "@angular/common": ">=14.0.0", + "@angular/core": ">=14.0.0" + } + }, + "node_modules/ngx-ui-tour-core": { + "version": "9.0.0", + "resolved": "https://registry.npmjs.org/ngx-ui-tour-core/-/ngx-ui-tour-core-9.0.0.tgz", + "integrity": "sha512-3HvrprosDaZm9jHi/w+oA8N9bPeaV9k0Y70nsEkRPRQ1jM302JyjGYFuM6/FzbXU5FITGLChtrFJpBn/Q4yJIA==", + "dependencies": { + "tslib": "^2.0.0" + }, + "peerDependencies": { + "@angular/common": "^14.0.0", + "@angular/core": "^14.0.0", + "@angular/router": "^14.0.0", + "rxjs": ">=6.0.0", + "typescript": ">=3.8.0" + } + }, + "node_modules/ngx-ui-tour-ng-bootstrap": { + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/ngx-ui-tour-ng-bootstrap/-/ngx-ui-tour-ng-bootstrap-11.0.0.tgz", + "integrity": "sha512-oF5ySZEiO4ib/RfYno81V2UBaX7EMzxSPwfCdedDr38e5BEPTOrcCufOaiOfuQzQftg+7CC/BbFY8Df9kmeL1A==", + "dependencies": { + "ngx-ui-tour-core": "9.0.0", + "tslib": "^2.0.0" + }, + "peerDependencies": { + "@angular/common": "^14.0.0", + "@angular/core": "^14.0.0", + "@ng-bootstrap/ng-bootstrap": "^13.0.0", + "typescript": ">=3.8.0" } }, "node_modules/nice-napi": { @@ -12632,15 +12999,15 @@ } }, "node_modules/node-gyp": { - "version": "8.4.1", - "resolved": "https://registry.npmjs.org/node-gyp/-/node-gyp-8.4.1.tgz", - "integrity": "sha512-olTJRgUtAb/hOXG0E93wZDs5YiJlgbXxTwQAFHyNlRsXQnYzUaF2aGgujZbw+hR8aF4ZG/rST57bWMWD16jr9w==", + "version": "9.1.0", + "resolved": "https://registry.npmjs.org/node-gyp/-/node-gyp-9.1.0.tgz", + "integrity": "sha512-HkmN0ZpQJU7FLbJauJTHkHlSVAXlNGDAzH/VYFZGDOnFyn/Na3GlNJfkudmufOdS6/jNFhy88ObzL7ERz9es1g==", "devOptional": true, "dependencies": { "env-paths": "^2.2.0", "glob": "^7.1.4", "graceful-fs": "^4.2.6", - "make-fetch-happen": "^9.1.0", + "make-fetch-happen": "^10.0.3", "nopt": "^5.0.0", "npmlog": "^6.0.0", "rimraf": "^3.0.2", @@ -12652,7 +13019,7 @@ "node-gyp": "bin/node-gyp.js" }, "engines": { - "node": ">= 10.12.0" + "node": "^12.22 || ^14.13 || >=16" } }, "node_modules/node-gyp-build": { @@ -12716,9 +13083,9 @@ "dev": true }, "node_modules/node-releases": { - "version": "2.0.5", - "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.5.tgz", - "integrity": "sha512-U9h1NLROZTq9uE1SNffn6WuPDg8icmi3ns4rEl/oTfIle4iLjTliCzgTsbaIFMq/Xn078/lfY/BL0GWZ+psK4Q==" + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.6.tgz", + "integrity": "sha512-PiVXnNuFm5+iYkLBNeq5211hvO38y63T0i2KKh2KnUs3RpzJ+JtODFjkD8yjLwnDkTYF1eKXheUwdssR+NRZdg==" }, "node_modules/nopt": { "version": "5.0.0", @@ -12736,9 +13103,9 @@ } }, "node_modules/normalize-package-data": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/normalize-package-data/-/normalize-package-data-4.0.0.tgz", - "integrity": "sha512-m+GL22VXJKkKbw62ZaBBjv8u6IE3UI4Mh5QakIqs3fWiKe0Xyi6L97hakwZK41/LD4R/2ly71Bayx0NLMwLA/g==", + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/normalize-package-data/-/normalize-package-data-4.0.1.tgz", + "integrity": "sha512-EBk5QKKuocMJhB3BILuKhmaPjI8vNRSpIfO9woLC6NyHVkKKdVEdAO1mrT0ZfxNR1lKwCcTkuZfmGIFdizZ8Pg==", "devOptional": true, "dependencies": { "hosted-git-info": "^5.0.0", @@ -12747,7 +13114,7 @@ "validate-npm-package-license": "^3.0.4" }, "engines": { - "node": "^12.13.0 || ^14.15.0 || >=16" + "node": "^12.13.0 || ^14.15.0 || >=16.0.0" } }, "node_modules/normalize-path": { @@ -12795,12 +13162,13 @@ "devOptional": true }, "node_modules/npm-package-arg": { - "version": "9.0.2", - "resolved": "https://registry.npmjs.org/npm-package-arg/-/npm-package-arg-9.0.2.tgz", - "integrity": "sha512-v/miORuX8cndiOheW8p2moNuPJ7QhcFh9WGlTorruG8hXSA23vMTEp5hTCmDxic0nD8KHhj/NQgFuySD3GYY3g==", + "version": "9.1.0", + "resolved": "https://registry.npmjs.org/npm-package-arg/-/npm-package-arg-9.1.0.tgz", + "integrity": "sha512-4J0GL+u2Nh6OnhvUKXRr2ZMG4lR8qtLp+kv7UiV00Y+nGiSxtttCyIRHCt5L5BNkXQld/RceYItau3MDOoGiBw==", "devOptional": true, "dependencies": { "hosted-git-info": "^5.0.0", + "proc-log": "^2.0.1", "semver": "^7.3.5", "validate-npm-package-name": "^4.0.0" }, @@ -12809,15 +13177,15 @@ } }, "node_modules/npm-packlist": { - "version": "5.1.1", - "resolved": "https://registry.npmjs.org/npm-packlist/-/npm-packlist-5.1.1.tgz", - "integrity": "sha512-UfpSvQ5YKwctmodvPPkK6Fwk603aoVsf8AEbmVKAEECrfvL8SSe1A2YIwrJ6xmTHAITKPwwZsWo7WwEbNk0kxw==", + "version": "5.1.3", + "resolved": "https://registry.npmjs.org/npm-packlist/-/npm-packlist-5.1.3.tgz", + "integrity": "sha512-263/0NGrn32YFYi4J533qzrQ/krmmrWwhKkzwTuM4f/07ug51odoaNjUexxO4vxlzURHcmYMH1QjvHjsNDKLVg==", "devOptional": true, "dependencies": { "glob": "^8.0.1", "ignore-walk": "^5.0.1", - "npm-bundled": "^1.1.2", - "npm-normalize-package-bin": "^1.0.1" + "npm-bundled": "^2.0.0", + "npm-normalize-package-bin": "^2.0.0" }, "bin": { "npm-packlist": "bin/index.js" @@ -12826,6 +13194,27 @@ "node": "^12.13.0 || ^14.15.0 || >=16.0.0" } }, + "node_modules/npm-packlist/node_modules/npm-bundled": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/npm-bundled/-/npm-bundled-2.0.1.tgz", + "integrity": "sha512-gZLxXdjEzE/+mOstGDqR6b0EkhJ+kM6fxM6vUuckuctuVPh80Q6pw/rSZj9s4Gex9GxWtIicO1pc8DB9KZWudw==", + "devOptional": true, + "dependencies": { + "npm-normalize-package-bin": "^2.0.0" + }, + "engines": { + "node": "^12.13.0 || ^14.15.0 || >=16.0.0" + } + }, + "node_modules/npm-packlist/node_modules/npm-normalize-package-bin": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/npm-normalize-package-bin/-/npm-normalize-package-bin-2.0.0.tgz", + "integrity": "sha512-awzfKUO7v0FscrSpRoogyNm0sajikhBWpU0QMrW09AMi9n1PoKU6WaIqUzuJSQnpciZZmJ/jMZ2Egfmb/9LiWQ==", + "devOptional": true, + "engines": { + "node": "^12.13.0 || ^14.15.0 || >=16.0.0" + } + }, "node_modules/npm-pick-manifest": { "version": "7.0.1", "resolved": "https://registry.npmjs.org/npm-pick-manifest/-/npm-pick-manifest-7.0.1.tgz", @@ -12842,9 +13231,9 @@ } }, "node_modules/npm-registry-fetch": { - "version": "13.1.1", - "resolved": "https://registry.npmjs.org/npm-registry-fetch/-/npm-registry-fetch-13.1.1.tgz", - "integrity": "sha512-5p8rwe6wQPLJ8dMqeTnA57Dp9Ox6GH9H60xkyJup07FmVlu3Mk7pf/kIIpl9gaN5bM8NM+UUx3emUWvDNTt39w==", + "version": "13.3.1", + "resolved": "https://registry.npmjs.org/npm-registry-fetch/-/npm-registry-fetch-13.3.1.tgz", + "integrity": "sha512-eukJPi++DKRTjSBRcDZSDDsGqRK3ehbxfFUcgaRd0Yp6kRwOwh2WVn0r+8rMB4nnuzvAk6rQVzl6K5CkYOmnvw==", "devOptional": true, "dependencies": { "make-fetch-happen": "^10.0.6", @@ -12859,93 +13248,6 @@ "node": "^12.13.0 || ^14.15.0 || >=16.0.0" } }, - "node_modules/npm-registry-fetch/node_modules/cacache": { - "version": "16.1.1", - "resolved": "https://registry.npmjs.org/cacache/-/cacache-16.1.1.tgz", - "integrity": "sha512-VDKN+LHyCQXaaYZ7rA/qtkURU+/yYhviUdvqEv2LT6QPZU8jpyzEkEVAcKlKLt5dJ5BRp11ym8lo3NKLluEPLg==", - "devOptional": true, - "dependencies": { - "@npmcli/fs": "^2.1.0", - "@npmcli/move-file": "^2.0.0", - "chownr": "^2.0.0", - "fs-minipass": "^2.1.0", - "glob": "^8.0.1", - "infer-owner": "^1.0.4", - "lru-cache": "^7.7.1", - "minipass": "^3.1.6", - "minipass-collect": "^1.0.2", - "minipass-flush": "^1.0.5", - "minipass-pipeline": "^1.2.4", - "mkdirp": "^1.0.4", - "p-map": "^4.0.0", - "promise-inflight": "^1.0.1", - "rimraf": "^3.0.2", - "ssri": "^9.0.0", - "tar": "^6.1.11", - "unique-filename": "^1.1.1" - }, - "engines": { - "node": "^12.13.0 || ^14.15.0 || >=16.0.0" - } - }, - "node_modules/npm-registry-fetch/node_modules/make-fetch-happen": { - "version": "10.1.8", - "resolved": "https://registry.npmjs.org/make-fetch-happen/-/make-fetch-happen-10.1.8.tgz", - "integrity": "sha512-0ASJbG12Au6+N5I84W+8FhGS6iM8MyzvZady+zaQAu+6IOaESFzCLLD0AR1sAFF3Jufi8bxm586ABN6hWd3k7g==", - "devOptional": true, - "dependencies": { - "agentkeepalive": "^4.2.1", - "cacache": "^16.1.0", - "http-cache-semantics": "^4.1.0", - "http-proxy-agent": "^5.0.0", - "https-proxy-agent": "^5.0.0", - "is-lambda": "^1.0.1", - "lru-cache": "^7.7.1", - "minipass": "^3.1.6", - "minipass-collect": "^1.0.2", - "minipass-fetch": "^2.0.3", - "minipass-flush": "^1.0.5", - "minipass-pipeline": "^1.2.4", - "negotiator": "^0.6.3", - "promise-retry": "^2.0.1", - "socks-proxy-agent": "^7.0.0", - "ssri": "^9.0.0" - }, - "engines": { - "node": "^12.13.0 || ^14.15.0 || >=16.0.0" - } - }, - "node_modules/npm-registry-fetch/node_modules/minipass-fetch": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/minipass-fetch/-/minipass-fetch-2.1.0.tgz", - "integrity": "sha512-H9U4UVBGXEyyWJnqYDCLp1PwD8XIkJ4akNHp1aGVI+2Ym7wQMlxDKi4IB4JbmyU+pl9pEs/cVrK6cOuvmbK4Sg==", - "devOptional": true, - "dependencies": { - "minipass": "^3.1.6", - "minipass-sized": "^1.0.3", - "minizlib": "^2.1.2" - }, - "engines": { - "node": "^12.13.0 || ^14.15.0 || >=16.0.0" - }, - "optionalDependencies": { - "encoding": "^0.1.13" - } - }, - "node_modules/npm-registry-fetch/node_modules/socks-proxy-agent": { - "version": "7.0.0", - "resolved": "https://registry.npmjs.org/socks-proxy-agent/-/socks-proxy-agent-7.0.0.tgz", - "integrity": "sha512-Fgl0YPZ902wEsAyiQ+idGd1A7rSFx/ayC1CQVMw5P+EQx2V0SgpGtf6OKFhVjPflPUl9YMmEOnmfjCdMUsygww==", - "devOptional": true, - "dependencies": { - "agent-base": "^6.0.2", - "debug": "^4.3.3", - "socks": "^2.6.2" - }, - "engines": { - "node": ">= 10" - } - }, "node_modules/npm-run-path": { "version": "4.0.1", "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-4.0.1.tgz", @@ -13010,14 +13312,14 @@ } }, "node_modules/object.assign": { - "version": "4.1.2", - "resolved": "https://registry.npmjs.org/object.assign/-/object.assign-4.1.2.tgz", - "integrity": "sha512-ixT2L5THXsApyiUPYKmW+2EHpXXe5Ii3M+f4e+aJFAHao5amFRW6J0OO6c/LU8Be47utCx2GL89hxGB6XSmKuQ==", + "version": "4.1.4", + "resolved": "https://registry.npmjs.org/object.assign/-/object.assign-4.1.4.tgz", + "integrity": "sha512-1mxKf0e58bvyjSCtKYY4sRe9itRk3PJpquJOjeIkz885CczcI4IvJJDLPS72oowuSh+pBxUFROpX+TU++hxhZQ==", "dev": true, "dependencies": { - "call-bind": "^1.0.0", - "define-properties": "^1.1.3", - "has-symbols": "^1.0.1", + "call-bind": "^1.0.2", + "define-properties": "^1.1.4", + "has-symbols": "^1.0.3", "object-keys": "^1.1.1" }, "engines": { @@ -13220,15 +13522,15 @@ "optional": true }, "node_modules/p-limit": { - "version": "2.3.0", - "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", - "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz", + "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==", "dev": true, "dependencies": { - "p-try": "^2.0.0" + "yocto-queue": "^0.1.0" }, "engines": { - "node": ">=6" + "node": ">=10" }, "funding": { "url": "https://github.com/sponsors/sindresorhus" @@ -13246,6 +13548,21 @@ "node": ">=8" } }, + "node_modules/p-locate/node_modules/p-limit": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", + "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", + "dev": true, + "dependencies": { + "p-try": "^2.0.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, "node_modules/p-map": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/p-map/-/p-map-4.0.0.tgz", @@ -13293,15 +13610,15 @@ } }, "node_modules/pacote": { - "version": "13.3.0", - "resolved": "https://registry.npmjs.org/pacote/-/pacote-13.3.0.tgz", - "integrity": "sha512-auhJAUlfC2TALo6I0s1vFoPvVFgWGx+uz/PnIojTTgkGwlK3Np8sGJ0ghfFhiuzJXTZoTycMLk8uLskdntPbDw==", + "version": "13.6.2", + "resolved": "https://registry.npmjs.org/pacote/-/pacote-13.6.2.tgz", + "integrity": "sha512-Gu8fU3GsvOPkak2CkbojR7vjs3k3P9cA6uazKTHdsdV0gpCEQq2opelnEv30KRQWgVzP5Vd/5umjcedma3MKtg==", "devOptional": true, "dependencies": { "@npmcli/git": "^3.0.0", "@npmcli/installed-package-contents": "^1.0.7", "@npmcli/promise-spawn": "^3.0.0", - "@npmcli/run-script": "^3.0.1", + "@npmcli/run-script": "^4.1.0", "cacache": "^16.0.0", "chownr": "^2.0.0", "fs-minipass": "^2.1.0", @@ -13309,7 +13626,7 @@ "minipass": "^3.1.6", "mkdirp": "^1.0.4", "npm-package-arg": "^9.0.0", - "npm-packlist": "^5.0.0", + "npm-packlist": "^5.1.0", "npm-pick-manifest": "^7.0.0", "npm-registry-fetch": "^13.0.1", "proc-log": "^2.0.0", @@ -13464,11 +13781,12 @@ } }, "node_modules/pdfjs-dist": { - "version": "2.13.216", - "resolved": "https://registry.npmjs.org/pdfjs-dist/-/pdfjs-dist-2.13.216.tgz", - "integrity": "sha512-qn/9a/3IHIKZarTK6ajeeFXBkG15Lg1Fx99PxU09PAU2i874X8mTcHJYyDJxu7WDfNhV6hM7bRQBZU384anoqQ==", + "version": "2.14.305", + "resolved": "https://registry.npmjs.org/pdfjs-dist/-/pdfjs-dist-2.14.305.tgz", + "integrity": "sha512-5f7i25J1dKIBczhgfxEgNxfYNIxXEdxqo6Qb4ehY7Ja+p6AI4uUmk/OcVGXfRGm2ys5iaJJhJUwBFwv6Jl/Qww==", "dependencies": { - "web-streams-polyfill": "^3.2.0" + "dommatrix": "^1.0.1", + "web-streams-polyfill": "^3.2.1" }, "peerDependencies": { "worker-loader": "^3.0.8" @@ -13552,9 +13870,9 @@ } }, "node_modules/postcss": { - "version": "8.4.13", - "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.4.13.tgz", - "integrity": "sha512-jtL6eTBrza5MPzy8oJLFuUscHDXTV5KcLlqAWHl5q5WYRfnNRGSmOZmOZ1T6Gy7A99mOZfqungmZMpMmCVJ8ZA==", + "version": "8.4.16", + "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.4.16.tgz", + "integrity": "sha512-ipHE1XBvKzm5xI7hiHCZJCSugxvsdq2mPnsq5+UF+VHCjiBvtDrlxJfMBToWaP9D5XlgNmcFGqoHmUn0EYEaRQ==", "dev": true, "funding": [ { @@ -13567,7 +13885,7 @@ } ], "dependencies": { - "nanoid": "^3.3.3", + "nanoid": "^3.3.4", "picocolors": "^1.0.0", "source-map-js": "^1.0.2" }, @@ -13576,9 +13894,9 @@ } }, "node_modules/postcss-attribute-case-insensitive": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/postcss-attribute-case-insensitive/-/postcss-attribute-case-insensitive-5.0.1.tgz", - "integrity": "sha512-wrt2VndqSLJpyBRNz9OmJcgnhI9MaongeWgapdBuUMu2a/KNJ8SENesG4SdiTnQwGO9b1VKbTWYAfCPeokLqZQ==", + "version": "5.0.2", + "resolved": "https://registry.npmjs.org/postcss-attribute-case-insensitive/-/postcss-attribute-case-insensitive-5.0.2.tgz", + "integrity": "sha512-XIidXV8fDr0kKt28vqki84fRK8VW8eTuIa4PChv2MqKuT6C9UjmSKzen6KaWhWEoYvwxFCa7n/tC1SZ3tyq4SQ==", "dev": true, "dependencies": { "postcss-selector-parser": "^6.0.10" @@ -13591,7 +13909,7 @@ "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.3" + "postcss": "^8.2" } }, "node_modules/postcss-clamp": { @@ -13610,9 +13928,9 @@ } }, "node_modules/postcss-color-functional-notation": { - "version": "4.2.3", - "resolved": "https://registry.npmjs.org/postcss-color-functional-notation/-/postcss-color-functional-notation-4.2.3.tgz", - "integrity": "sha512-5fbr6FzFzjwHXKsVnkmEYrJYG8VNNzvD1tAXaPPWR97S6rhKI5uh2yOfV5TAzhDkZoq4h+chxEplFDc8GeyFtw==", + "version": "4.2.4", + "resolved": "https://registry.npmjs.org/postcss-color-functional-notation/-/postcss-color-functional-notation-4.2.4.tgz", + "integrity": "sha512-2yrTAUZUab9s6CpxkxC4rVgFEVaR6/2Pipvi6qcgvnYiVqZcbDHEoBDhrXzyb7Efh2CCfHQNtcqWcIruDTIUeg==", "dev": true, "dependencies": { "postcss-value-parser": "^4.2.0" @@ -13625,7 +13943,7 @@ "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.4" + "postcss": "^8.2" } }, "node_modules/postcss-color-hex-alpha": { @@ -13648,9 +13966,9 @@ } }, "node_modules/postcss-color-rebeccapurple": { - "version": "7.1.0", - "resolved": "https://registry.npmjs.org/postcss-color-rebeccapurple/-/postcss-color-rebeccapurple-7.1.0.tgz", - "integrity": "sha512-1jtE5AKnZcKq4pjOrltFHcbEM2/IvtbD1OdhZ/wqds18//bh0UmQkffcCkzDJU+/vGodfIsVQeKn+45CJvX9Bw==", + "version": "7.1.1", + "resolved": "https://registry.npmjs.org/postcss-color-rebeccapurple/-/postcss-color-rebeccapurple-7.1.1.tgz", + "integrity": "sha512-pGxkuVEInwLHgkNxUc4sdg4g3py7zUeCQ9sMfwyHAT+Ezk8a4OaaVZ8lIY5+oNqA/BXXgLyXv0+5wHP68R79hg==", "dev": true, "dependencies": { "postcss-value-parser": "^4.2.0" @@ -13663,7 +13981,7 @@ "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.3" + "postcss": "^8.2" } }, "node_modules/postcss-custom-media": { @@ -13724,24 +14042,28 @@ } }, "node_modules/postcss-dir-pseudo-class": { - "version": "6.0.4", - "resolved": "https://registry.npmjs.org/postcss-dir-pseudo-class/-/postcss-dir-pseudo-class-6.0.4.tgz", - "integrity": "sha512-I8epwGy5ftdzNWEYok9VjW9whC4xnelAtbajGv4adql4FIF09rnrxnA9Y8xSHN47y7gqFIv10C5+ImsLeJpKBw==", + "version": "6.0.5", + "resolved": "https://registry.npmjs.org/postcss-dir-pseudo-class/-/postcss-dir-pseudo-class-6.0.5.tgz", + "integrity": "sha512-eqn4m70P031PF7ZQIvSgy9RSJ5uI2171O/OO/zcRNYpJbvaeKFUlar1aJ7rmgiQtbm0FSPsRewjpdS0Oew7MPA==", "dev": true, "dependencies": { - "postcss-selector-parser": "^6.0.9" + "postcss-selector-parser": "^6.0.10" }, "engines": { "node": "^12 || ^14 || >=16" }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, "peerDependencies": { - "postcss": "^8.4" + "postcss": "^8.2" } }, "node_modules/postcss-double-position-gradients": { - "version": "3.1.1", - "resolved": "https://registry.npmjs.org/postcss-double-position-gradients/-/postcss-double-position-gradients-3.1.1.tgz", - "integrity": "sha512-jM+CGkTs4FcG53sMPjrrGE0rIvLDdCrqMzgDC5fLI7JHDO7o6QG8C5TQBtExb13hdBdoH9C2QVbG4jo2y9lErQ==", + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/postcss-double-position-gradients/-/postcss-double-position-gradients-3.1.2.tgz", + "integrity": "sha512-GX+FuE/uBR6eskOK+4vkXgT6pDkexLokPaz/AbJna9s5Kzp/yl488pKPjhy0obB475ovfT1Wv8ho7U/cHNaRgQ==", "dev": true, "dependencies": { "@csstools/postcss-progressive-custom-properties": "^1.1.0", @@ -13750,8 +14072,12 @@ "engines": { "node": "^12 || ^14 || >=16" }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, "peerDependencies": { - "postcss": "^8.4" + "postcss": "^8.2" } }, "node_modules/postcss-env-function": { @@ -13809,21 +14135,25 @@ } }, "node_modules/postcss-gap-properties": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/postcss-gap-properties/-/postcss-gap-properties-3.0.3.tgz", - "integrity": "sha512-rPPZRLPmEKgLk/KlXMqRaNkYTUpE7YC+bOIQFN5xcu1Vp11Y4faIXv6/Jpft6FMnl6YRxZqDZG0qQOW80stzxQ==", + "version": "3.0.5", + "resolved": "https://registry.npmjs.org/postcss-gap-properties/-/postcss-gap-properties-3.0.5.tgz", + "integrity": "sha512-IuE6gKSdoUNcvkGIqdtjtcMtZIFyXZhmFd5RUlg97iVEvp1BZKV5ngsAjCjrVy+14uhGBQl9tzmi1Qwq4kqVOg==", "dev": true, "engines": { "node": "^12 || ^14 || >=16" }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, "peerDependencies": { - "postcss": "^8.4" + "postcss": "^8.2" } }, "node_modules/postcss-image-set-function": { - "version": "4.0.6", - "resolved": "https://registry.npmjs.org/postcss-image-set-function/-/postcss-image-set-function-4.0.6.tgz", - "integrity": "sha512-KfdC6vg53GC+vPd2+HYzsZ6obmPqOk6HY09kttU19+Gj1nC3S3XBVEXDHxkhxTohgZqzbUb94bKXvKDnYWBm/A==", + "version": "4.0.7", + "resolved": "https://registry.npmjs.org/postcss-image-set-function/-/postcss-image-set-function-4.0.7.tgz", + "integrity": "sha512-9T2r9rsvYzm5ndsBE8WgtrMlIT7VbtTfE7b3BQnudUqnBcBo7L758oc+o+pdj/dUV0l5wjwSdjeOH2DZtfv8qw==", "dev": true, "dependencies": { "postcss-value-parser": "^4.2.0" @@ -13831,14 +14161,18 @@ "engines": { "node": "^12 || ^14 || >=16" }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, "peerDependencies": { - "postcss": "^8.4" + "postcss": "^8.2" } }, "node_modules/postcss-import": { - "version": "14.1.0", - "resolved": "https://registry.npmjs.org/postcss-import/-/postcss-import-14.1.0.tgz", - "integrity": "sha512-flwI+Vgm4SElObFVPpTIT7SU7R3qk2L7PyduMcokiaVKuWv9d/U+Gm/QAd8NDLuykTWTkcrjOeD2Pp1rMeBTGw==", + "version": "15.0.0", + "resolved": "https://registry.npmjs.org/postcss-import/-/postcss-import-15.0.0.tgz", + "integrity": "sha512-Y20shPQ07RitgBGv2zvkEAu9bqvrD77C9axhj/aA1BQj4czape2MdClCExvB27EwYEJdGgKZBpKanb0t1rK2Kg==", "dev": true, "dependencies": { "postcss-value-parser": "^4.0.0", @@ -13846,7 +14180,7 @@ "resolve": "^1.1.7" }, "engines": { - "node": ">=10.0.0" + "node": ">=14.0.0" }, "peerDependencies": { "postcss": "^8.0.0" @@ -13862,9 +14196,9 @@ } }, "node_modules/postcss-lab-function": { - "version": "4.2.0", - "resolved": "https://registry.npmjs.org/postcss-lab-function/-/postcss-lab-function-4.2.0.tgz", - "integrity": "sha512-Zb1EO9DGYfa3CP8LhINHCcTTCTLI+R3t7AX2mKsDzdgVQ/GkCpHOTgOr6HBHslP7XDdVbqgHW5vvRPMdVANQ8w==", + "version": "4.2.1", + "resolved": "https://registry.npmjs.org/postcss-lab-function/-/postcss-lab-function-4.2.1.tgz", + "integrity": "sha512-xuXll4isR03CrQsmxyz92LJB2xX9n+pZJ5jE9JgcnmsCammLyKdlzrBin+25dy6wIjfhJpKBAN80gsTlCgRk2w==", "dev": true, "dependencies": { "@csstools/postcss-progressive-custom-properties": "^1.1.0", @@ -13878,21 +14212,21 @@ "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.4" + "postcss": "^8.2" } }, "node_modules/postcss-loader": { - "version": "6.2.1", - "resolved": "https://registry.npmjs.org/postcss-loader/-/postcss-loader-6.2.1.tgz", - "integrity": "sha512-WbbYpmAaKcux/P66bZ40bpWsBucjx/TTgVVzRZ9yUO8yQfVBlameJ0ZGVaPfH64hNSBh63a+ICP5nqOpBA0w+Q==", + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/postcss-loader/-/postcss-loader-7.0.1.tgz", + "integrity": "sha512-VRviFEyYlLjctSM93gAZtcJJ/iSkPZ79zWbN/1fSH+NisBByEiVLqpdVDrPLVSi8DX0oJo12kL/GppTBdKVXiQ==", "dev": true, "dependencies": { "cosmiconfig": "^7.0.0", "klona": "^2.0.5", - "semver": "^7.3.5" + "semver": "^7.3.7" }, "engines": { - "node": ">= 12.13.0" + "node": ">= 14.15.0" }, "funding": { "type": "opencollective", @@ -14026,15 +14360,22 @@ } }, "node_modules/postcss-overflow-shorthand": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/postcss-overflow-shorthand/-/postcss-overflow-shorthand-3.0.3.tgz", - "integrity": "sha512-CxZwoWup9KXzQeeIxtgOciQ00tDtnylYIlJBBODqkgS/PU2jISuWOL/mYLHmZb9ZhZiCaNKsCRiLp22dZUtNsg==", + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/postcss-overflow-shorthand/-/postcss-overflow-shorthand-3.0.4.tgz", + "integrity": "sha512-otYl/ylHK8Y9bcBnPLo3foYFLL6a6Ak+3EQBPOTR7luMYCOsiVTUk1iLvNf6tVPNGXcoL9Hoz37kpfriRIFb4A==", "dev": true, + "dependencies": { + "postcss-value-parser": "^4.2.0" + }, "engines": { "node": "^12 || ^14 || >=16" }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, "peerDependencies": { - "postcss": "^8.4" + "postcss": "^8.2" } }, "node_modules/postcss-page-break": { @@ -14047,9 +14388,9 @@ } }, "node_modules/postcss-place": { - "version": "7.0.4", - "resolved": "https://registry.npmjs.org/postcss-place/-/postcss-place-7.0.4.tgz", - "integrity": "sha512-MrgKeiiu5OC/TETQO45kV3npRjOFxEHthsqGtkh3I1rPbZSbXGD/lZVi9j13cYh+NA8PIAPyk6sGjT9QbRyvSg==", + "version": "7.0.5", + "resolved": "https://registry.npmjs.org/postcss-place/-/postcss-place-7.0.5.tgz", + "integrity": "sha512-wR8igaZROA6Z4pv0d+bvVrvGY4GVHihBCBQieXFY3kuSuMyOmEnnfFzHl/tQuqHZkfkIVBEbDvYcFfHmpSet9g==", "dev": true, "dependencies": { "postcss-value-parser": "^4.2.0" @@ -14057,77 +14398,85 @@ "engines": { "node": "^12 || ^14 || >=16" }, - "peerDependencies": { - "postcss": "^8.4" - } - }, - "node_modules/postcss-preset-env": { - "version": "7.5.0", - "resolved": "https://registry.npmjs.org/postcss-preset-env/-/postcss-preset-env-7.5.0.tgz", - "integrity": "sha512-0BJzWEfCdTtK2R3EiKKSdkE51/DI/BwnhlnicSW482Ym6/DGHud8K0wGLcdjip1epVX0HKo4c8zzTeV/SkiejQ==", - "dev": true, - "dependencies": { - "@csstools/postcss-color-function": "^1.1.0", - "@csstools/postcss-font-format-keywords": "^1.0.0", - "@csstools/postcss-hwb-function": "^1.0.0", - "@csstools/postcss-ic-unit": "^1.0.0", - "@csstools/postcss-is-pseudo-class": "^2.0.2", - "@csstools/postcss-normalize-display-values": "^1.0.0", - "@csstools/postcss-oklab-function": "^1.1.0", - "@csstools/postcss-progressive-custom-properties": "^1.3.0", - "@csstools/postcss-stepped-value-functions": "^1.0.0", - "@csstools/postcss-unset-value": "^1.0.0", - "autoprefixer": "^10.4.6", - "browserslist": "^4.20.3", - "css-blank-pseudo": "^3.0.3", - "css-has-pseudo": "^3.0.4", - "css-prefers-color-scheme": "^6.0.3", - "cssdb": "^6.6.1", - "postcss-attribute-case-insensitive": "^5.0.0", - "postcss-clamp": "^4.1.0", - "postcss-color-functional-notation": "^4.2.2", - "postcss-color-hex-alpha": "^8.0.3", - "postcss-color-rebeccapurple": "^7.0.2", - "postcss-custom-media": "^8.0.0", - "postcss-custom-properties": "^12.1.7", - "postcss-custom-selectors": "^6.0.0", - "postcss-dir-pseudo-class": "^6.0.4", - "postcss-double-position-gradients": "^3.1.1", - "postcss-env-function": "^4.0.6", - "postcss-focus-visible": "^6.0.4", - "postcss-focus-within": "^5.0.4", - "postcss-font-variant": "^5.0.0", - "postcss-gap-properties": "^3.0.3", - "postcss-image-set-function": "^4.0.6", - "postcss-initial": "^4.0.1", - "postcss-lab-function": "^4.2.0", - "postcss-logical": "^5.0.4", - "postcss-media-minmax": "^5.0.0", - "postcss-nesting": "^10.1.4", - "postcss-opacity-percentage": "^1.1.2", - "postcss-overflow-shorthand": "^3.0.3", - "postcss-page-break": "^3.0.4", - "postcss-place": "^7.0.4", - "postcss-pseudo-class-any-link": "^7.1.2", - "postcss-replace-overflow-wrap": "^4.0.0", - "postcss-selector-not": "^5.0.0", - "postcss-value-parser": "^4.2.0" - }, - "engines": { - "node": "^12 || ^14 || >=16" - }, "funding": { "type": "opencollective", "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.4" + "postcss": "^8.2" + } + }, + "node_modules/postcss-preset-env": { + "version": "7.8.0", + "resolved": "https://registry.npmjs.org/postcss-preset-env/-/postcss-preset-env-7.8.0.tgz", + "integrity": "sha512-leqiqLOellpLKfbHkD06E04P6d9ZQ24mat6hu4NSqun7WG0UhspHR5Myiv/510qouCjoo4+YJtNOqg5xHaFnCA==", + "dev": true, + "dependencies": { + "@csstools/postcss-cascade-layers": "^1.0.5", + "@csstools/postcss-color-function": "^1.1.1", + "@csstools/postcss-font-format-keywords": "^1.0.1", + "@csstools/postcss-hwb-function": "^1.0.2", + "@csstools/postcss-ic-unit": "^1.0.1", + "@csstools/postcss-is-pseudo-class": "^2.0.7", + "@csstools/postcss-nested-calc": "^1.0.0", + "@csstools/postcss-normalize-display-values": "^1.0.1", + "@csstools/postcss-oklab-function": "^1.1.1", + "@csstools/postcss-progressive-custom-properties": "^1.3.0", + "@csstools/postcss-stepped-value-functions": "^1.0.1", + "@csstools/postcss-text-decoration-shorthand": "^1.0.0", + "@csstools/postcss-trigonometric-functions": "^1.0.2", + "@csstools/postcss-unset-value": "^1.0.2", + "autoprefixer": "^10.4.8", + "browserslist": "^4.21.3", + "css-blank-pseudo": "^3.0.3", + "css-has-pseudo": "^3.0.4", + "css-prefers-color-scheme": "^6.0.3", + "cssdb": "^7.0.0", + "postcss-attribute-case-insensitive": "^5.0.2", + "postcss-clamp": "^4.1.0", + "postcss-color-functional-notation": "^4.2.4", + "postcss-color-hex-alpha": "^8.0.4", + "postcss-color-rebeccapurple": "^7.1.1", + "postcss-custom-media": "^8.0.2", + "postcss-custom-properties": "^12.1.8", + "postcss-custom-selectors": "^6.0.3", + "postcss-dir-pseudo-class": "^6.0.5", + "postcss-double-position-gradients": "^3.1.2", + "postcss-env-function": "^4.0.6", + "postcss-focus-visible": "^6.0.4", + "postcss-focus-within": "^5.0.4", + "postcss-font-variant": "^5.0.0", + "postcss-gap-properties": "^3.0.5", + "postcss-image-set-function": "^4.0.7", + "postcss-initial": "^4.0.1", + "postcss-lab-function": "^4.2.1", + "postcss-logical": "^5.0.4", + "postcss-media-minmax": "^5.0.0", + "postcss-nesting": "^10.1.10", + "postcss-opacity-percentage": "^1.1.2", + "postcss-overflow-shorthand": "^3.0.4", + "postcss-page-break": "^3.0.4", + "postcss-place": "^7.0.5", + "postcss-pseudo-class-any-link": "^7.1.6", + "postcss-replace-overflow-wrap": "^4.0.0", + "postcss-selector-not": "^6.0.1", + "postcss-value-parser": "^4.2.0" + }, + "engines": { + "node": "^12 || ^14 || >=16" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" + }, + "peerDependencies": { + "postcss": "^8.2" } }, "node_modules/postcss-pseudo-class-any-link": { - "version": "7.1.5", - "resolved": "https://registry.npmjs.org/postcss-pseudo-class-any-link/-/postcss-pseudo-class-any-link-7.1.5.tgz", - "integrity": "sha512-nSGKGScwFTaaV8Cyi27W9FegX3l3b7tmNxujxmykI/j3++cBAiq8fTUAU3ZK0s2aneN2T8cTUvKdNedzp3JIEA==", + "version": "7.1.6", + "resolved": "https://registry.npmjs.org/postcss-pseudo-class-any-link/-/postcss-pseudo-class-any-link-7.1.6.tgz", + "integrity": "sha512-9sCtZkO6f/5ML9WcTLcIyV1yz9D1rf0tWc+ulKcvV30s0iZKS/ONyETvoWsr6vnrmW+X+KmuK3gV/w5EWnT37w==", "dev": true, "dependencies": { "postcss-selector-parser": "^6.0.10" @@ -14153,15 +14502,22 @@ } }, "node_modules/postcss-selector-not": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/postcss-selector-not/-/postcss-selector-not-5.0.0.tgz", - "integrity": "sha512-/2K3A4TCP9orP4TNS7u3tGdRFVKqz/E6pX3aGnriPG0jU78of8wsUcqE4QAhWEU0d+WnMSF93Ah3F//vUtK+iQ==", + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/postcss-selector-not/-/postcss-selector-not-6.0.1.tgz", + "integrity": "sha512-1i9affjAe9xu/y9uqWH+tD4r6/hDaXJruk8xn2x1vzxC2U3J3LKO3zJW4CyxlNhA56pADJ/djpEwpH1RClI2rQ==", "dev": true, "dependencies": { - "balanced-match": "^1.0.0" + "postcss-selector-parser": "^6.0.10" + }, + "engines": { + "node": "^12 || ^14 || >=16" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/csstools" }, "peerDependencies": { - "postcss": "^8.1.0" + "postcss": "^8.2" } }, "node_modules/postcss-selector-parser": { @@ -14205,12 +14561,12 @@ } }, "node_modules/pretty-format": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-28.1.1.tgz", - "integrity": "sha512-wwJbVTGFHeucr5Jw2bQ9P+VYHyLdAqedFLEkdQUVaBF/eiidDwH5OpilINq4mEfhbCjLnirt6HTTDhv1HaTIQw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-28.1.3.tgz", + "integrity": "sha512-8gFb/To0OmxHR9+ZTb14Df2vNxdGCX8g1xWGUTqUw5TiZvcQf5sHKObd5UcPyLLyowNwDAMTF3XWOG1B6mxl1Q==", "dev": true, "dependencies": { - "@jest/schemas": "^28.0.2", + "@jest/schemas": "^28.1.3", "ansi-regex": "^5.0.1", "ansi-styles": "^5.0.0", "react-is": "^18.0.0" @@ -14314,9 +14670,9 @@ "optional": true }, "node_modules/psl": { - "version": "1.8.0", - "resolved": "https://registry.npmjs.org/psl/-/psl-1.8.0.tgz", - "integrity": "sha512-RIdOzyoavK+hA18OGGWDqUTsCLhtA7IcZ/6NCs4fFJaHBDab+pDDmDIByWFRQJq2Cd7r1OoQxBGKOaztq+hjIQ==", + "version": "1.9.0", + "resolved": "https://registry.npmjs.org/psl/-/psl-1.9.0.tgz", + "integrity": "sha512-E/ZsdU4HLs/68gYzgGTkMicWTLPdAftJLfJFlLUAAKZGkStNU72sZjT66SnMDVOfOWY/YAoiD7Jxa9iHvngcag==", "devOptional": true }, "node_modules/pump": { @@ -14347,6 +14703,12 @@ "node": ">=0.6" } }, + "node_modules/querystringify": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/querystringify/-/querystringify-2.2.0.tgz", + "integrity": "sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ==", + "dev": true + }, "node_modules/queue-microtask": { "version": "1.2.3", "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz", @@ -14425,15 +14787,15 @@ } }, "node_modules/read-package-json": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/read-package-json/-/read-package-json-5.0.1.tgz", - "integrity": "sha512-MALHuNgYWdGW3gKzuNMuYtcSSZbGQm94fAp16xt8VsYTLBjUSc55bLMKe6gzpWue0Tfi6CBgwCSdDAqutGDhMg==", + "version": "5.0.2", + "resolved": "https://registry.npmjs.org/read-package-json/-/read-package-json-5.0.2.tgz", + "integrity": "sha512-BSzugrt4kQ/Z0krro8zhTwV1Kd79ue25IhNN/VtHFy1mG/6Tluyi+msc0UpwaoQzxSHa28mntAjIZY6kEgfR9Q==", "devOptional": true, "dependencies": { "glob": "^8.0.1", "json-parse-even-better-errors": "^2.3.1", "normalize-package-data": "^4.0.0", - "npm-normalize-package-bin": "^1.0.1" + "npm-normalize-package-bin": "^2.0.0" }, "engines": { "node": "^12.13.0 || ^14.15.0 || >=16.0.0" @@ -14452,6 +14814,15 @@ "node": ">=10" } }, + "node_modules/read-package-json/node_modules/npm-normalize-package-bin": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/npm-normalize-package-bin/-/npm-normalize-package-bin-2.0.0.tgz", + "integrity": "sha512-awzfKUO7v0FscrSpRoogyNm0sajikhBWpU0QMrW09AMi9n1PoKU6WaIqUzuJSQnpciZZmJ/jMZ2Egfmb/9LiWQ==", + "devOptional": true, + "engines": { + "node": "^12.13.0 || ^14.15.0 || >=16.0.0" + } + }, "node_modules/readable-stream": { "version": "3.6.0", "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-3.6.0.tgz", @@ -14598,12 +14969,12 @@ "dev": true }, "node_modules/resolve": { - "version": "1.22.0", - "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.0.tgz", - "integrity": "sha512-Hhtrw0nLeSrFQ7phPp4OOcVjLPIeMnRlr5mcnVuMe7M/7eBn98A3hmFRLoFo3DLZkivSYwhRUJTyPyWAk56WLw==", + "version": "1.22.1", + "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.1.tgz", + "integrity": "sha512-nBpuuYuY5jFsli/JIs1oldw6fOQCBioohqWZg/2hiaOybXOft4lonv85uDOKXdf8rhyK159cxU5cDcK/NKk8zw==", "devOptional": true, "dependencies": { - "is-core-module": "^2.8.1", + "is-core-module": "^2.9.0", "path-parse": "^1.0.7", "supports-preserve-symlinks-flag": "^1.0.0" }, @@ -14811,9 +15182,9 @@ } }, "node_modules/rxjs": { - "version": "7.5.5", - "resolved": "https://registry.npmjs.org/rxjs/-/rxjs-7.5.5.tgz", - "integrity": "sha512-sy+H0pQofO95VDmFLzyaw9xNJU4KTRSwQIGM6+iG3SypAtCiLDzpeG8sJrNCWn2Up9km+KhkvTdbkrdy+yzZdw==", + "version": "7.5.7", + "resolved": "https://registry.npmjs.org/rxjs/-/rxjs-7.5.7.tgz", + "integrity": "sha512-z9MzKh/UcOqB3i20H6rtrlaE/CgjLOvheWK/9ILrbhROGTweAi1BaFsTT9FbwZi5Trr1qNRs+MXkhmR06awzQA==", "dependencies": { "tslib": "^2.1.0" } @@ -14830,9 +15201,9 @@ "devOptional": true }, "node_modules/sass": { - "version": "1.51.0", - "resolved": "https://registry.npmjs.org/sass/-/sass-1.51.0.tgz", - "integrity": "sha512-haGdpTgywJTvHC2b91GSq+clTKGbtkkZmVAb82jZQN/wTy6qs8DdFm2lhEQbEwrY0QDRgSQ3xDurqM977C3noA==", + "version": "1.54.4", + "resolved": "https://registry.npmjs.org/sass/-/sass-1.54.4.tgz", + "integrity": "sha512-3tmF16yvnBwtlPrNBHw/H907j8MlOX8aTBnlNX1yrKx24RKcJGPyLhFUwkoKBKesR3unP93/2z14Ll8NicwQUA==", "dev": true, "dependencies": { "chokidar": ">=3.0.0 <4.0.0", @@ -14847,16 +15218,16 @@ } }, "node_modules/sass-loader": { - "version": "12.6.0", - "resolved": "https://registry.npmjs.org/sass-loader/-/sass-loader-12.6.0.tgz", - "integrity": "sha512-oLTaH0YCtX4cfnJZxKSLAyglED0naiYfNG1iXfU5w1LNZ+ukoA5DtyDIN5zmKVZwYNJP4KRc5Y3hkWga+7tYfA==", + "version": "13.0.2", + "resolved": "https://registry.npmjs.org/sass-loader/-/sass-loader-13.0.2.tgz", + "integrity": "sha512-BbiqbVmbfJaWVeOOAu2o7DhYWtcNmTfvroVgFXa6k2hHheMxNAeDHLNoDy/Q5aoaVlz0LH+MbMktKwm9vN/j8Q==", "dev": true, "dependencies": { "klona": "^2.0.4", "neo-async": "^2.6.2" }, "engines": { - "node": ">= 12.13.0" + "node": ">= 14.15.0" }, "funding": { "type": "opencollective", @@ -14891,15 +15262,15 @@ "dev": true }, "node_modules/saxes": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/saxes/-/saxes-5.0.1.tgz", - "integrity": "sha512-5LBh1Tls8c9xgGjw3QrMwETmTMVk0oFgvrFSvWx62llR2hcEInrKNZ2GZCCuuy2lvWrdl5jhbpeqc5hRYKFOcw==", + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/saxes/-/saxes-6.0.0.tgz", + "integrity": "sha512-xAg7SOnEhrm5zI3puOOKyy1OMcMlIJZYNJY7xLBwSze0UjhPLnWfj2GF2EpT0jmzaJKIWKHLsaSSajf35bcYnA==", "dev": true, "dependencies": { "xmlchars": "^2.2.0" }, "engines": { - "node": ">=10" + "node": ">=v12.22.7" } }, "node_modules/schema-utils": { @@ -14958,9 +15329,9 @@ "dev": true }, "node_modules/selfsigned": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/selfsigned/-/selfsigned-2.0.1.tgz", - "integrity": "sha512-LmME957M1zOsUhG+67rAjKfiWFox3SBxE/yymatMZsAx+oMrJ0YQ8AToOnyCm7xbeg2ep37IHLxdu0o2MavQOQ==", + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/selfsigned/-/selfsigned-2.1.1.tgz", + "integrity": "sha512-GSL3aowiF7wa/WtSFwnUrludWFoNhftq8bUkH9pkzjpN2XSPOAYEgg6e0sS9s0rZwgJzJiQRPU18A6clnoW5wQ==", "dev": true, "dependencies": { "node-forge": "^1" @@ -15316,13 +15687,22 @@ "websocket-driver": "^0.7.4" } }, + "node_modules/sockjs/node_modules/uuid": { + "version": "8.3.2", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "dev": true, + "bin": { + "uuid": "dist/bin/uuid" + } + }, "node_modules/socks": { - "version": "2.6.2", - "resolved": "https://registry.npmjs.org/socks/-/socks-2.6.2.tgz", - "integrity": "sha512-zDZhHhZRY9PxRruRMR7kMhnf3I8hDs4S3f9RecfnGxvcBHQcKcIH/oUcEWffsfl1XxdYlA7nnlGbbTvPz9D8gA==", + "version": "2.7.0", + "resolved": "https://registry.npmjs.org/socks/-/socks-2.7.0.tgz", + "integrity": "sha512-scnOe9y4VuiNUULJN72GrM26BNOjVsfPXI+j+98PkyEfsIXroa5ofyjT+FzGvn/xHs73U2JtoBYAVx9Hl4quSA==", "devOptional": true, "dependencies": { - "ip": "^1.1.5", + "ip": "^2.0.0", "smart-buffer": "^4.2.0" }, "engines": { @@ -15331,9 +15711,9 @@ } }, "node_modules/socks-proxy-agent": { - "version": "6.2.1", - "resolved": "https://registry.npmjs.org/socks-proxy-agent/-/socks-proxy-agent-6.2.1.tgz", - "integrity": "sha512-a6KW9G+6B3nWZ1yB8G7pJwL3ggLy1uTzKAgCb7ttblwqdz9fMGJUuTy3uFzEP48FAs9FLILlmzDlE2JJhVQaXQ==", + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/socks-proxy-agent/-/socks-proxy-agent-7.0.0.tgz", + "integrity": "sha512-Fgl0YPZ902wEsAyiQ+idGd1A7rSFx/ayC1CQVMw5P+EQx2V0SgpGtf6OKFhVjPflPUl9YMmEOnmfjCdMUsygww==", "devOptional": true, "dependencies": { "agent-base": "^6.0.2", @@ -15345,9 +15725,9 @@ } }, "node_modules/source-map": { - "version": "0.7.3", - "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.7.3.tgz", - "integrity": "sha512-CkCj6giN3S+n9qrYiBTX5gystlENnRW5jZeNLHpe6aue+SrHcG5VYwujhW9s4dY31mEGsxBDrHR6oI69fTXsaQ==", + "version": "0.7.4", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.7.4.tgz", + "integrity": "sha512-l3BikUxvPOcn5E74dZiq5BGsTb5yEwhaTSzccU6t4sDOH8NWJCstKO5QT2CvtFoK6F0saL7p9xHAqHOlCPJygA==", "devOptional": true, "engines": { "node": ">= 8" @@ -15363,24 +15743,24 @@ } }, "node_modules/source-map-loader": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/source-map-loader/-/source-map-loader-3.0.1.tgz", - "integrity": "sha512-Vp1UsfyPvgujKQzi4pyDiTOnE3E4H+yHvkVRN3c/9PJmQS4CQJExvcDvaX/D+RV+xQben9HJ56jMJS3CgUeWyA==", + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/source-map-loader/-/source-map-loader-4.0.0.tgz", + "integrity": "sha512-i3KVgM3+QPAHNbGavK+VBq03YoJl24m9JWNbLgsjTj8aJzXG9M61bantBTNBt7CNwY2FYf+RJRYJ3pzalKjIrw==", "dev": true, "dependencies": { - "abab": "^2.0.5", + "abab": "^2.0.6", "iconv-lite": "^0.6.3", - "source-map-js": "^1.0.1" + "source-map-js": "^1.0.2" }, "engines": { - "node": ">= 12.13.0" + "node": ">= 14.15.0" }, "funding": { "type": "opencollective", "url": "https://opencollective.com/webpack" }, "peerDependencies": { - "webpack": "^5.0.0" + "webpack": "^5.72.1" } }, "node_modules/source-map-loader/node_modules/iconv-lite": { @@ -15395,17 +15775,6 @@ "node": ">=0.10.0" } }, - "node_modules/source-map-resolve": { - "version": "0.6.0", - "resolved": "https://registry.npmjs.org/source-map-resolve/-/source-map-resolve-0.6.0.tgz", - "integrity": "sha512-KXBr9d/fO/bWo97NXsPIAW1bFSBOuCnjbNTBMO7N59hsv5i9yzRDfcYwwt0l04+VqnKC+EwzvJZIP/qkuMgR/w==", - "deprecated": "See https://github.com/lydell/source-map-resolve#deprecated", - "dev": true, - "dependencies": { - "atob": "^2.1.2", - "decode-uri-component": "^0.2.0" - } - }, "node_modules/source-map-support": { "version": "0.5.21", "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.21.tgz", @@ -15463,9 +15832,9 @@ } }, "node_modules/spdx-license-ids": { - "version": "3.0.11", - "resolved": "https://registry.npmjs.org/spdx-license-ids/-/spdx-license-ids-3.0.11.tgz", - "integrity": "sha512-Ctl2BrFiM0X3MANYgj3CkygxhRmr9mi6xhejbdO960nF6EDJApTYpn0BQnDKlnNBULKiCN1n3w9EBkHK8ZWg+g==", + "version": "3.0.12", + "resolved": "https://registry.npmjs.org/spdx-license-ids/-/spdx-license-ids-3.0.12.tgz", + "integrity": "sha512-rr+VVSXtRhO4OHbXUiAF7xW3Bo9DuuF6C5jH+q/x15j2jniycgKbxU09Hr0WqlSLUs4i4ltHGXqTe7VHclYWyA==", "devOptional": true }, "node_modules/spdy": { @@ -15668,15 +16037,14 @@ } }, "node_modules/stylus": { - "version": "0.57.0", - "resolved": "https://registry.npmjs.org/stylus/-/stylus-0.57.0.tgz", - "integrity": "sha512-yOI6G8WYfr0q8v8rRvE91wbxFU+rJPo760Va4MF6K0I6BZjO4r+xSynkvyPBP9tV1CIEUeRsiidjIs2rzb1CnQ==", + "version": "0.59.0", + "resolved": "https://registry.npmjs.org/stylus/-/stylus-0.59.0.tgz", + "integrity": "sha512-lQ9w/XIOH5ZHVNuNbWW8D822r+/wBSO/d6XvtyHLF7LW4KaCIDeVbvn5DF8fGCJAUCwVhVi/h6J0NUcnylUEjg==", "dev": true, "dependencies": { - "css": "^3.0.0", + "@adobe/css-tools": "^4.0.1", "debug": "^4.3.2", "glob": "^7.1.6", - "safer-buffer": "^2.1.2", "sax": "~1.2.4", "source-map": "^0.7.3" }, @@ -15685,20 +16053,23 @@ }, "engines": { "node": "*" + }, + "funding": { + "url": "https://opencollective.com/stylus" } }, "node_modules/stylus-loader": { - "version": "6.2.0", - "resolved": "https://registry.npmjs.org/stylus-loader/-/stylus-loader-6.2.0.tgz", - "integrity": "sha512-5dsDc7qVQGRoc6pvCL20eYgRUxepZ9FpeK28XhdXaIPP6kXr6nI1zAAKFQgP5OBkOfKaURp4WUpJzspg1f01Gg==", + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/stylus-loader/-/stylus-loader-7.0.0.tgz", + "integrity": "sha512-WTbtLrNfOfLgzTaR9Lj/BPhQroKk/LC1hfTXSUbrxmxgfUo3Y3LpmKRVA2R1XbjvTAvOfaian9vOyfv1z99E+A==", "dev": true, "dependencies": { - "fast-glob": "^3.2.7", - "klona": "^2.0.4", + "fast-glob": "^3.2.11", + "klona": "^2.0.5", "normalize-path": "^3.0.0" }, "engines": { - "node": ">= 12.13.0" + "node": ">= 14.15.0" }, "funding": { "type": "opencollective", @@ -15866,14 +16237,14 @@ } }, "node_modules/terser": { - "version": "5.13.1", - "resolved": "https://registry.npmjs.org/terser/-/terser-5.13.1.tgz", - "integrity": "sha512-hn4WKOfwnwbYfe48NgrQjqNOH9jzLqRcIfbYytOXCOv46LBfWr9bDS17MQqOi+BWGD0sJK3Sj5NC/gJjiojaoA==", + "version": "5.14.2", + "resolved": "https://registry.npmjs.org/terser/-/terser-5.14.2.tgz", + "integrity": "sha512-oL0rGeM/WFQCUd0y2QrWxYnq7tfSuKBiqTjRPWrRgB46WD/kiwHwF8T23z78H6Q6kGCuuHcPB+KULHRdxvVGQA==", "dev": true, "dependencies": { + "@jridgewell/source-map": "^0.3.2", "acorn": "^8.5.0", "commander": "^2.20.0", - "source-map": "~0.8.0-beta.0", "source-map-support": "~0.5.20" }, "bin": { @@ -15884,16 +16255,16 @@ } }, "node_modules/terser-webpack-plugin": { - "version": "5.3.3", - "resolved": "https://registry.npmjs.org/terser-webpack-plugin/-/terser-webpack-plugin-5.3.3.tgz", - "integrity": "sha512-Fx60G5HNYknNTNQnzQ1VePRuu89ZVYWfjRAeT5rITuCY/1b08s49e5kSQwHDirKZWuoKOBRFS98EUUoZ9kLEwQ==", + "version": "5.3.6", + "resolved": "https://registry.npmjs.org/terser-webpack-plugin/-/terser-webpack-plugin-5.3.6.tgz", + "integrity": "sha512-kfLFk+PoLUQIbLmB1+PZDMRSZS99Mp+/MHqDNmMA6tOItzRt+Npe3E+fsMs5mfcM0wCtrrdU387UnV+vnSffXQ==", "dev": true, "dependencies": { - "@jridgewell/trace-mapping": "^0.3.7", + "@jridgewell/trace-mapping": "^0.3.14", "jest-worker": "^27.4.5", "schema-utils": "^3.1.1", "serialize-javascript": "^6.0.0", - "terser": "^5.7.2" + "terser": "^5.14.1" }, "engines": { "node": ">= 10.13.0" @@ -16004,44 +16375,6 @@ "url": "https://github.com/chalk/supports-color?sponsor=1" } }, - "node_modules/terser/node_modules/source-map": { - "version": "0.8.0-beta.0", - "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.8.0-beta.0.tgz", - "integrity": "sha512-2ymg6oRBpebeZi9UUNsgQ89bhx01TcTkmNTGnNO88imTmbSgy4nfujrgVEFKWpMTEGA11EDkTt7mqObTPdigIA==", - "dev": true, - "dependencies": { - "whatwg-url": "^7.0.0" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/terser/node_modules/tr46": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/tr46/-/tr46-1.0.1.tgz", - "integrity": "sha512-dTpowEjclQ7Kgx5SdBkqRzVhERQXov8/l9Ft9dVM9fmg0W0KQSVaXX9T4i6twCPNtYiZM53lpSSUAwJbFPOHxA==", - "dev": true, - "dependencies": { - "punycode": "^2.1.0" - } - }, - "node_modules/terser/node_modules/webidl-conversions": { - "version": "4.0.2", - "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-4.0.2.tgz", - "integrity": "sha512-YQ+BmxuTgd6UXZW3+ICGfyqRyHXVlD5GtQr5+qjiNW7bF0cqrzX500HVXPBOvgXb5YnzDd+h0zqyv61KUD7+Sg==", - "dev": true - }, - "node_modules/terser/node_modules/whatwg-url": { - "version": "7.1.0", - "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-7.1.0.tgz", - "integrity": "sha512-WUu7Rg1DroM7oQvGWfOiAK21n74Gg+T4elXEQYkOhtyLeWiJFoOGLXPKI/9gzIie9CtwVLm8wtw6YJdKyxSjeg==", - "dev": true, - "dependencies": { - "lodash.sortby": "^4.7.0", - "tr46": "^1.0.1", - "webidl-conversions": "^4.0.2" - } - }, "node_modules/test-exclude": { "version": "6.0.0", "resolved": "https://registry.npmjs.org/test-exclude/-/test-exclude-6.0.0.tgz", @@ -16104,12 +16437,6 @@ "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==", "dev": true }, - "node_modules/throat": { - "version": "6.0.1", - "resolved": "https://registry.npmjs.org/throat/-/throat-6.0.1.tgz", - "integrity": "sha512-8hmiGIJMDlwjg7dlJ4yKGLK8EsYqKgPWbG3b4wjJddKNwc7N7Dpn08Df4szr/sZdMVeOstrdYSsqzX6BYbcB+w==", - "dev": true - }, "node_modules/throttleit": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/throttleit/-/throttleit-1.0.0.tgz", @@ -16209,9 +16536,9 @@ } }, "node_modules/ts-jest": { - "version": "28.0.5", - "resolved": "https://registry.npmjs.org/ts-jest/-/ts-jest-28.0.5.tgz", - "integrity": "sha512-Sx9FyP9pCY7pUzQpy4FgRZf2bhHY3za576HMKJFs+OnQ9jS96Du5vNsDKkyedQkik+sEabbKAnCliv9BEsHZgQ==", + "version": "28.0.8", + "resolved": "https://registry.npmjs.org/ts-jest/-/ts-jest-28.0.8.tgz", + "integrity": "sha512-5FaG0lXmRPzApix8oFG8RKjAz4ehtm8yMKOTy5HX3fY6W8kmvOrmcY0hKDElW52FJov+clhUbrKAqofnj4mXTg==", "dev": true, "dependencies": { "bs-logger": "0.x", @@ -16231,6 +16558,7 @@ }, "peerDependencies": { "@babel/core": ">=7.0.0-beta.0 <8", + "@jest/types": "^28.0.0", "babel-jest": "^28.0.0", "jest": "^28.0.0", "typescript": ">=4.3" @@ -16239,6 +16567,9 @@ "@babel/core": { "optional": true }, + "@jest/types": { + "optional": true + }, "babel-jest": { "optional": true }, @@ -16248,9 +16579,9 @@ } }, "node_modules/ts-node": { - "version": "10.8.1", - "resolved": "https://registry.npmjs.org/ts-node/-/ts-node-10.8.1.tgz", - "integrity": "sha512-Wwsnao4DQoJsN034wePSg5nZiw4YKXf56mPIAeD6wVmiv+RytNSWqc2f3fKvcUoV+Yn2+yocD71VOfQHbmVX4g==", + "version": "10.9.1", + "resolved": "https://registry.npmjs.org/ts-node/-/ts-node-10.9.1.tgz", + "integrity": "sha512-NtVysVPkxxrwFGUUxGYhfux8k78pQB3JqYBXlLRZgdGUqTO5wU/UyHop5p70iEbGhB7q5KmiZiU0Y3KlJrScEw==", "dev": true, "dependencies": { "@cspotcode/source-map-support": "^0.8.0", @@ -16493,9 +16824,9 @@ "dev": true }, "node_modules/typescript": { - "version": "4.6.4", - "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.6.4.tgz", - "integrity": "sha512-9ia/jWHIEbo49HfjrLGfKbZSuWo9iTMwXO+Ca3pRsSpbsMbc7/IU8NKdCZVRRBafVPGnoJeFL76ZOAA84I9fEg==", + "version": "4.8.4", + "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.8.4.tgz", + "integrity": "sha512-QCh+85mCy+h0IGff8r5XWzOVSbBO+KfeYrMQh7NJ58QujwcE22u+NUSmUxqF+un70P9GXKxa2HCNiTTMJknyjQ==", "bin": { "tsc": "bin/tsc", "tsserver": "bin/tsserver" @@ -16590,9 +16921,9 @@ } }, "node_modules/update-browserslist-db": { - "version": "1.0.4", - "resolved": "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.0.4.tgz", - "integrity": "sha512-jnmO2BEGUjsMOe/Fg9u0oczOe/ppIDZPebzccl1yDWGLFP16Pa1/RM5wEoKYPG2zstNcDuAStejyxsOuKINdGA==", + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.0.6.tgz", + "integrity": "sha512-We7BqM9XFlcW94Op93uW8+2LXvGezs7QA0WY+f1H7RR1q46B06W6hZF6LbmOlpCS1HU22q/6NOGTGW5sCm7NJQ==", "funding": [ { "type": "opencollective", @@ -16623,6 +16954,16 @@ "punycode": "^2.1.0" } }, + "node_modules/url-parse": { + "version": "1.5.10", + "resolved": "https://registry.npmjs.org/url-parse/-/url-parse-1.5.10.tgz", + "integrity": "sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ==", + "dev": true, + "dependencies": { + "querystringify": "^2.1.1", + "requires-port": "^1.0.0" + } + }, "node_modules/util-deprecate": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz", @@ -16639,9 +16980,9 @@ } }, "node_modules/uuid": { - "version": "8.3.2", - "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", - "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "version": "9.0.0", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-9.0.0.tgz", + "integrity": "sha512-MXcSTerfPa4uqyzStbRoTgt5XIe3x5+42+q1sDuy3R5MDk66URdLMOZe5aPX/SQd+kuYAh0FdP/pO28IkQyTeg==", "bin": { "uuid": "dist/bin/uuid" } @@ -16809,9 +17150,9 @@ } }, "node_modules/webpack": { - "version": "5.72.1", - "resolved": "https://registry.npmjs.org/webpack/-/webpack-5.72.1.tgz", - "integrity": "sha512-dXG5zXCLspQR4krZVR6QgajnZOjW2K/djHvdcRaDQvsjV9z9vaW6+ja5dZOYbqBBjF6kGXka/2ZyxNdc+8Jung==", + "version": "5.74.0", + "resolved": "https://registry.npmjs.org/webpack/-/webpack-5.74.0.tgz", + "integrity": "sha512-A2InDwnhhGN4LYctJj6M1JEaGL7Luj6LOmyBHjcI8529cm5p6VXiTIW2sn6ffvEAKmveLzvu4jrihwXtPojlAA==", "dev": true, "dependencies": { "@types/eslint-scope": "^3.7.3", @@ -16819,11 +17160,11 @@ "@webassemblyjs/ast": "1.11.1", "@webassemblyjs/wasm-edit": "1.11.1", "@webassemblyjs/wasm-parser": "1.11.1", - "acorn": "^8.4.1", + "acorn": "^8.7.1", "acorn-import-assertions": "^1.7.6", "browserslist": "^4.14.5", "chrome-trace-event": "^1.0.2", - "enhanced-resolve": "^5.9.3", + "enhanced-resolve": "^5.10.0", "es-module-lexer": "^0.9.0", "eslint-scope": "5.1.1", "events": "^3.2.0", @@ -16836,7 +17177,7 @@ "schema-utils": "^3.1.0", "tapable": "^2.1.1", "terser-webpack-plugin": "^5.1.3", - "watchpack": "^2.3.1", + "watchpack": "^2.4.0", "webpack-sources": "^3.2.3" }, "bin": { @@ -16856,13 +17197,13 @@ } }, "node_modules/webpack-dev-middleware": { - "version": "5.3.1", - "resolved": "https://registry.npmjs.org/webpack-dev-middleware/-/webpack-dev-middleware-5.3.1.tgz", - "integrity": "sha512-81EujCKkyles2wphtdrnPg/QqegC/AtqNH//mQkBYSMqwFVCQrxM6ktB2O/SPlZy7LqeEfTbV3cZARGQz6umhg==", + "version": "5.3.3", + "resolved": "https://registry.npmjs.org/webpack-dev-middleware/-/webpack-dev-middleware-5.3.3.tgz", + "integrity": "sha512-hj5CYrY0bZLB+eTO+x/j67Pkrquiy7kWepMHmUMoPsmcUaeEnQJqFzHJOyxgWlq746/wUuA64p9ta34Kyb01pA==", "dev": true, "dependencies": { "colorette": "^2.0.10", - "memfs": "^3.4.1", + "memfs": "^3.4.3", "mime-types": "^2.1.31", "range-parser": "^1.2.1", "schema-utils": "^4.0.0" @@ -16898,15 +17239,16 @@ } }, "node_modules/webpack-dev-server": { - "version": "4.9.0", - "resolved": "https://registry.npmjs.org/webpack-dev-server/-/webpack-dev-server-4.9.0.tgz", - "integrity": "sha512-+Nlb39iQSOSsFv0lWUuUTim3jDQO8nhK3E68f//J2r5rIcp4lULHXz2oZ0UVdEeWXEh5lSzYUlzarZhDAeAVQw==", + "version": "4.11.0", + "resolved": "https://registry.npmjs.org/webpack-dev-server/-/webpack-dev-server-4.11.0.tgz", + "integrity": "sha512-L5S4Q2zT57SK7tazgzjMiSMBdsw+rGYIX27MgPgx7LDhWO0lViPrHKoLS7jo5In06PWYAhlYu3PbyoC6yAThbw==", "dev": true, "dependencies": { "@types/bonjour": "^3.5.9", "@types/connect-history-api-fallback": "^1.3.5", "@types/express": "^4.17.13", "@types/serve-index": "^1.9.1", + "@types/serve-static": "^1.13.10", "@types/sockjs": "^0.3.33", "@types/ws": "^8.5.1", "ansi-html-community": "^0.0.8", @@ -16914,7 +17256,7 @@ "chokidar": "^3.5.3", "colorette": "^2.0.10", "compression": "^1.7.4", - "connect-history-api-fallback": "^1.6.0", + "connect-history-api-fallback": "^2.0.0", "default-gateway": "^6.0.3", "express": "^4.17.3", "graceful-fs": "^4.2.6", @@ -16927,7 +17269,7 @@ "schema-utils": "^4.0.0", "selfsigned": "^2.0.1", "serve-index": "^1.9.1", - "sockjs": "^0.3.21", + "sockjs": "^0.3.24", "spdy": "^4.0.2", "webpack-dev-middleware": "^5.3.1", "ws": "^8.4.2" @@ -16938,6 +17280,10 @@ "engines": { "node": ">= 12.13.0" }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, "peerDependencies": { "webpack": "^4.37.0 || ^5.0.0" }, @@ -17115,9 +17461,9 @@ } }, "node_modules/whatwg-url": { - "version": "10.0.0", - "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-10.0.0.tgz", - "integrity": "sha512-CLxxCmdUby142H5FZzn4D8ikO1cmypvXVQktsgosNy4a4BHrDHeciBBGZhb0bNoR5/MltoCatso+vFjjGx8t0w==", + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-11.0.0.tgz", + "integrity": "sha512-RKT8HExMpoYx4igMiVMY83lN6UeITKJlBQ+vR/8ZJ8OCdSiN3RwCq+9gH0+Xzj0+5IrM6i4j/6LuvzbZIQgEcQ==", "dev": true, "dependencies": { "tr46": "^3.0.0", @@ -17218,22 +17564,22 @@ "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==" }, "node_modules/write-file-atomic": { - "version": "4.0.1", - "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-4.0.1.tgz", - "integrity": "sha512-nSKUxgAbyioruk6hU87QzVbY279oYT6uiwgDoujth2ju4mJ+TZau7SQBhtbTmUyuNYTuXnSyRn66FV0+eCgcrQ==", + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-4.0.2.tgz", + "integrity": "sha512-7KxauUdBmSdWnmpaGFg+ppNjKF8uNLry8LyzjauQDOVONfFLNKrKvQOxZ/VuTIcS/gge/YNahf5RIIQWTSarlg==", "dev": true, "dependencies": { "imurmurhash": "^0.1.4", "signal-exit": "^3.0.7" }, "engines": { - "node": "^12.13.0 || ^14.15.0 || >=16" + "node": "^12.13.0 || ^14.15.0 || >=16.0.0" } }, "node_modules/ws": { - "version": "8.8.0", - "resolved": "https://registry.npmjs.org/ws/-/ws-8.8.0.tgz", - "integrity": "sha512-JDAgSYQ1ksuwqfChJusw1LSJ8BizJ2e/vVu5Lxjq3YvNJNlROv1ui4i+c/kUUrPheBvQl4c5UbERhTwKa6QBJQ==", + "version": "8.8.1", + "resolved": "https://registry.npmjs.org/ws/-/ws-8.8.1.tgz", + "integrity": "sha512-bGy2JzvzkPowEJV++hF07hAD6niYSr0JzBNo/J29WsB57A2r7Wlc1UFcTR9IzrPvuNVO4B8LGqF8qcpsVOhJCA==", "dev": true, "engines": { "node": ">=10.0.0" @@ -17289,9 +17635,9 @@ } }, "node_modules/yargs": { - "version": "17.4.1", - "resolved": "https://registry.npmjs.org/yargs/-/yargs-17.4.1.tgz", - "integrity": "sha512-WSZD9jgobAg3ZKuCQZSa3g9QOJeCCqLoLAykiWgmXnDo9EPnn4RPf5qVTtzgOx66o6/oqhcA5tHtJXpG8pMt3g==", + "version": "17.5.1", + "resolved": "https://registry.npmjs.org/yargs/-/yargs-17.5.1.tgz", + "integrity": "sha512-t6YAJcxDkNX7NFYiVtKvWUz8l+PaKTLiL63mJYWR2GnHq2gjEWISzsLp9wg3aY36dY1j+gfIEL3pIF+XlJJfbA==", "dependencies": { "cliui": "^7.0.2", "escalade": "^3.1.1", @@ -17306,9 +17652,9 @@ } }, "node_modules/yargs-parser": { - "version": "21.0.1", - "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.0.1.tgz", - "integrity": "sha512-9BK1jFpLzJROCI5TzwZL/TU4gqjK5xiHV/RfWLOahrjAko/e4DJkRDZQXfvqAsiZzzYhgAzbgz6lg48jcm4GLg==", + "version": "21.1.1", + "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.1.1.tgz", + "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==", "engines": { "node": ">=12" } @@ -17332,16 +17678,34 @@ "node": ">=6" } }, + "node_modules/yocto-queue": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz", + "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==", + "dev": true, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, "node_modules/zone.js": { - "version": "0.11.6", - "resolved": "https://registry.npmjs.org/zone.js/-/zone.js-0.11.6.tgz", - "integrity": "sha512-umJqFtKyZlPli669gB1gOrRE9hxUUGkZr7mo878z+NEBJZZixJkKeVYfnoLa7g25SseUDc92OZrMKKHySyJrFg==", + "version": "0.11.8", + "resolved": "https://registry.npmjs.org/zone.js/-/zone.js-0.11.8.tgz", + "integrity": "sha512-82bctBg2hKcEJ21humWIkXRlLBBmrc3nN7DFh5LGGhcyycO2S7FN8NmdvlcKaGFDNVL4/9kFLmwmInTavdJERA==", "dependencies": { "tslib": "^2.3.0" } } }, "dependencies": { + "@adobe/css-tools": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/@adobe/css-tools/-/css-tools-4.0.1.tgz", + "integrity": "sha512-+u76oB43nOHrF4DDWRLWDCtci7f3QJoEBigemIdIeTi1ODqjx6Tad9NCVnPRwewWlKkVab5PlK8DCtPTyX7S8g==", + "dev": true + }, "@ampproject/remapping": { "version": "2.2.0", "resolved": "https://registry.npmjs.org/@ampproject/remapping/-/remapping-2.2.0.tgz", @@ -17352,24 +17716,150 @@ } }, "@angular-builders/jest": { - "version": "14.0.0", - "resolved": "https://registry.npmjs.org/@angular-builders/jest/-/jest-14.0.0.tgz", - "integrity": "sha512-FBcbEmrCJqlA6lDVW7BzcPq2zQ98UNua0IO6DxHEi9LN/5Yyx2YJSbYqmfykyRBEnIqLzHVGOX9eBIiSg0Bc/w==", + "version": "14.0.1", + "resolved": "https://registry.npmjs.org/@angular-builders/jest/-/jest-14.0.1.tgz", + "integrity": "sha512-ol+/u6KD7kX0AyQ8Mr6pPmsptNh89p+PJtXhcU9epzjJw1y1Y+SlXHGVWg8JseaGRfxo3FVshS/ZvTxoGsstTA==", "dev": true, "requires": { "@angular-devkit/architect": ">=0.1400.0 < 0.1500.0", "@angular-devkit/core": "^14.0.0", - "jest-preset-angular": "12.1.0", + "jest-preset-angular": "12.2.0", "lodash": "^4.17.15" + }, + "dependencies": { + "@types/jsdom": { + "version": "16.2.15", + "resolved": "https://registry.npmjs.org/@types/jsdom/-/jsdom-16.2.15.tgz", + "integrity": "sha512-nwF87yjBKuX/roqGYerZZM0Nv1pZDMAT5YhOHYeM/72Fic+VEqJh4nyoqoapzJnW3pUlfxPY5FhgsJtM+dRnQQ==", + "dev": true, + "requires": { + "@types/node": "*", + "@types/parse5": "^6.0.3", + "@types/tough-cookie": "*" + } + }, + "form-data": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.0.tgz", + "integrity": "sha512-ETEklSGi5t0QMZuiXoA/Q6vcnxcLQP5vdugSpuAyi6SVGi2clPPp+xgEhuMaHC+zGgn31Kd235W35f7Hykkaww==", + "dev": true, + "requires": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "mime-types": "^2.1.12" + } + }, + "jest-environment-jsdom": { + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-28.1.3.tgz", + "integrity": "sha512-HnlGUmZRdxfCByd3GM2F100DgQOajUBzEitjGqIREcb45kGjZvRrKUdlaF6escXBdcXNl0OBh+1ZrfeZT3GnAg==", + "dev": true, + "requires": { + "@jest/environment": "^28.1.3", + "@jest/fake-timers": "^28.1.3", + "@jest/types": "^28.1.3", + "@types/jsdom": "^16.2.4", + "@types/node": "*", + "jest-mock": "^28.1.3", + "jest-util": "^28.1.3", + "jsdom": "^19.0.0" + } + }, + "jest-preset-angular": { + "version": "12.2.0", + "resolved": "https://registry.npmjs.org/jest-preset-angular/-/jest-preset-angular-12.2.0.tgz", + "integrity": "sha512-dXnPdcglVcJeXdnxrws3M/gxLlYWaZGU7JS+ffuiCfMzG0AO3EDo/wpsPsxvnjCZiov1uV7g7UD1dHtmOW/sEw==", + "dev": true, + "requires": { + "bs-logger": "^0.2.6", + "esbuild": ">=0.13.8", + "esbuild-wasm": ">=0.13.8", + "jest-environment-jsdom": "^28.0.0", + "pretty-format": "^28.0.0", + "ts-jest": "^28.0.0" + } + }, + "jsdom": { + "version": "19.0.0", + "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-19.0.0.tgz", + "integrity": "sha512-RYAyjCbxy/vri/CfnjUWJQQtZ3LKlLnDqj+9XLNnJPgEGeirZs3hllKR20re8LUZ6o1b1X4Jat+Qd26zmP41+A==", + "dev": true, + "requires": { + "abab": "^2.0.5", + "acorn": "^8.5.0", + "acorn-globals": "^6.0.0", + "cssom": "^0.5.0", + "cssstyle": "^2.3.0", + "data-urls": "^3.0.1", + "decimal.js": "^10.3.1", + "domexception": "^4.0.0", + "escodegen": "^2.0.0", + "form-data": "^4.0.0", + "html-encoding-sniffer": "^3.0.0", + "http-proxy-agent": "^5.0.0", + "https-proxy-agent": "^5.0.0", + "is-potential-custom-element-name": "^1.0.1", + "nwsapi": "^2.2.0", + "parse5": "6.0.1", + "saxes": "^5.0.1", + "symbol-tree": "^3.2.4", + "tough-cookie": "^4.0.0", + "w3c-hr-time": "^1.0.2", + "w3c-xmlserializer": "^3.0.0", + "webidl-conversions": "^7.0.0", + "whatwg-encoding": "^2.0.0", + "whatwg-mimetype": "^3.0.0", + "whatwg-url": "^10.0.0", + "ws": "^8.2.3", + "xml-name-validator": "^4.0.0" + } + }, + "saxes": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/saxes/-/saxes-5.0.1.tgz", + "integrity": "sha512-5LBh1Tls8c9xgGjw3QrMwETmTMVk0oFgvrFSvWx62llR2hcEInrKNZ2GZCCuuy2lvWrdl5jhbpeqc5hRYKFOcw==", + "dev": true, + "requires": { + "xmlchars": "^2.2.0" + } + }, + "tough-cookie": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.1.2.tgz", + "integrity": "sha512-G9fqXWoYFZgTc2z8Q5zaHy/vJMjm+WV0AkAeHxVCQiEB1b+dGvWzFW6QV07cY5jQ5gRkeid2qIkzkxUnmoQZUQ==", + "dev": true, + "requires": { + "psl": "^1.1.33", + "punycode": "^2.1.1", + "universalify": "^0.2.0", + "url-parse": "^1.5.3" + } + }, + "universalify": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.2.0.tgz", + "integrity": "sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==", + "dev": true + }, + "whatwg-url": { + "version": "10.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-10.0.0.tgz", + "integrity": "sha512-CLxxCmdUby142H5FZzn4D8ikO1cmypvXVQktsgosNy4a4BHrDHeciBBGZhb0bNoR5/MltoCatso+vFjjGx8t0w==", + "dev": true, + "requires": { + "tr46": "^3.0.0", + "webidl-conversions": "^7.0.0" + } + } } }, "@angular-devkit/architect": { - "version": "0.1400.4", - "resolved": "https://registry.npmjs.org/@angular-devkit/architect/-/architect-0.1400.4.tgz", - "integrity": "sha512-9tjOIRpAPuhsJ5xMVZI/C9qQUaVTF9URFrK4r/b9RO7lRsvMvweReMcOH4/8+veVSTAzAa34B6WNYvvuBZFMOg==", + "version": "0.1402.4", + "resolved": "https://registry.npmjs.org/@angular-devkit/architect/-/architect-0.1402.4.tgz", + "integrity": "sha512-lOgyKJ+KjBYWzgcxJ3vAy3RFkqRmSw3RY4thNsWOHLvzT8o33u3USDuOr6cDAQW12NjX9K7JDuvNlPbadjQbSQ==", "devOptional": true, "requires": { - "@angular-devkit/core": "14.0.4", + "@angular-devkit/core": "14.2.4", "rxjs": "6.6.7" }, "dependencies": { @@ -17391,72 +17881,72 @@ } }, "@angular-devkit/build-angular": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular-devkit/build-angular/-/build-angular-14.0.4.tgz", - "integrity": "sha512-VoiDfyKSTBU4LDRwtY8Ga5ZBKsDxTYWNx9aDCoswalMvYREwhEi9+wEcWjF5aMKl4usr6twCPaYqDrbkHYUHqw==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular-devkit/build-angular/-/build-angular-14.2.4.tgz", + "integrity": "sha512-VvwLmb5fiorcLO6Fko3GIeNDWsdoZxviHcHjq2IGkgTNMlvWwZhuSZ8kOhNIXUKFCZYpj7FiUm/ft8v0ilxFBg==", "dev": true, "requires": { "@ampproject/remapping": "2.2.0", - "@angular-devkit/architect": "0.1400.4", - "@angular-devkit/build-webpack": "0.1400.4", - "@angular-devkit/core": "14.0.4", - "@babel/core": "7.17.10", - "@babel/generator": "7.17.10", - "@babel/helper-annotate-as-pure": "7.16.7", - "@babel/plugin-proposal-async-generator-functions": "7.16.8", - "@babel/plugin-transform-async-to-generator": "7.16.8", - "@babel/plugin-transform-runtime": "7.17.10", - "@babel/preset-env": "7.17.10", - "@babel/runtime": "7.17.9", - "@babel/template": "7.16.7", + "@angular-devkit/architect": "0.1402.4", + "@angular-devkit/build-webpack": "0.1402.4", + "@angular-devkit/core": "14.2.4", + "@babel/core": "7.18.10", + "@babel/generator": "7.18.12", + "@babel/helper-annotate-as-pure": "7.18.6", + "@babel/plugin-proposal-async-generator-functions": "7.18.10", + "@babel/plugin-transform-async-to-generator": "7.18.6", + "@babel/plugin-transform-runtime": "7.18.10", + "@babel/preset-env": "7.18.10", + "@babel/runtime": "7.18.9", + "@babel/template": "7.18.10", "@discoveryjs/json-ext": "0.5.7", - "@ngtools/webpack": "14.0.4", - "ansi-colors": "4.1.1", + "@ngtools/webpack": "14.2.4", + "ansi-colors": "4.1.3", "babel-loader": "8.2.5", "babel-plugin-istanbul": "6.1.1", "browserslist": "^4.9.1", - "cacache": "16.0.7", - "copy-webpack-plugin": "10.2.4", + "cacache": "16.1.2", + "copy-webpack-plugin": "11.0.0", "critters": "0.0.16", "css-loader": "6.7.1", - "esbuild": "0.14.38", - "esbuild-wasm": "0.14.38", - "glob": "8.0.1", + "esbuild": "0.15.5", + "esbuild-wasm": "0.15.5", + "glob": "8.0.3", "https-proxy-agent": "5.0.1", "inquirer": "8.2.4", - "jsonc-parser": "3.0.0", + "jsonc-parser": "3.1.0", "karma-source-map-support": "1.4.0", - "less": "4.1.2", - "less-loader": "10.2.0", + "less": "4.1.3", + "less-loader": "11.0.0", "license-webpack-plugin": "4.0.2", "loader-utils": "3.2.0", - "mini-css-extract-plugin": "2.6.0", - "minimatch": "5.0.1", + "mini-css-extract-plugin": "2.6.1", + "minimatch": "5.1.0", "open": "8.4.0", "ora": "5.4.1", "parse5-html-rewriting-stream": "6.0.1", "piscina": "3.2.0", - "postcss": "8.4.13", - "postcss-import": "14.1.0", - "postcss-loader": "6.2.1", - "postcss-preset-env": "7.5.0", + "postcss": "8.4.16", + "postcss-import": "15.0.0", + "postcss-loader": "7.0.1", + "postcss-preset-env": "7.8.0", "regenerator-runtime": "0.13.9", "resolve-url-loader": "5.0.0", "rxjs": "6.6.7", - "sass": "1.51.0", - "sass-loader": "12.6.0", + "sass": "1.54.4", + "sass-loader": "13.0.2", "semver": "7.3.7", - "source-map-loader": "3.0.1", + "source-map-loader": "4.0.0", "source-map-support": "0.5.21", - "stylus": "0.57.0", - "stylus-loader": "6.2.0", - "terser": "5.13.1", + "stylus": "0.59.0", + "stylus-loader": "7.0.0", + "terser": "5.14.2", "text-table": "0.2.0", "tree-kill": "1.2.2", "tslib": "2.4.0", - "webpack": "5.72.1", - "webpack-dev-middleware": "5.3.1", - "webpack-dev-server": "4.9.0", + "webpack": "5.74.0", + "webpack-dev-middleware": "5.3.3", + "webpack-dev-server": "4.11.0", "webpack-merge": "5.8.0", "webpack-subresource-integrity": "5.1.0" }, @@ -17481,12 +17971,12 @@ } }, "@angular-devkit/build-webpack": { - "version": "0.1400.4", - "resolved": "https://registry.npmjs.org/@angular-devkit/build-webpack/-/build-webpack-0.1400.4.tgz", - "integrity": "sha512-eknabzf8lWDidOzeoV7NG3Rrfme/O2REZtranhBGKRfoRNUOCWMYcCfAF1hUEHjgw7zd4pn+3EdMVjhwpG48hA==", + "version": "0.1402.4", + "resolved": "https://registry.npmjs.org/@angular-devkit/build-webpack/-/build-webpack-0.1402.4.tgz", + "integrity": "sha512-hj80twvKlscktH3bILS4+iQckTQzUWO/hTrG0auvJIXHWOmfJDQTDEyIgoMUzhnibh/8xwf96cFAsFZc2d5kFA==", "dev": true, "requires": { - "@angular-devkit/architect": "0.1400.4", + "@angular-devkit/architect": "0.1402.4", "rxjs": "6.6.7" }, "dependencies": { @@ -17508,16 +17998,16 @@ } }, "@angular-devkit/core": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular-devkit/core/-/core-14.0.4.tgz", - "integrity": "sha512-ySQnhu9KhU6vMcFE5jFD93Q2aQ/UJYRZXlvDCve11pp6Lb+llcA7H46lHlBwpxR3jKom+8U4W5vnviqU52zhcg==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular-devkit/core/-/core-14.2.4.tgz", + "integrity": "sha512-NsvN1U42goBcibVR75vDp2NOFeSU+Wcekwf1r3Jbyz6a2l9Unf0v9BOWLXdigFY8xztbrOHJPSIbC+2rkvOUnw==", "devOptional": true, "requires": { "ajv": "8.11.0", "ajv-formats": "2.1.1", - "jsonc-parser": "3.0.0", + "jsonc-parser": "3.1.0", "rxjs": "6.6.7", - "source-map": "0.7.3" + "source-map": "0.7.4" }, "dependencies": { "rxjs": { @@ -17538,14 +18028,14 @@ } }, "@angular-devkit/schematics": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular-devkit/schematics/-/schematics-14.0.4.tgz", - "integrity": "sha512-dOi843eANcCL/tcSIAaotfLTHZTQLzRrpP2hz/le/vYMcuIfP90auvsWbQVrWbDIxWYl57Lu2UxvITT9gIarnA==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular-devkit/schematics/-/schematics-14.2.4.tgz", + "integrity": "sha512-Pm2C7HBNslQavsqXh6/rcyAavmgzTxU3x7NoWwSBH+fIplLJjEFzHdnW9JJp59A2ONfqO0wND3yWKtjIoDAUqw==", "devOptional": true, "requires": { - "@angular-devkit/core": "14.0.4", - "jsonc-parser": "3.0.0", - "magic-string": "0.26.1", + "@angular-devkit/core": "14.2.4", + "jsonc-parser": "3.1.0", + "magic-string": "0.26.2", "ora": "5.4.1", "rxjs": "6.6.7" }, @@ -17568,53 +18058,61 @@ } }, "@angular/cli": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/cli/-/cli-14.0.4.tgz", - "integrity": "sha512-hb6mJk6/vJwHCuMaGResQh9aXgoSyfrJ/WuFgLcPspdFRkm4EQcTSx8DwrRo7YawuCa12UJdPoK0dASXYN6JHA==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/cli/-/cli-14.2.4.tgz", + "integrity": "sha512-3YqwjPYlLzqQB0y6A7c3l9X1e0z418NjSQQD2e12N8y68V8nkTK4UcsDVpqb/7ce+xnQ7xGz2wb6DJddU4Wogw==", "devOptional": true, "requires": { - "@angular-devkit/architect": "0.1400.4", - "@angular-devkit/core": "14.0.4", - "@angular-devkit/schematics": "14.0.4", - "@schematics/angular": "14.0.4", + "@angular-devkit/architect": "0.1402.4", + "@angular-devkit/core": "14.2.4", + "@angular-devkit/schematics": "14.2.4", + "@schematics/angular": "14.2.4", "@yarnpkg/lockfile": "1.1.0", - "ansi-colors": "4.1.1", + "ansi-colors": "4.1.3", "debug": "4.3.4", "ini": "3.0.0", "inquirer": "8.2.4", - "jsonc-parser": "3.0.0", - "npm-package-arg": "9.0.2", + "jsonc-parser": "3.1.0", + "npm-package-arg": "9.1.0", "npm-pick-manifest": "7.0.1", "open": "8.4.0", "ora": "5.4.1", - "pacote": "13.3.0", - "resolve": "1.22.0", + "pacote": "13.6.2", + "resolve": "1.22.1", "semver": "7.3.7", "symbol-observable": "4.0.0", "uuid": "8.3.2", - "yargs": "17.4.1" + "yargs": "17.5.1" + }, + "dependencies": { + "uuid": { + "version": "8.3.2", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "devOptional": true + } } }, "@angular/common": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/common/-/common-14.0.4.tgz", - "integrity": "sha512-CvlFa2lCxen0LB3N45IzZDdMIqpcasXfVUhiAkLxZgT+kSTunc/rg8hMoLHVfmFpkQKCQmPVyuzNXnSwIFhYkQ==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/common/-/common-14.2.4.tgz", + "integrity": "sha512-nzmRUhdyKomgsf1vUdx7KOXS7OXkvdpF/1CSagqsIGYVLbL8cGZ6ROrdEuxkSsE9GUt/OAIkC4How4/LLPut1A==", "requires": { "tslib": "^2.3.0" } }, "@angular/compiler": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/compiler/-/compiler-14.0.4.tgz", - "integrity": "sha512-WdRpZFTX2vt71sSfQ89C1K5l2zhYtn8ON+ZlAVxyZ5uT0nA/Z/vuMLfNZB1WmcGVDOc7JmQduSiSaI0hhQqXqw==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/compiler/-/compiler-14.2.4.tgz", + "integrity": "sha512-fBvTPPWBYA65bAmrqKcnzUHAhZ/tfs+nG+IeDukn4TeyQplVjDYOlqjf84jYQubSIx8WTicZzRFn0dIGsPaSNw==", "requires": { "tslib": "^2.3.0" } }, "@angular/compiler-cli": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/compiler-cli/-/compiler-cli-14.0.4.tgz", - "integrity": "sha512-j3T0dOwNov6rKcaxLMSlPLRvrBT6MyBTum18x6XvZRqb75RUAJ/yV+PXgtA//XZ2hjuy87+CvZy3tBKktvY7bA==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/compiler-cli/-/compiler-cli-14.2.4.tgz", + "integrity": "sha512-8kHA/Ujzr5aXic7T3iEJiu0JMfXRs/uDoi8W8dYWFe+0naGhxwWmHBHc/hhS1tpv9/wW2WOcT51RDa4OYHKDKw==", "requires": { "@babel/core": "^7.17.2", "chokidar": "^3.0.0", @@ -17629,46 +18127,46 @@ } }, "@angular/core": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/core/-/core-14.0.4.tgz", - "integrity": "sha512-uMS/X+/5RokF3uiiD1IAr6Ha9k7QPegHrAB3QW0x6WRUTMq0K+08F+AeF5COmbfYMMaxofD6x8XmM+BLeg/0hw==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/core/-/core-14.2.4.tgz", + "integrity": "sha512-wB19wKmZE+X07mLbxYyqeg3v1JXy8m0+ShZD2oY3dmgk1mXOf5XVQxRZohGTrbPw83EdSWwx3vz+jjylGunVZQ==", "requires": { "tslib": "^2.3.0" } }, "@angular/forms": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/forms/-/forms-14.0.4.tgz", - "integrity": "sha512-u/9y09WQ00y6BQeNo69hMa/Fx+xKHGnmcjMtS3xkZtmoCP+A0ebumG0Y9DfXs2olJY2//O5di7Qu3fwlBg+3Cw==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/forms/-/forms-14.2.4.tgz", + "integrity": "sha512-m1asD8SazzMPzcli054zwLYz7hiXiaCXfqmQOFdQQd3OnPNKeCGDS8GFX7Yd/+3fz4REGeSon9YRhq7/W0TDlA==", "requires": { "tslib": "^2.3.0" } }, "@angular/localize": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/localize/-/localize-14.0.4.tgz", - "integrity": "sha512-NkUSgaeO0PgPOG9dsa83nApsJ5MsrFjY4ECW9Sz8lAt7EIW86qOPKKdvJdZgAbLFJnEEWlj9dEo8wIHSMblZ0A==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/localize/-/localize-14.2.4.tgz", + "integrity": "sha512-35BKWV5y5aGGbnLIY9xcPs4i8KGqYBidPtqlU1tg585y0szzFBuHdF4jNrAYTwjGk7fnxYYLZQygM/GtxFwLUA==", "requires": { - "@babel/core": "7.18.2", + "@babel/core": "7.18.9", "glob": "8.0.3", "yargs": "^17.2.1" }, "dependencies": { "@babel/core": { - "version": "7.18.2", - "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.18.2.tgz", - "integrity": "sha512-A8pri1YJiC5UnkdrWcmfZTJTV85b4UXTAfImGmCfYmax4TR9Cw8sDS0MOk++Gp2mE/BefVJ5nwy5yzqNJbP/DQ==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.18.9.tgz", + "integrity": "sha512-1LIb1eL8APMy91/IMW+31ckrfBM4yCoLaVzoDhZUKSM4cu1L1nIidyxkCgzPAgrC5WEz36IPEr/eSeSF9pIn+g==", "requires": { "@ampproject/remapping": "^2.1.0", - "@babel/code-frame": "^7.16.7", - "@babel/generator": "^7.18.2", - "@babel/helper-compilation-targets": "^7.18.2", - "@babel/helper-module-transforms": "^7.18.0", - "@babel/helpers": "^7.18.2", - "@babel/parser": "^7.18.0", - "@babel/template": "^7.16.7", - "@babel/traverse": "^7.18.2", - "@babel/types": "^7.18.2", + "@babel/code-frame": "^7.18.6", + "@babel/generator": "^7.18.9", + "@babel/helper-compilation-targets": "^7.18.9", + "@babel/helper-module-transforms": "^7.18.9", + "@babel/helpers": "^7.18.9", + "@babel/parser": "^7.18.9", + "@babel/template": "^7.18.6", + "@babel/traverse": "^7.18.9", + "@babel/types": "^7.18.9", "convert-source-map": "^1.7.0", "debug": "^4.1.0", "gensync": "^1.0.0-beta.2", @@ -17677,11 +18175,11 @@ } }, "@babel/generator": { - "version": "7.18.7", - "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.7.tgz", - "integrity": "sha512-shck+7VLlY72a2w9c3zYWuE1pwOKEiQHV7GTUbSnhyl5eu3i04t30tBY82ZRWrDfo3gkakCFtevExnxbkf2a3A==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.13.tgz", + "integrity": "sha512-CkPg8ySSPuHTYPJYo7IRALdqyjM9HCbt/3uOBEFbzyGVP6Mn8bwFPB0jX6982JVNBlYzM1nnPkfjuXSOPtQeEQ==", "requires": { - "@babel/types": "^7.18.7", + "@babel/types": "^7.18.13", "@jridgewell/gen-mapping": "^0.3.2", "jsesc": "^2.5.1" } @@ -17696,18 +18194,6 @@ "@jridgewell/trace-mapping": "^0.3.9" } }, - "glob": { - "version": "8.0.3", - "resolved": "https://registry.npmjs.org/glob/-/glob-8.0.3.tgz", - "integrity": "sha512-ull455NHSHI/Y1FqGaaYFaLGkNMMJbavMrEGFXG/PGrg6y7sutWHUHrz6gy6WEBH6akM1M414dWKCNs+IhKdiQ==", - "requires": { - "fs.realpath": "^1.0.0", - "inflight": "^1.0.4", - "inherits": "2", - "minimatch": "^5.0.1", - "once": "^1.3.0" - } - }, "semver": { "version": "6.3.0", "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.0.tgz", @@ -17716,25 +18202,25 @@ } }, "@angular/platform-browser": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/platform-browser/-/platform-browser-14.0.4.tgz", - "integrity": "sha512-VFeFpQ+248m8GiCqcsHwH4PET7tR1cyXnhsep1EeI4MDaO+aIbsUcESqXzMm5+ChOmNyiCtLQu8QvfHZK0uDVA==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/platform-browser/-/platform-browser-14.2.4.tgz", + "integrity": "sha512-/NAQXYLgyeb2L15EsaKgGEn50GH/O3t1FOjBvVZg6L423X0H6dIOL4bxbLcKAj9+bUDtdUzDiDoYyt6YEidH+g==", "requires": { "tslib": "^2.3.0" } }, "@angular/platform-browser-dynamic": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/platform-browser-dynamic/-/platform-browser-dynamic-14.0.4.tgz", - "integrity": "sha512-snVbAKfnBuCUMgop6ln111B/ouMnDR1ZzMzpiKefdJDGUvASCLbR8XAioY+zXUI82QbNg5masUPia1Fy+yTvGw==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/platform-browser-dynamic/-/platform-browser-dynamic-14.2.4.tgz", + "integrity": "sha512-6jEVKzIqT9lipq4xZftBskHKl3jrL1pQbK8diirJH0mNeuj0wvE+fqfKtVVl898OI/iJ3aAKyQf5YmOe1k8PAw==", "requires": { "tslib": "^2.3.0" } }, "@angular/router": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@angular/router/-/router-14.0.4.tgz", - "integrity": "sha512-aqtOjIjVNtWbpedDdni0yGfGR6sEb8S3jJB9jf43ththmHKxAlW7PKP2NgEmx0uJ2xY2iGET7Gkpl8RBwvoHgQ==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@angular/router/-/router-14.2.4.tgz", + "integrity": "sha512-zjsiy/1zrZfZnfIbo2vVgZ+UhCo3okabVr43eIvJhBwcNKzM8Zv17oN9FFlWvSzKKkbsoNIgJkTI85L1YsKtjg==", "requires": { "tslib": "^2.3.0" } @@ -17754,25 +18240,25 @@ } }, "@babel/compat-data": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.18.6.tgz", - "integrity": "sha512-tzulrgDT0QD6U7BJ4TKVk2SDDg7wlP39P9yAx1RfLy7vP/7rsDRlWVfbWxElslu56+r7QOhB2NSDsabYYruoZQ==" + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.18.13.tgz", + "integrity": "sha512-5yUzC5LqyTFp2HLmDoxGQelcdYgSpP9xsnMWBphAscOdFrHSAVbLNzWiy32sVNDqJRDiJK6klfDnAgu6PAGSHw==" }, "@babel/core": { - "version": "7.17.10", - "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.17.10.tgz", - "integrity": "sha512-liKoppandF3ZcBnIYFjfSDHZLKdLHGJRkoWtG8zQyGJBQfIYobpnVGI5+pLBNtS6psFLDzyq8+h5HiVljW9PNA==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.18.10.tgz", + "integrity": "sha512-JQM6k6ENcBFKVtWvLavlvi/mPcpYZ3+R+2EySDEMSMbp7Mn4FexlbbJVrx2R7Ijhr01T8gyqrOaABWIOgxeUyw==", "requires": { "@ampproject/remapping": "^2.1.0", - "@babel/code-frame": "^7.16.7", - "@babel/generator": "^7.17.10", - "@babel/helper-compilation-targets": "^7.17.10", - "@babel/helper-module-transforms": "^7.17.7", - "@babel/helpers": "^7.17.9", - "@babel/parser": "^7.17.10", - "@babel/template": "^7.16.7", - "@babel/traverse": "^7.17.10", - "@babel/types": "^7.17.10", + "@babel/code-frame": "^7.18.6", + "@babel/generator": "^7.18.10", + "@babel/helper-compilation-targets": "^7.18.9", + "@babel/helper-module-transforms": "^7.18.9", + "@babel/helpers": "^7.18.9", + "@babel/parser": "^7.18.10", + "@babel/template": "^7.18.10", + "@babel/traverse": "^7.18.10", + "@babel/types": "^7.18.10", "convert-source-map": "^1.7.0", "debug": "^4.1.0", "gensync": "^1.0.0-beta.2", @@ -17788,40 +18274,52 @@ } }, "@babel/generator": { - "version": "7.17.10", - "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.17.10.tgz", - "integrity": "sha512-46MJZZo9y3o4kmhBVc7zW7i8dtR1oIK/sdO5NcfcZRhTGYi+KKJRtHNgsU6c4VUcJmUNV/LQdebD/9Dlv4K+Tg==", + "version": "7.18.12", + "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.12.tgz", + "integrity": "sha512-dfQ8ebCN98SvyL7IxNMCUtZQSq5R7kxgN+r8qYTGDmmSion1hX2C0zq2yo1bsCDhXixokv1SAWTZUMYbO/V5zg==", "requires": { - "@babel/types": "^7.17.10", - "@jridgewell/gen-mapping": "^0.1.0", + "@babel/types": "^7.18.10", + "@jridgewell/gen-mapping": "^0.3.2", "jsesc": "^2.5.1" + }, + "dependencies": { + "@jridgewell/gen-mapping": { + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.2.tgz", + "integrity": "sha512-mh65xKQAzI6iBcFzwv28KVWSmCkdRBWoOh+bYQGW3+6OZvbbN3TqMGo5hqYxQniRcH9F2VZIoJCm4pa3BPDK/A==", + "requires": { + "@jridgewell/set-array": "^1.0.1", + "@jridgewell/sourcemap-codec": "^1.4.10", + "@jridgewell/trace-mapping": "^0.3.9" + } + } } }, "@babel/helper-annotate-as-pure": { - "version": "7.16.7", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.16.7.tgz", - "integrity": "sha512-s6t2w/IPQVTAET1HitoowRGXooX8mCgtuP5195wD/QJPV6wYjpujCGF7JuMODVX2ZAJOf1GT6DT9MHEZvLOFSw==", - "dev": true, - "requires": { - "@babel/types": "^7.16.7" - } - }, - "@babel/helper-builder-binary-assignment-operator-visitor": { "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-builder-binary-assignment-operator-visitor/-/helper-builder-binary-assignment-operator-visitor-7.18.6.tgz", - "integrity": "sha512-KT10c1oWEpmrIRYnthbzHgoOf6B+Xd6a5yhdbNtdhtG7aO1or5HViuf1TQR36xY/QprXA5nvxO6nAjhJ4y38jw==", + "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", + "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", "dev": true, "requires": { - "@babel/helper-explode-assignable-expression": "^7.18.6", "@babel/types": "^7.18.6" } }, - "@babel/helper-compilation-targets": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.6.tgz", - "integrity": "sha512-vFjbfhNCzqdeAtZflUFrG5YIFqGTqsctrtkZ1D/NB0mDW9TwW3GmmUepYY4G9wCET5rY5ugz4OGTcLd614IzQg==", + "@babel/helper-builder-binary-assignment-operator-visitor": { + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-builder-binary-assignment-operator-visitor/-/helper-builder-binary-assignment-operator-visitor-7.18.9.tgz", + "integrity": "sha512-yFQ0YCHoIqarl8BCRwBL8ulYUaZpz3bNsA7oFepAzee+8/+ImtADXNOmO5vJvsPff3qi+hvpkY/NYBTrBQgdNw==", + "dev": true, "requires": { - "@babel/compat-data": "^7.18.6", + "@babel/helper-explode-assignable-expression": "^7.18.6", + "@babel/types": "^7.18.9" + } + }, + "@babel/helper-compilation-targets": { + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.9.tgz", + "integrity": "sha512-tzLCyVmqUiFlcFoAPLA/gL9TeYrF61VLNtb+hvkuVaB5SUjW7jcfrglBIX1vUIoT7CLP3bBlIMeyEsIl2eFQNg==", + "requires": { + "@babel/compat-data": "^7.18.8", "@babel/helper-validator-option": "^7.18.6", "browserslist": "^4.20.2", "semver": "^6.3.0" @@ -17835,29 +18333,18 @@ } }, "@babel/helper-create-class-features-plugin": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.18.6.tgz", - "integrity": "sha512-YfDzdnoxHGV8CzqHGyCbFvXg5QESPFkXlHtvdCkesLjjVMT2Adxe4FGUR5ChIb3DxSaXO12iIOCWoXdsUVwnqw==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.18.13.tgz", + "integrity": "sha512-hDvXp+QYxSRL+23mpAlSGxHMDyIGChm0/AwTfTAAK5Ufe40nCsyNdaYCGuK91phn/fVu9kqayImRDkvNAgdrsA==", "dev": true, "requires": { "@babel/helper-annotate-as-pure": "^7.18.6", - "@babel/helper-environment-visitor": "^7.18.6", - "@babel/helper-function-name": "^7.18.6", - "@babel/helper-member-expression-to-functions": "^7.18.6", + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-function-name": "^7.18.9", + "@babel/helper-member-expression-to-functions": "^7.18.9", "@babel/helper-optimise-call-expression": "^7.18.6", - "@babel/helper-replace-supers": "^7.18.6", + "@babel/helper-replace-supers": "^7.18.9", "@babel/helper-split-export-declaration": "^7.18.6" - }, - "dependencies": { - "@babel/helper-annotate-as-pure": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", - "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", - "dev": true, - "requires": { - "@babel/types": "^7.18.6" - } - } } }, "@babel/helper-create-regexp-features-plugin": { @@ -17868,29 +18355,16 @@ "requires": { "@babel/helper-annotate-as-pure": "^7.18.6", "regexpu-core": "^5.1.0" - }, - "dependencies": { - "@babel/helper-annotate-as-pure": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", - "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", - "dev": true, - "requires": { - "@babel/types": "^7.18.6" - } - } } }, "@babel/helper-define-polyfill-provider": { - "version": "0.3.1", - "resolved": "https://registry.npmjs.org/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.3.1.tgz", - "integrity": "sha512-J9hGMpJQmtWmj46B3kBHmL38UhJGhYX7eqkcq+2gsstyYt341HmPeWspihX43yVRA0mS+8GGk2Gckc7bY/HCmA==", + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.3.2.tgz", + "integrity": "sha512-r9QJJ+uDWrd+94BSPcP6/de67ygLtvVy6cK4luE6MOuDsZIdoaPBnfSpbO/+LTifjPckbKXRuI9BB/Z2/y3iTg==", "dev": true, "requires": { - "@babel/helper-compilation-targets": "^7.13.0", - "@babel/helper-module-imports": "^7.12.13", - "@babel/helper-plugin-utils": "^7.13.0", - "@babel/traverse": "^7.13.0", + "@babel/helper-compilation-targets": "^7.17.7", + "@babel/helper-plugin-utils": "^7.16.7", "debug": "^4.1.1", "lodash.debounce": "^4.0.8", "resolve": "^1.14.2", @@ -17906,9 +18380,9 @@ } }, "@babel/helper-environment-visitor": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.6.tgz", - "integrity": "sha512-8n6gSfn2baOY+qlp+VSzsosjCVGFqWKmDF0cCWOybh52Dw3SEyoWR1KrhMJASjLwIEkkAufZ0xvr+SxLHSpy2Q==" + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.9.tgz", + "integrity": "sha512-3r/aACDJ3fhQ/EVgFy0hpj8oHyHpQc+LPtJoY9SzTThAsStm4Ptegq92vqKoE3vD706ZVFWITnMnxucw+S9Ipg==" }, "@babel/helper-explode-assignable-expression": { "version": "7.18.6", @@ -17920,24 +18394,12 @@ } }, "@babel/helper-function-name": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.18.6.tgz", - "integrity": "sha512-0mWMxV1aC97dhjCah5U5Ua7668r5ZmSC2DLfH2EZnf9c3/dHZKiFa5pRLMH5tjSl471tY6496ZWk/kjNONBxhw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.18.9.tgz", + "integrity": "sha512-fJgWlZt7nxGksJS9a0XdSaI4XvpExnNIgRP+rVefWh5U7BL8pPuir6SJUmFKRfjWQ51OtWSzwOxhaH/EBWWc0A==", "requires": { "@babel/template": "^7.18.6", - "@babel/types": "^7.18.6" - }, - "dependencies": { - "@babel/template": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.18.6.tgz", - "integrity": "sha512-JoDWzPe+wgBsTTgdnIma3iHNFC7YVJoPssVBDjiHfNlyt4YcunDtcDOUmfVDfCK5MfdsaIoX9PkijPhjH3nYUw==", - "requires": { - "@babel/code-frame": "^7.18.6", - "@babel/parser": "^7.18.6", - "@babel/types": "^7.18.6" - } - } + "@babel/types": "^7.18.9" } }, "@babel/helper-hoist-variables": { @@ -17949,12 +18411,12 @@ } }, "@babel/helper-member-expression-to-functions": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.18.6.tgz", - "integrity": "sha512-CeHxqwwipekotzPDUuJOfIMtcIHBuc7WAzLmTYWctVigqS5RktNMQ5bEwQSuGewzYnCtTWa3BARXeiLxDTv+Ng==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.18.9.tgz", + "integrity": "sha512-RxifAh2ZoVU67PyKIO4AMi1wTenGfMR/O/ae0CCRqwgBAt5v7xjdtRw7UoSbsreKrQn5t7r89eruK/9JjYHuDg==", "dev": true, "requires": { - "@babel/types": "^7.18.6" + "@babel/types": "^7.18.9" } }, "@babel/helper-module-imports": { @@ -17966,30 +18428,18 @@ } }, "@babel/helper-module-transforms": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.18.6.tgz", - "integrity": "sha512-L//phhB4al5uucwzlimruukHB3jRd5JGClwRMD/ROrVjXfLqovYnvQrK/JK36WYyVwGGO7OD3kMyVTjx+WVPhw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.18.9.tgz", + "integrity": "sha512-KYNqY0ICwfv19b31XzvmI/mfcylOzbLtowkw+mfvGPAQ3kfCnMLYbED3YecL5tPd8nAYFQFAd6JHp2LxZk/J1g==", "requires": { - "@babel/helper-environment-visitor": "^7.18.6", + "@babel/helper-environment-visitor": "^7.18.9", "@babel/helper-module-imports": "^7.18.6", "@babel/helper-simple-access": "^7.18.6", "@babel/helper-split-export-declaration": "^7.18.6", "@babel/helper-validator-identifier": "^7.18.6", "@babel/template": "^7.18.6", - "@babel/traverse": "^7.18.6", - "@babel/types": "^7.18.6" - }, - "dependencies": { - "@babel/template": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.18.6.tgz", - "integrity": "sha512-JoDWzPe+wgBsTTgdnIma3iHNFC7YVJoPssVBDjiHfNlyt4YcunDtcDOUmfVDfCK5MfdsaIoX9PkijPhjH3nYUw==", - "requires": { - "@babel/code-frame": "^7.18.6", - "@babel/parser": "^7.18.6", - "@babel/types": "^7.18.6" - } - } + "@babel/traverse": "^7.18.9", + "@babel/types": "^7.18.9" } }, "@babel/helper-optimise-call-expression": { @@ -18002,45 +18452,34 @@ } }, "@babel/helper-plugin-utils": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.18.6.tgz", - "integrity": "sha512-gvZnm1YAAxh13eJdkb9EWHBnF3eAub3XTLCZEehHT2kWxiKVRL64+ae5Y6Ivne0mVHmMYKT+xWgZO+gQhuLUBg==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.18.9.tgz", + "integrity": "sha512-aBXPT3bmtLryXaoJLyYPXPlSD4p1ld9aYeR+sJNOZjJJGiOpb+fKfh3NkcCu7J54nUJwCERPBExCCpyCOHnu/w==", "dev": true }, "@babel/helper-remap-async-to-generator": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.18.6.tgz", - "integrity": "sha512-z5wbmV55TveUPZlCLZvxWHtrjuJd+8inFhk7DG0WW87/oJuGDcjDiu7HIvGcpf5464L6xKCg3vNkmlVVz9hwyQ==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.18.9.tgz", + "integrity": "sha512-dI7q50YKd8BAv3VEfgg7PS7yD3Rtbi2J1XMXaalXO0W0164hYLnh8zpjRS0mte9MfVp/tltvr/cfdXPvJr1opA==", "dev": true, "requires": { "@babel/helper-annotate-as-pure": "^7.18.6", - "@babel/helper-environment-visitor": "^7.18.6", - "@babel/helper-wrap-function": "^7.18.6", - "@babel/types": "^7.18.6" - }, - "dependencies": { - "@babel/helper-annotate-as-pure": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", - "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", - "dev": true, - "requires": { - "@babel/types": "^7.18.6" - } - } + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-wrap-function": "^7.18.9", + "@babel/types": "^7.18.9" } }, "@babel/helper-replace-supers": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.18.6.tgz", - "integrity": "sha512-fTf7zoXnUGl9gF25fXCWE26t7Tvtyn6H4hkLSYhATwJvw2uYxd3aoXplMSe0g9XbwK7bmxNes7+FGO0rB/xC0g==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.18.9.tgz", + "integrity": "sha512-dNsWibVI4lNT6HiuOIBr1oyxo40HvIVmbwPUm3XZ7wMh4k2WxrxTqZwSqw/eEmXDS9np0ey5M2bz9tBmO9c+YQ==", "dev": true, "requires": { - "@babel/helper-environment-visitor": "^7.18.6", - "@babel/helper-member-expression-to-functions": "^7.18.6", + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-member-expression-to-functions": "^7.18.9", "@babel/helper-optimise-call-expression": "^7.18.6", - "@babel/traverse": "^7.18.6", - "@babel/types": "^7.18.6" + "@babel/traverse": "^7.18.9", + "@babel/types": "^7.18.9" } }, "@babel/helper-simple-access": { @@ -18052,12 +18491,12 @@ } }, "@babel/helper-skip-transparent-expression-wrappers": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.18.6.tgz", - "integrity": "sha512-4KoLhwGS9vGethZpAhYnMejWkX64wsnHPDwvOsKWU6Fg4+AlK2Jz3TyjQLMEPvz+1zemi/WBdkYxCD0bAfIkiw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.18.9.tgz", + "integrity": "sha512-imytd2gHi3cJPsybLRbmFrF7u5BIEuI2cNheyKi3/iOBC63kNn3q8Crn2xVuESli0aM4KYsyEqKyS7lFL8YVtw==", "dev": true, "requires": { - "@babel/types": "^7.18.6" + "@babel/types": "^7.18.9" } }, "@babel/helper-split-export-declaration": { @@ -18068,6 +18507,11 @@ "@babel/types": "^7.18.6" } }, + "@babel/helper-string-parser": { + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.18.10.tgz", + "integrity": "sha512-XtIfWmeNY3i4t7t4D2t02q50HvqHybPqW2ki1kosnvWCwuCMeo81Jf0gwr85jy/neUdg5XDdeFE/80DXiO+njw==" + }, "@babel/helper-validator-identifier": { "version": "7.18.6", "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.18.6.tgz", @@ -18079,50 +18523,25 @@ "integrity": "sha512-XO7gESt5ouv/LRJdrVjkShckw6STTaB7l9BrpBaAHDeF5YZT+01PCwmR0SJHnkW6i8OwW/EVWRShfi4j2x+KQw==" }, "@babel/helper-wrap-function": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-wrap-function/-/helper-wrap-function-7.18.6.tgz", - "integrity": "sha512-I5/LZfozwMNbwr/b1vhhuYD+J/mU+gfGAj5td7l5Rv9WYmH6i3Om69WGKNmlIpsVW/mF6O5bvTKbvDQZVgjqOw==", + "version": "7.18.11", + "resolved": "https://registry.npmjs.org/@babel/helper-wrap-function/-/helper-wrap-function-7.18.11.tgz", + "integrity": "sha512-oBUlbv+rjZLh2Ks9SKi4aL7eKaAXBWleHzU89mP0G6BMUlRxSckk9tSIkgDGydhgFxHuGSlBQZfnaD47oBEB7w==", "dev": true, "requires": { - "@babel/helper-function-name": "^7.18.6", - "@babel/template": "^7.18.6", - "@babel/traverse": "^7.18.6", - "@babel/types": "^7.18.6" - }, - "dependencies": { - "@babel/template": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.18.6.tgz", - "integrity": "sha512-JoDWzPe+wgBsTTgdnIma3iHNFC7YVJoPssVBDjiHfNlyt4YcunDtcDOUmfVDfCK5MfdsaIoX9PkijPhjH3nYUw==", - "dev": true, - "requires": { - "@babel/code-frame": "^7.18.6", - "@babel/parser": "^7.18.6", - "@babel/types": "^7.18.6" - } - } + "@babel/helper-function-name": "^7.18.9", + "@babel/template": "^7.18.10", + "@babel/traverse": "^7.18.11", + "@babel/types": "^7.18.10" } }, "@babel/helpers": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.18.6.tgz", - "integrity": "sha512-vzSiiqbQOghPngUYt/zWGvK3LAsPhz55vc9XNN0xAl2gV4ieShI2OQli5duxWHD+72PZPTKAcfcZDE1Cwc5zsQ==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.18.9.tgz", + "integrity": "sha512-Jf5a+rbrLoR4eNdUmnFu8cN5eNJT6qdTdOg5IHIzq87WwyRw9PwguLFOWYgktN/60IP4fgDUawJvs7PjQIzELQ==", "requires": { "@babel/template": "^7.18.6", - "@babel/traverse": "^7.18.6", - "@babel/types": "^7.18.6" - }, - "dependencies": { - "@babel/template": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.18.6.tgz", - "integrity": "sha512-JoDWzPe+wgBsTTgdnIma3iHNFC7YVJoPssVBDjiHfNlyt4YcunDtcDOUmfVDfCK5MfdsaIoX9PkijPhjH3nYUw==", - "requires": { - "@babel/code-frame": "^7.18.6", - "@babel/parser": "^7.18.6", - "@babel/types": "^7.18.6" - } - } + "@babel/traverse": "^7.18.9", + "@babel/types": "^7.18.9" } }, "@babel/highlight": { @@ -18136,9 +18555,9 @@ } }, "@babel/parser": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.18.6.tgz", - "integrity": "sha512-uQVSa9jJUe/G/304lXspfWVpKpK4euFLgGiMQFOCpM/bgcAdeoHwi/OQz23O9GK2osz26ZiXRRV9aV+Yl1O8tw==" + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.18.13.tgz", + "integrity": "sha512-dgXcIfMuQ0kgzLB2b9tRZs7TTFFaGM2AbtA4fJgUUYukzGH4jwsS7hzQHEGs67jdehpm22vkgKwvbU+aEflgwg==" }, "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression": { "version": "7.18.6", @@ -18150,24 +18569,25 @@ } }, "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.18.6.tgz", - "integrity": "sha512-Udgu8ZRgrBrttVz6A0EVL0SJ1z+RLbIeqsu632SA1hf0awEppD6TvdznoH+orIF8wtFFAV/Enmw9Y+9oV8TQcw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.18.9.tgz", + "integrity": "sha512-AHrP9jadvH7qlOj6PINbgSuphjQUAK7AOT7DPjBo9EHoLhQTnnK5u45e1Hd4DbSQEO9nqPWtQ89r+XEOWFScKg==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6", - "@babel/helper-skip-transparent-expression-wrappers": "^7.18.6", - "@babel/plugin-proposal-optional-chaining": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-skip-transparent-expression-wrappers": "^7.18.9", + "@babel/plugin-proposal-optional-chaining": "^7.18.9" } }, "@babel/plugin-proposal-async-generator-functions": { - "version": "7.16.8", - "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.16.8.tgz", - "integrity": "sha512-71YHIvMuiuqWJQkebWJtdhQTfd4Q4mF76q2IX37uZPkG9+olBxsX+rH1vkhFto4UeJZ9dPY2s+mDvhDm1u2BGQ==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.18.10.tgz", + "integrity": "sha512-1mFuY2TOsR1hxbjCo4QL+qlIjV07p4H4EUYw2J/WCqsvFV6V9X9z9YhXbWndc/4fw+hYGlDT7egYxliMp5O6Ew==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.16.7", - "@babel/helper-remap-async-to-generator": "^7.16.8", + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-remap-async-to-generator": "^7.18.9", "@babel/plugin-syntax-async-generators": "^7.8.4" } }, @@ -18203,12 +18623,12 @@ } }, "@babel/plugin-proposal-export-namespace-from": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-export-namespace-from/-/plugin-proposal-export-namespace-from-7.18.6.tgz", - "integrity": "sha512-zr/QcUlUo7GPo6+X1wC98NJADqmy5QTFWWhqeQWiki4XHafJtLl/YMGkmRB2szDD2IYJCCdBTd4ElwhId9T7Xw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-export-namespace-from/-/plugin-proposal-export-namespace-from-7.18.9.tgz", + "integrity": "sha512-k1NtHyOMvlDDFeb9G5PhUXuGj8m/wiwojgQVEhJ/fsVsMCpLyOP4h0uGEjYJKrRI+EVPlb5Jk+Gt9P97lOGwtA==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.9", "@babel/plugin-syntax-export-namespace-from": "^7.8.3" } }, @@ -18223,12 +18643,12 @@ } }, "@babel/plugin-proposal-logical-assignment-operators": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-logical-assignment-operators/-/plugin-proposal-logical-assignment-operators-7.18.6.tgz", - "integrity": "sha512-zMo66azZth/0tVd7gmkxOkOjs2rpHyhpcFo565PUP37hSp6hSd9uUKIfTDFMz58BwqgQKhJ9YxtM5XddjXVn+Q==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-logical-assignment-operators/-/plugin-proposal-logical-assignment-operators-7.18.9.tgz", + "integrity": "sha512-128YbMpjCrP35IOExw2Fq+x55LMP42DzhOhX2aNNIdI9avSWl2PI0yuBWarr3RYpZBSPtabfadkH2yeRiMD61Q==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.9", "@babel/plugin-syntax-logical-assignment-operators": "^7.10.4" } }, @@ -18253,16 +18673,16 @@ } }, "@babel/plugin-proposal-object-rest-spread": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.18.6.tgz", - "integrity": "sha512-9yuM6wr4rIsKa1wlUAbZEazkCrgw2sMPEXCr4Rnwetu7cEW1NydkCWytLuYletbf8vFxdJxFhwEZqMpOx2eZyw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.18.9.tgz", + "integrity": "sha512-kDDHQ5rflIeY5xl69CEqGEZ0KY369ehsCIEbTGb4siHG5BE9sga/T0r0OUwyZNLMmZE79E1kbsqAjwFCW4ds6Q==", "dev": true, "requires": { - "@babel/compat-data": "^7.18.6", - "@babel/helper-compilation-targets": "^7.18.6", - "@babel/helper-plugin-utils": "^7.18.6", + "@babel/compat-data": "^7.18.8", + "@babel/helper-compilation-targets": "^7.18.9", + "@babel/helper-plugin-utils": "^7.18.9", "@babel/plugin-syntax-object-rest-spread": "^7.8.3", - "@babel/plugin-transform-parameters": "^7.18.6" + "@babel/plugin-transform-parameters": "^7.18.8" } }, "@babel/plugin-proposal-optional-catch-binding": { @@ -18276,13 +18696,13 @@ } }, "@babel/plugin-proposal-optional-chaining": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.18.6.tgz", - "integrity": "sha512-PatI6elL5eMzoypFAiYDpYQyMtXTn+iMhuxxQt5mAXD4fEmKorpSI3PHd+i3JXBJN3xyA6MvJv7at23HffFHwA==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.18.9.tgz", + "integrity": "sha512-v5nwt4IqBXihxGsW2QmCWMDS3B3bzGIk/EQVZz2ei7f3NJl8NzAJVvUmpDW5q1CRNY+Beb/k58UAH1Km1N411w==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6", - "@babel/helper-skip-transparent-expression-wrappers": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-skip-transparent-expression-wrappers": "^7.18.9", "@babel/plugin-syntax-optional-chaining": "^7.8.3" } }, @@ -18306,17 +18726,6 @@ "@babel/helper-create-class-features-plugin": "^7.18.6", "@babel/helper-plugin-utils": "^7.18.6", "@babel/plugin-syntax-private-property-in-object": "^7.14.5" - }, - "dependencies": { - "@babel/helper-annotate-as-pure": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", - "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", - "dev": true, - "requires": { - "@babel/types": "^7.18.6" - } - } } }, "@babel/plugin-proposal-unicode-property-regex": { @@ -18383,6 +18792,15 @@ "@babel/helper-plugin-utils": "^7.8.3" } }, + "@babel/plugin-syntax-import-assertions": { + "version": "7.18.6", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-assertions/-/plugin-syntax-import-assertions-7.18.6.tgz", + "integrity": "sha512-/DU3RXad9+bZwrgWJQKbr39gYbJpLJHezqEzRzi/BHRlJ9zsQb4CK2CA/5apllXNomwA1qHwzvHl+AdEmC5krQ==", + "dev": true, + "requires": { + "@babel/helper-plugin-utils": "^7.18.6" + } + }, "@babel/plugin-syntax-import-meta": { "version": "7.10.4", "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz", @@ -18492,14 +18910,14 @@ } }, "@babel/plugin-transform-async-to-generator": { - "version": "7.16.8", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.16.8.tgz", - "integrity": "sha512-MtmUmTJQHCnyJVrScNzNlofQJ3dLFuobYn3mwOTKHnSCMtbNsqvF71GQmJfFjdrXSsAA7iysFmYWw4bXZ20hOg==", + "version": "7.18.6", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.18.6.tgz", + "integrity": "sha512-ARE5wZLKnTgPW7/1ftQmSi1CmkqqHo2DNmtztFhvgtOWSDfq0Cq9/9L+KnZNYSNrydBekhW3rwShduf59RoXag==", "dev": true, "requires": { - "@babel/helper-module-imports": "^7.16.7", - "@babel/helper-plugin-utils": "^7.16.7", - "@babel/helper-remap-async-to-generator": "^7.16.8" + "@babel/helper-module-imports": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.6", + "@babel/helper-remap-async-to-generator": "^7.18.6" } }, "@babel/plugin-transform-block-scoped-functions": { @@ -18512,57 +18930,46 @@ } }, "@babel/plugin-transform-block-scoping": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.18.6.tgz", - "integrity": "sha512-pRqwb91C42vs1ahSAWJkxOxU1RHWDn16XAa6ggQ72wjLlWyYeAcLvTtE0aM8ph3KNydy9CQF2nLYcjq1WysgxQ==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.18.9.tgz", + "integrity": "sha512-5sDIJRV1KtQVEbt/EIBwGy4T01uYIo4KRB3VUqzkhrAIOGx7AoctL9+Ux88btY0zXdDyPJ9mW+bg+v+XEkGmtw==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" } }, "@babel/plugin-transform-classes": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-classes/-/plugin-transform-classes-7.18.6.tgz", - "integrity": "sha512-XTg8XW/mKpzAF3actL554Jl/dOYoJtv3l8fxaEczpgz84IeeVf+T1u2CSvPHuZbt0w3JkIx4rdn/MRQI7mo0HQ==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-classes/-/plugin-transform-classes-7.18.9.tgz", + "integrity": "sha512-EkRQxsxoytpTlKJmSPYrsOMjCILacAjtSVkd4gChEe2kXjFCun3yohhW5I7plXJhCemM0gKsaGMcO8tinvCA5g==", "dev": true, "requires": { "@babel/helper-annotate-as-pure": "^7.18.6", - "@babel/helper-environment-visitor": "^7.18.6", - "@babel/helper-function-name": "^7.18.6", + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-function-name": "^7.18.9", "@babel/helper-optimise-call-expression": "^7.18.6", - "@babel/helper-plugin-utils": "^7.18.6", - "@babel/helper-replace-supers": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-replace-supers": "^7.18.9", "@babel/helper-split-export-declaration": "^7.18.6", "globals": "^11.1.0" - }, - "dependencies": { - "@babel/helper-annotate-as-pure": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.18.6.tgz", - "integrity": "sha512-duORpUiYrEpzKIop6iNbjnwKLAKnJ47csTyRACyEmWj0QdUrm5aqNJGHSSEQSUAvNW0ojX0dOmK9dZduvkfeXA==", - "dev": true, - "requires": { - "@babel/types": "^7.18.6" - } - } } }, "@babel/plugin-transform-computed-properties": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.18.6.tgz", - "integrity": "sha512-9repI4BhNrR0KenoR9vm3/cIc1tSBIo+u1WVjKCAynahj25O8zfbiE6JtAtHPGQSs4yZ+bA8mRasRP+qc+2R5A==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.18.9.tgz", + "integrity": "sha512-+i0ZU1bCDymKakLxn5srGHrsAPRELC2WIbzwjLhHW9SIE1cPYkLCL0NlnXMZaM1vhfgA2+M7hySk42VBvrkBRw==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" } }, "@babel/plugin-transform-destructuring": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.18.6.tgz", - "integrity": "sha512-tgy3u6lRp17ilY8r1kP4i2+HDUwxlVqq3RTc943eAWSzGgpU1qhiKpqZ5CMyHReIYPHdo3Kg8v8edKtDqSVEyQ==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.18.13.tgz", + "integrity": "sha512-TodpQ29XekIsex2A+YJPj5ax2plkGa8YYY6mFjCohk/IG9IY42Rtuj1FuDeemfg2ipxIFLzPeA83SIBnlhSIow==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" } }, "@babel/plugin-transform-dotall-regex": { @@ -18576,12 +18983,12 @@ } }, "@babel/plugin-transform-duplicate-keys": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.18.6.tgz", - "integrity": "sha512-NJU26U/208+sxYszf82nmGYqVF9QN8py2HFTblPT9hbawi8+1C5a9JubODLTGFuT0qlkqVinmkwOD13s0sZktg==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.18.9.tgz", + "integrity": "sha512-d2bmXCtZXYc59/0SanQKbiWINadaJXqtvIQIzd4+hNwkWBgyCd5F/2t1kXoUdvPMrxzPvhK6EMQRROxsue+mfw==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" } }, "@babel/plugin-transform-exponentiation-operator": { @@ -18595,32 +19002,32 @@ } }, "@babel/plugin-transform-for-of": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.18.6.tgz", - "integrity": "sha512-WAjoMf4wIiSsy88KmG7tgj2nFdEK7E46tArVtcgED7Bkj6Fg/tG5SbvNIOKxbFS2VFgNh6+iaPswBeQZm4ox8w==", + "version": "7.18.8", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.18.8.tgz", + "integrity": "sha512-yEfTRnjuskWYo0k1mHUqrVWaZwrdq8AYbfrpqULOJOaucGSp4mNMVps+YtA8byoevxS/urwU75vyhQIxcCgiBQ==", "dev": true, "requires": { "@babel/helper-plugin-utils": "^7.18.6" } }, "@babel/plugin-transform-function-name": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.18.6.tgz", - "integrity": "sha512-kJha/Gbs5RjzIu0CxZwf5e3aTTSlhZnHMT8zPWnJMjNpLOUgqevg+PN5oMH68nMCXnfiMo4Bhgxqj59KHTlAnA==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.18.9.tgz", + "integrity": "sha512-WvIBoRPaJQ5yVHzcnJFor7oS5Ls0PYixlTYE63lCj2RtdQEl15M68FXQlxnG6wdraJIXRdR7KI+hQ7q/9QjrCQ==", "dev": true, "requires": { - "@babel/helper-compilation-targets": "^7.18.6", - "@babel/helper-function-name": "^7.18.6", - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-compilation-targets": "^7.18.9", + "@babel/helper-function-name": "^7.18.9", + "@babel/helper-plugin-utils": "^7.18.9" } }, "@babel/plugin-transform-literals": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-literals/-/plugin-transform-literals-7.18.6.tgz", - "integrity": "sha512-x3HEw0cJZVDoENXOp20HlypIHfl0zMIhMVZEBVTfmqbObIpsMxMbmU5nOEO8R7LYT+z5RORKPlTI5Hj4OsO9/Q==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-literals/-/plugin-transform-literals-7.18.9.tgz", + "integrity": "sha512-IFQDSRoTPnrAIrI5zoZv73IFeZu2dhu6irxQjY9rNjTT53VmKg9fenjvoiOWOkJ6mm4jKVPtdMzBY98Fp4Z4cg==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" } }, "@babel/plugin-transform-member-expression-literals": { @@ -18656,14 +19063,14 @@ } }, "@babel/plugin-transform-modules-systemjs": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.18.6.tgz", - "integrity": "sha512-UbPYpXxLjTw6w6yXX2BYNxF3p6QY225wcTkfQCy3OMnSlS/C3xGtwUjEzGkldb/sy6PWLiCQ3NbYfjWUTI3t4g==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.18.9.tgz", + "integrity": "sha512-zY/VSIbbqtoRoJKo2cDTewL364jSlZGvn0LKOf9ntbfxOvjfmyrdtEEOAdswOswhZEb8UH3jDkCKHd1sPgsS0A==", "dev": true, "requires": { "@babel/helper-hoist-variables": "^7.18.6", - "@babel/helper-module-transforms": "^7.18.6", - "@babel/helper-plugin-utils": "^7.18.6", + "@babel/helper-module-transforms": "^7.18.9", + "@babel/helper-plugin-utils": "^7.18.9", "@babel/helper-validator-identifier": "^7.18.6", "babel-plugin-dynamic-import-node": "^2.3.3" } @@ -18708,9 +19115,9 @@ } }, "@babel/plugin-transform-parameters": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.18.6.tgz", - "integrity": "sha512-FjdqgMv37yVl/gwvzkcB+wfjRI8HQmc5EgOG9iGNvUY1ok+TjsoaMP7IqCDZBhkFcM5f3OPVMs6Dmp03C5k4/A==", + "version": "7.18.8", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.18.8.tgz", + "integrity": "sha512-ivfbE3X2Ss+Fj8nnXvKJS6sjRG4gzwPMsP+taZC+ZzEGjAYlvENixmt1sZ5Ca6tWls+BlKSGKPJ6OOXvXCbkFg==", "dev": true, "requires": { "@babel/helper-plugin-utils": "^7.18.6" @@ -18745,16 +19152,16 @@ } }, "@babel/plugin-transform-runtime": { - "version": "7.17.10", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.17.10.tgz", - "integrity": "sha512-6jrMilUAJhktTr56kACL8LnWC5hx3Lf27BS0R0DSyW/OoJfb/iTHeE96V3b1dgKG3FSFdd/0culnYWMkjcKCig==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.18.10.tgz", + "integrity": "sha512-q5mMeYAdfEbpBAgzl7tBre/la3LeCxmDO1+wMXRdPWbcoMjR3GiXlCLk7JBZVVye0bqTGNMbt0yYVXX1B1jEWQ==", "dev": true, "requires": { - "@babel/helper-module-imports": "^7.16.7", - "@babel/helper-plugin-utils": "^7.16.7", - "babel-plugin-polyfill-corejs2": "^0.3.0", - "babel-plugin-polyfill-corejs3": "^0.5.0", - "babel-plugin-polyfill-regenerator": "^0.3.0", + "@babel/helper-module-imports": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.9", + "babel-plugin-polyfill-corejs2": "^0.3.2", + "babel-plugin-polyfill-corejs3": "^0.5.3", + "babel-plugin-polyfill-regenerator": "^0.4.0", "semver": "^6.3.0" }, "dependencies": { @@ -18776,13 +19183,13 @@ } }, "@babel/plugin-transform-spread": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-spread/-/plugin-transform-spread-7.18.6.tgz", - "integrity": "sha512-ayT53rT/ENF8WWexIRg9AiV9h0aIteyWn5ptfZTZQrjk/+f3WdrJGCY4c9wcgl2+MKkKPhzbYp97FTsquZpDCw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-spread/-/plugin-transform-spread-7.18.9.tgz", + "integrity": "sha512-39Q814wyoOPtIB/qGopNIL9xDChOE1pNU0ZY5dO0owhiVt/5kFm4li+/bBtwc7QotG0u5EPzqhZdjMtmqBqyQA==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6", - "@babel/helper-skip-transparent-expression-wrappers": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-skip-transparent-expression-wrappers": "^7.18.9" } }, "@babel/plugin-transform-sticky-regex": { @@ -18795,30 +19202,30 @@ } }, "@babel/plugin-transform-template-literals": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.18.6.tgz", - "integrity": "sha512-UuqlRrQmT2SWRvahW46cGSany0uTlcj8NYOS5sRGYi8FxPYPoLd5DDmMd32ZXEj2Jq+06uGVQKHxa/hJx2EzKw==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.18.9.tgz", + "integrity": "sha512-S8cOWfT82gTezpYOiVaGHrCbhlHgKhQt8XH5ES46P2XWmX92yisoZywf5km75wv5sYcXDUCLMmMxOLCtthDgMA==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" } }, "@babel/plugin-transform-typeof-symbol": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.18.6.tgz", - "integrity": "sha512-7m71iS/QhsPk85xSjFPovHPcH3H9qeyzsujhTc+vcdnsXavoWYJ74zx0lP5RhpC5+iDnVLO+PPMHzC11qels1g==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.18.9.tgz", + "integrity": "sha512-SRfwTtF11G2aemAZWivL7PD+C9z52v9EvMqH9BuYbabyPuKUvSWks3oCg6041pT925L4zVFqaVBeECwsmlguEw==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" } }, "@babel/plugin-transform-unicode-escapes": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.18.6.tgz", - "integrity": "sha512-XNRwQUXYMP7VLuy54cr/KS/WeL3AZeORhrmeZ7iewgu+X2eBqmpaLI/hzqr9ZxCeUoq0ASK4GUzSM0BDhZkLFw==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.18.10.tgz", + "integrity": "sha512-kKAdAI+YzPgGY/ftStBFXTI1LZFju38rYThnfMykS+IXy8BVx+res7s2fxf1l8I35DV2T97ezo6+SGrXz6B3iQ==", "dev": true, "requires": { - "@babel/helper-plugin-utils": "^7.18.6" + "@babel/helper-plugin-utils": "^7.18.9" } }, "@babel/plugin-transform-unicode-regex": { @@ -18832,37 +19239,38 @@ } }, "@babel/preset-env": { - "version": "7.17.10", - "resolved": "https://registry.npmjs.org/@babel/preset-env/-/preset-env-7.17.10.tgz", - "integrity": "sha512-YNgyBHZQpeoBSRBg0xixsZzfT58Ze1iZrajvv0lJc70qDDGuGfonEnMGfWeSY0mQ3JTuCWFbMkzFRVafOyJx4g==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/preset-env/-/preset-env-7.18.10.tgz", + "integrity": "sha512-wVxs1yjFdW3Z/XkNfXKoblxoHgbtUF7/l3PvvP4m02Qz9TZ6uZGxRVYjSQeR87oQmHco9zWitW5J82DJ7sCjvA==", "dev": true, "requires": { - "@babel/compat-data": "^7.17.10", - "@babel/helper-compilation-targets": "^7.17.10", - "@babel/helper-plugin-utils": "^7.16.7", - "@babel/helper-validator-option": "^7.16.7", - "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression": "^7.16.7", - "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": "^7.16.7", - "@babel/plugin-proposal-async-generator-functions": "^7.16.8", - "@babel/plugin-proposal-class-properties": "^7.16.7", - "@babel/plugin-proposal-class-static-block": "^7.17.6", - "@babel/plugin-proposal-dynamic-import": "^7.16.7", - "@babel/plugin-proposal-export-namespace-from": "^7.16.7", - "@babel/plugin-proposal-json-strings": "^7.16.7", - "@babel/plugin-proposal-logical-assignment-operators": "^7.16.7", - "@babel/plugin-proposal-nullish-coalescing-operator": "^7.16.7", - "@babel/plugin-proposal-numeric-separator": "^7.16.7", - "@babel/plugin-proposal-object-rest-spread": "^7.17.3", - "@babel/plugin-proposal-optional-catch-binding": "^7.16.7", - "@babel/plugin-proposal-optional-chaining": "^7.16.7", - "@babel/plugin-proposal-private-methods": "^7.16.11", - "@babel/plugin-proposal-private-property-in-object": "^7.16.7", - "@babel/plugin-proposal-unicode-property-regex": "^7.16.7", + "@babel/compat-data": "^7.18.8", + "@babel/helper-compilation-targets": "^7.18.9", + "@babel/helper-plugin-utils": "^7.18.9", + "@babel/helper-validator-option": "^7.18.6", + "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression": "^7.18.6", + "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": "^7.18.9", + "@babel/plugin-proposal-async-generator-functions": "^7.18.10", + "@babel/plugin-proposal-class-properties": "^7.18.6", + "@babel/plugin-proposal-class-static-block": "^7.18.6", + "@babel/plugin-proposal-dynamic-import": "^7.18.6", + "@babel/plugin-proposal-export-namespace-from": "^7.18.9", + "@babel/plugin-proposal-json-strings": "^7.18.6", + "@babel/plugin-proposal-logical-assignment-operators": "^7.18.9", + "@babel/plugin-proposal-nullish-coalescing-operator": "^7.18.6", + "@babel/plugin-proposal-numeric-separator": "^7.18.6", + "@babel/plugin-proposal-object-rest-spread": "^7.18.9", + "@babel/plugin-proposal-optional-catch-binding": "^7.18.6", + "@babel/plugin-proposal-optional-chaining": "^7.18.9", + "@babel/plugin-proposal-private-methods": "^7.18.6", + "@babel/plugin-proposal-private-property-in-object": "^7.18.6", + "@babel/plugin-proposal-unicode-property-regex": "^7.18.6", "@babel/plugin-syntax-async-generators": "^7.8.4", "@babel/plugin-syntax-class-properties": "^7.12.13", "@babel/plugin-syntax-class-static-block": "^7.14.5", "@babel/plugin-syntax-dynamic-import": "^7.8.3", "@babel/plugin-syntax-export-namespace-from": "^7.8.3", + "@babel/plugin-syntax-import-assertions": "^7.18.6", "@babel/plugin-syntax-json-strings": "^7.8.3", "@babel/plugin-syntax-logical-assignment-operators": "^7.10.4", "@babel/plugin-syntax-nullish-coalescing-operator": "^7.8.3", @@ -18872,43 +19280,43 @@ "@babel/plugin-syntax-optional-chaining": "^7.8.3", "@babel/plugin-syntax-private-property-in-object": "^7.14.5", "@babel/plugin-syntax-top-level-await": "^7.14.5", - "@babel/plugin-transform-arrow-functions": "^7.16.7", - "@babel/plugin-transform-async-to-generator": "^7.16.8", - "@babel/plugin-transform-block-scoped-functions": "^7.16.7", - "@babel/plugin-transform-block-scoping": "^7.16.7", - "@babel/plugin-transform-classes": "^7.16.7", - "@babel/plugin-transform-computed-properties": "^7.16.7", - "@babel/plugin-transform-destructuring": "^7.17.7", - "@babel/plugin-transform-dotall-regex": "^7.16.7", - "@babel/plugin-transform-duplicate-keys": "^7.16.7", - "@babel/plugin-transform-exponentiation-operator": "^7.16.7", - "@babel/plugin-transform-for-of": "^7.16.7", - "@babel/plugin-transform-function-name": "^7.16.7", - "@babel/plugin-transform-literals": "^7.16.7", - "@babel/plugin-transform-member-expression-literals": "^7.16.7", - "@babel/plugin-transform-modules-amd": "^7.16.7", - "@babel/plugin-transform-modules-commonjs": "^7.17.9", - "@babel/plugin-transform-modules-systemjs": "^7.17.8", - "@babel/plugin-transform-modules-umd": "^7.16.7", - "@babel/plugin-transform-named-capturing-groups-regex": "^7.17.10", - "@babel/plugin-transform-new-target": "^7.16.7", - "@babel/plugin-transform-object-super": "^7.16.7", - "@babel/plugin-transform-parameters": "^7.16.7", - "@babel/plugin-transform-property-literals": "^7.16.7", - "@babel/plugin-transform-regenerator": "^7.17.9", - "@babel/plugin-transform-reserved-words": "^7.16.7", - "@babel/plugin-transform-shorthand-properties": "^7.16.7", - "@babel/plugin-transform-spread": "^7.16.7", - "@babel/plugin-transform-sticky-regex": "^7.16.7", - "@babel/plugin-transform-template-literals": "^7.16.7", - "@babel/plugin-transform-typeof-symbol": "^7.16.7", - "@babel/plugin-transform-unicode-escapes": "^7.16.7", - "@babel/plugin-transform-unicode-regex": "^7.16.7", + "@babel/plugin-transform-arrow-functions": "^7.18.6", + "@babel/plugin-transform-async-to-generator": "^7.18.6", + "@babel/plugin-transform-block-scoped-functions": "^7.18.6", + "@babel/plugin-transform-block-scoping": "^7.18.9", + "@babel/plugin-transform-classes": "^7.18.9", + "@babel/plugin-transform-computed-properties": "^7.18.9", + "@babel/plugin-transform-destructuring": "^7.18.9", + "@babel/plugin-transform-dotall-regex": "^7.18.6", + "@babel/plugin-transform-duplicate-keys": "^7.18.9", + "@babel/plugin-transform-exponentiation-operator": "^7.18.6", + "@babel/plugin-transform-for-of": "^7.18.8", + "@babel/plugin-transform-function-name": "^7.18.9", + "@babel/plugin-transform-literals": "^7.18.9", + "@babel/plugin-transform-member-expression-literals": "^7.18.6", + "@babel/plugin-transform-modules-amd": "^7.18.6", + "@babel/plugin-transform-modules-commonjs": "^7.18.6", + "@babel/plugin-transform-modules-systemjs": "^7.18.9", + "@babel/plugin-transform-modules-umd": "^7.18.6", + "@babel/plugin-transform-named-capturing-groups-regex": "^7.18.6", + "@babel/plugin-transform-new-target": "^7.18.6", + "@babel/plugin-transform-object-super": "^7.18.6", + "@babel/plugin-transform-parameters": "^7.18.8", + "@babel/plugin-transform-property-literals": "^7.18.6", + "@babel/plugin-transform-regenerator": "^7.18.6", + "@babel/plugin-transform-reserved-words": "^7.18.6", + "@babel/plugin-transform-shorthand-properties": "^7.18.6", + "@babel/plugin-transform-spread": "^7.18.9", + "@babel/plugin-transform-sticky-regex": "^7.18.6", + "@babel/plugin-transform-template-literals": "^7.18.9", + "@babel/plugin-transform-typeof-symbol": "^7.18.9", + "@babel/plugin-transform-unicode-escapes": "^7.18.10", + "@babel/plugin-transform-unicode-regex": "^7.18.6", "@babel/preset-modules": "^0.1.5", - "@babel/types": "^7.17.10", - "babel-plugin-polyfill-corejs2": "^0.3.0", - "babel-plugin-polyfill-corejs3": "^0.5.0", - "babel-plugin-polyfill-regenerator": "^0.3.0", + "@babel/types": "^7.18.10", + "babel-plugin-polyfill-corejs2": "^0.3.2", + "babel-plugin-polyfill-corejs3": "^0.5.3", + "babel-plugin-polyfill-regenerator": "^0.4.0", "core-js-compat": "^3.22.1", "semver": "^6.3.0" }, @@ -18935,47 +19343,47 @@ } }, "@babel/runtime": { - "version": "7.17.9", - "resolved": "https://registry.npmjs.org/@babel/runtime/-/runtime-7.17.9.tgz", - "integrity": "sha512-lSiBBvodq29uShpWGNbgFdKYNiFDo5/HIYsaCEY9ff4sb10x9jizo2+pRrSyF4jKZCXqgzuqBOQKbUm90gQwJg==", + "version": "7.18.9", + "resolved": "https://registry.npmjs.org/@babel/runtime/-/runtime-7.18.9.tgz", + "integrity": "sha512-lkqXDcvlFT5rvEjiu6+QYO+1GXrEHRo2LOtS7E4GtX5ESIZOgepqsZBVIj6Pv+a6zqsya9VCgiK1KAK4BvJDAw==", "dev": true, "requires": { "regenerator-runtime": "^0.13.4" } }, "@babel/template": { - "version": "7.16.7", - "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.16.7.tgz", - "integrity": "sha512-I8j/x8kHUrbYRTUxXrrMbfCa7jxkE7tZre39x3kjr9hvI82cK1FfqLygotcWN5kdPGWcLdWMHpSBavse5tWw3w==", + "version": "7.18.10", + "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.18.10.tgz", + "integrity": "sha512-TI+rCtooWHr3QJ27kJxfjutghu44DLnasDMwpDqCXVTal9RLp3RSYNh4NdBrRP2cQAoG9A8juOQl6P6oZG4JxA==", "requires": { - "@babel/code-frame": "^7.16.7", - "@babel/parser": "^7.16.7", - "@babel/types": "^7.16.7" + "@babel/code-frame": "^7.18.6", + "@babel/parser": "^7.18.10", + "@babel/types": "^7.18.10" } }, "@babel/traverse": { - "version": "7.18.6", - "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.18.6.tgz", - "integrity": "sha512-zS/OKyqmD7lslOtFqbscH6gMLFYOfG1YPqCKfAW5KrTeolKqvB8UelR49Fpr6y93kYkW2Ik00mT1LOGiAGvizw==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.18.13.tgz", + "integrity": "sha512-N6kt9X1jRMLPxxxPYWi7tgvJRH/rtoU+dbKAPDM44RFHiMH8igdsaSBgFeskhSl/kLWLDUvIh1RXCrTmg0/zvA==", "requires": { "@babel/code-frame": "^7.18.6", - "@babel/generator": "^7.18.6", - "@babel/helper-environment-visitor": "^7.18.6", - "@babel/helper-function-name": "^7.18.6", + "@babel/generator": "^7.18.13", + "@babel/helper-environment-visitor": "^7.18.9", + "@babel/helper-function-name": "^7.18.9", "@babel/helper-hoist-variables": "^7.18.6", "@babel/helper-split-export-declaration": "^7.18.6", - "@babel/parser": "^7.18.6", - "@babel/types": "^7.18.6", + "@babel/parser": "^7.18.13", + "@babel/types": "^7.18.13", "debug": "^4.1.0", "globals": "^11.1.0" }, "dependencies": { "@babel/generator": { - "version": "7.18.7", - "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.7.tgz", - "integrity": "sha512-shck+7VLlY72a2w9c3zYWuE1pwOKEiQHV7GTUbSnhyl5eu3i04t30tBY82ZRWrDfo3gkakCFtevExnxbkf2a3A==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.18.13.tgz", + "integrity": "sha512-CkPg8ySSPuHTYPJYo7IRALdqyjM9HCbt/3uOBEFbzyGVP6Mn8bwFPB0jX6982JVNBlYzM1nnPkfjuXSOPtQeEQ==", "requires": { - "@babel/types": "^7.18.7", + "@babel/types": "^7.18.13", "@jridgewell/gen-mapping": "^0.3.2", "jsesc": "^2.5.1" } @@ -18993,10 +19401,11 @@ } }, "@babel/types": { - "version": "7.18.7", - "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.18.7.tgz", - "integrity": "sha512-QG3yxTcTIBoAcQmkCs+wAPYZhu7Dk9rXKacINfNbdJDNERTbLQbHGyVG8q/YGMPeCJRIhSY0+fTc5+xuh6WPSQ==", + "version": "7.18.13", + "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.18.13.tgz", + "integrity": "sha512-ePqfTihzW0W6XAU+aMw2ykilisStJfDnsejDCXRchCcMJ4O0+8DhPXf2YUbZ6wjBlsEmZwLK/sPweWtu8hcJYQ==", "requires": { + "@babel/helper-string-parser": "^7.18.10", "@babel/helper-validator-identifier": "^7.18.6", "to-fast-properties": "^2.0.0" } @@ -19034,10 +19443,20 @@ } } }, + "@csstools/postcss-cascade-layers": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/@csstools/postcss-cascade-layers/-/postcss-cascade-layers-1.0.5.tgz", + "integrity": "sha512-Id/9wBT7FkgFzdEpiEWrsVd4ltDxN0rI0QS0SChbeQiSuux3z21SJCRLu6h2cvCEUmaRi+VD0mHFj+GJD4GFnw==", + "dev": true, + "requires": { + "@csstools/selector-specificity": "^2.0.2", + "postcss-selector-parser": "^6.0.10" + } + }, "@csstools/postcss-color-function": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-color-function/-/postcss-color-function-1.1.0.tgz", - "integrity": "sha512-5D5ND/mZWcQoSfYnSPsXtuiFxhzmhxt6pcjrFLJyldj+p0ZN2vvRpYNX+lahFTtMhAYOa2WmkdGINr0yP0CvGA==", + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@csstools/postcss-color-function/-/postcss-color-function-1.1.1.tgz", + "integrity": "sha512-Bc0f62WmHdtRDjf5f3e2STwRAl89N2CLb+9iAwzrv4L2hncrbDwnQD9PCq0gtAt7pOI2leIV08HIBUd4jxD8cw==", "dev": true, "requires": { "@csstools/postcss-progressive-custom-properties": "^1.1.0", @@ -19045,27 +19464,27 @@ } }, "@csstools/postcss-font-format-keywords": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-font-format-keywords/-/postcss-font-format-keywords-1.0.0.tgz", - "integrity": "sha512-oO0cZt8do8FdVBX8INftvIA4lUrKUSCcWUf9IwH9IPWOgKT22oAZFXeHLoDK7nhB2SmkNycp5brxfNMRLIhd6Q==", + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@csstools/postcss-font-format-keywords/-/postcss-font-format-keywords-1.0.1.tgz", + "integrity": "sha512-ZgrlzuUAjXIOc2JueK0X5sZDjCtgimVp/O5CEqTcs5ShWBa6smhWYbS0x5cVc/+rycTDbjjzoP0KTDnUneZGOg==", "dev": true, "requires": { "postcss-value-parser": "^4.2.0" } }, "@csstools/postcss-hwb-function": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/@csstools/postcss-hwb-function/-/postcss-hwb-function-1.0.1.tgz", - "integrity": "sha512-AMZwWyHbbNLBsDADWmoXT9A5yl5dsGEBeJSJRUJt8Y9n8Ziu7Wstt4MC8jtPW7xjcLecyfJwtnUTNSmOzcnWeg==", + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/@csstools/postcss-hwb-function/-/postcss-hwb-function-1.0.2.tgz", + "integrity": "sha512-YHdEru4o3Rsbjmu6vHy4UKOXZD+Rn2zmkAmLRfPet6+Jz4Ojw8cbWxe1n42VaXQhD3CQUXXTooIy8OkVbUcL+w==", "dev": true, "requires": { "postcss-value-parser": "^4.2.0" } }, "@csstools/postcss-ic-unit": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-ic-unit/-/postcss-ic-unit-1.0.0.tgz", - "integrity": "sha512-i4yps1mBp2ijrx7E96RXrQXQQHm6F4ym1TOD0D69/sjDjZvQ22tqiEvaNw7pFZTUO5b9vWRHzbHzP9+UKuw+bA==", + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@csstools/postcss-ic-unit/-/postcss-ic-unit-1.0.1.tgz", + "integrity": "sha512-Ot1rcwRAaRHNKC9tAqoqNZhjdYBzKk1POgWfhN4uCOE47ebGcLRqXjKkApVDpjifL6u2/55ekkpnFcp+s/OZUw==", "dev": true, "requires": { "@csstools/postcss-progressive-custom-properties": "^1.1.0", @@ -19073,28 +19492,37 @@ } }, "@csstools/postcss-is-pseudo-class": { - "version": "2.0.6", - "resolved": "https://registry.npmjs.org/@csstools/postcss-is-pseudo-class/-/postcss-is-pseudo-class-2.0.6.tgz", - "integrity": "sha512-Oqs396oenuyyMdRXOstxXbxei8fYEgToYjmlYHEi5gk0QLk7xQ72LY7NDr7waWAAmdVzRqPpbE26Q7/cUrGu4Q==", + "version": "2.0.7", + "resolved": "https://registry.npmjs.org/@csstools/postcss-is-pseudo-class/-/postcss-is-pseudo-class-2.0.7.tgz", + "integrity": "sha512-7JPeVVZHd+jxYdULl87lvjgvWldYu+Bc62s9vD/ED6/QTGjy0jy0US/f6BG53sVMTBJ1lzKZFpYmofBN9eaRiA==", "dev": true, "requires": { "@csstools/selector-specificity": "^2.0.0", "postcss-selector-parser": "^6.0.10" } }, - "@csstools/postcss-normalize-display-values": { + "@csstools/postcss-nested-calc": { "version": "1.0.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-normalize-display-values/-/postcss-normalize-display-values-1.0.0.tgz", - "integrity": "sha512-bX+nx5V8XTJEmGtpWTO6kywdS725t71YSLlxWt78XoHUbELWgoCXeOFymRJmL3SU1TLlKSIi7v52EWqe60vJTQ==", + "resolved": "https://registry.npmjs.org/@csstools/postcss-nested-calc/-/postcss-nested-calc-1.0.0.tgz", + "integrity": "sha512-JCsQsw1wjYwv1bJmgjKSoZNvf7R6+wuHDAbi5f/7MbFhl2d/+v+TvBTU4BJH3G1X1H87dHl0mh6TfYogbT/dJQ==", + "dev": true, + "requires": { + "postcss-value-parser": "^4.2.0" + } + }, + "@csstools/postcss-normalize-display-values": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@csstools/postcss-normalize-display-values/-/postcss-normalize-display-values-1.0.1.tgz", + "integrity": "sha512-jcOanIbv55OFKQ3sYeFD/T0Ti7AMXc9nM1hZWu8m/2722gOTxFg7xYu4RDLJLeZmPUVQlGzo4jhzvTUq3x4ZUw==", "dev": true, "requires": { "postcss-value-parser": "^4.2.0" } }, "@csstools/postcss-oklab-function": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-oklab-function/-/postcss-oklab-function-1.1.0.tgz", - "integrity": "sha512-e/Q5HopQzmnQgqimG9v3w2IG4VRABsBq3itOcn4bnm+j4enTgQZ0nWsaH/m9GV2otWGQ0nwccYL5vmLKyvP1ww==", + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/@csstools/postcss-oklab-function/-/postcss-oklab-function-1.1.1.tgz", + "integrity": "sha512-nJpJgsdA3dA9y5pgyb/UfEzE7W5Ka7u0CX0/HIMVBNWzWemdcTH3XwANECU6anWv/ao4vVNLTMxhiPNZsTK6iA==", "dev": true, "requires": { "@csstools/postcss-progressive-custom-properties": "^1.1.0", @@ -19111,25 +19539,43 @@ } }, "@csstools/postcss-stepped-value-functions": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@csstools/postcss-stepped-value-functions/-/postcss-stepped-value-functions-1.0.1.tgz", + "integrity": "sha512-dz0LNoo3ijpTOQqEJLY8nyaapl6umbmDcgj4AD0lgVQ572b2eqA1iGZYTTWhrcrHztWDDRAX2DGYyw2VBjvCvQ==", + "dev": true, + "requires": { + "postcss-value-parser": "^4.2.0" + } + }, + "@csstools/postcss-text-decoration-shorthand": { "version": "1.0.0", - "resolved": "https://registry.npmjs.org/@csstools/postcss-stepped-value-functions/-/postcss-stepped-value-functions-1.0.0.tgz", - "integrity": "sha512-q8c4bs1GumAiRenmFjASBcWSLKrbzHzWl6C2HcaAxAXIiL2rUlUWbqQZUjwVG5tied0rld19j/Mm90K3qI26vw==", + "resolved": "https://registry.npmjs.org/@csstools/postcss-text-decoration-shorthand/-/postcss-text-decoration-shorthand-1.0.0.tgz", + "integrity": "sha512-c1XwKJ2eMIWrzQenN0XbcfzckOLLJiczqy+YvfGmzoVXd7pT9FfObiSEfzs84bpE/VqfpEuAZ9tCRbZkZxxbdw==", + "dev": true, + "requires": { + "postcss-value-parser": "^4.2.0" + } + }, + "@csstools/postcss-trigonometric-functions": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/@csstools/postcss-trigonometric-functions/-/postcss-trigonometric-functions-1.0.2.tgz", + "integrity": "sha512-woKaLO///4bb+zZC2s80l+7cm07M7268MsyG3M0ActXXEFi6SuhvriQYcb58iiKGbjwwIU7n45iRLEHypB47Og==", "dev": true, "requires": { "postcss-value-parser": "^4.2.0" } }, "@csstools/postcss-unset-value": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/@csstools/postcss-unset-value/-/postcss-unset-value-1.0.1.tgz", - "integrity": "sha512-f1G1WGDXEU/RN1TWAxBPQgQudtLnLQPyiWdtypkPC+mVYNKFKH/HYXSxH4MVNqwF8M0eDsoiU7HumJHCg/L/jg==", + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/@csstools/postcss-unset-value/-/postcss-unset-value-1.0.2.tgz", + "integrity": "sha512-c8J4roPBILnelAsdLr4XOAR/GsTm0GJi4XpcfvoWk3U6KiTCqiFYc63KhRMQQX35jYMp4Ao8Ij9+IZRgMfJp1g==", "dev": true, "requires": {} }, "@csstools/selector-specificity": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/@csstools/selector-specificity/-/selector-specificity-2.0.1.tgz", - "integrity": "sha512-aG20vknL4/YjQF9BSV7ts4EWm/yrjagAN7OWBNmlbEOUiu0llj4OGrFoOKK3g2vey4/p2omKCoHrWtPxSwV3HA==", + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/@csstools/selector-specificity/-/selector-specificity-2.0.2.tgz", + "integrity": "sha512-IkpVW/ehM1hWKln4fCA3NzJU8KwD+kIOvPZA4cqxoJHtE21CCzjyp+Kxbu0i5I4tBNOlXPL9mjwnWlL0VEG4Fg==", "dev": true, "requires": {} }, @@ -19162,98 +19608,30 @@ "tough-cookie": "~2.5.0", "tunnel-agent": "^0.6.0", "uuid": "^8.3.2" + }, + "dependencies": { + "uuid": { + "version": "8.3.2", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "optional": true + } } }, "@cypress/schematic": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/@cypress/schematic/-/schematic-2.0.0.tgz", - "integrity": "sha512-cKIyL1Gm/EU+eXTwYpxgFLdToVIpJwJHvUW+MVYpnoacfvPUU3UhgJsicPihw6e0hR0j/WImBkaIEqjH1MZK4Q==", + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/@cypress/schematic/-/schematic-2.1.1.tgz", + "integrity": "sha512-Kf4QeNk8IVx3tdybls+xq8CbqsZwqR9dZjE3ELZhfG2rZeId9SSG6F2GpR4Xly5ROkX0BuQVeuIFNSkDxWAtPg==", "optional": true, "requires": { - "@angular-devkit/architect": "^0.1202.10", - "@angular-devkit/core": "^12.2.17", - "@angular-devkit/schematics": "^12.2.17", - "@schematics/angular": "^12.2.17", + "@angular-devkit/architect": "^0.1402.1", + "@angular-devkit/core": "^14.2.1", + "@angular-devkit/schematics": "^14.2.1", + "@schematics/angular": "^14.2.1", "jsonc-parser": "^3.0.0", "rxjs": "~6.6.0" }, "dependencies": { - "@angular-devkit/architect": { - "version": "0.1202.17", - "resolved": "https://registry.npmjs.org/@angular-devkit/architect/-/architect-0.1202.17.tgz", - "integrity": "sha512-uUQcHcLbPvr9adALQSLU1MTDduVUR2kZAHi2e7SmL9ioel84pPVXBoD0WpSBeUMKwPiDs3TQDaxDB49hl0nBSQ==", - "optional": true, - "requires": { - "@angular-devkit/core": "12.2.17", - "rxjs": "6.6.7" - } - }, - "@angular-devkit/core": { - "version": "12.2.17", - "resolved": "https://registry.npmjs.org/@angular-devkit/core/-/core-12.2.17.tgz", - "integrity": "sha512-PyOY7LGUPPd6rakxUYbfQN6zAdOCMCouVp5tERY1WTdMdEiuULOtHsPee8kNbh75pD59KbJNU+fwozPRMuIm5g==", - "optional": true, - "requires": { - "ajv": "8.6.2", - "ajv-formats": "2.1.0", - "fast-json-stable-stringify": "2.1.0", - "magic-string": "0.25.7", - "rxjs": "6.6.7", - "source-map": "0.7.3" - } - }, - "@angular-devkit/schematics": { - "version": "12.2.17", - "resolved": "https://registry.npmjs.org/@angular-devkit/schematics/-/schematics-12.2.17.tgz", - "integrity": "sha512-c0eNu/nx1Mnu7KcZgYTYHP736H4Y9pSyLBSmLAHYZv3t3m0dIPbhifRcLQX7hHQ8fGT2ZFxmOpaQG5/DcIghSw==", - "optional": true, - "requires": { - "@angular-devkit/core": "12.2.17", - "ora": "5.4.1", - "rxjs": "6.6.7" - } - }, - "@schematics/angular": { - "version": "12.2.17", - "resolved": "https://registry.npmjs.org/@schematics/angular/-/angular-12.2.17.tgz", - "integrity": "sha512-HM/4KkQu944KL5ebhIyy1Ot5OV6prHNW7kmGeMVeQefLSbbfMQCHLa1psB9UU9BoahwGhUBvleLylNSitOBCgg==", - "optional": true, - "requires": { - "@angular-devkit/core": "12.2.17", - "@angular-devkit/schematics": "12.2.17", - "jsonc-parser": "3.0.0" - } - }, - "ajv": { - "version": "8.6.2", - "resolved": "https://registry.npmjs.org/ajv/-/ajv-8.6.2.tgz", - "integrity": "sha512-9807RlWAgT564wT+DjeyU5OFMPjmzxVobvDFmNAhY+5zD6A2ly3jDp6sgnfyDtlIQ+7H97oc/DGCzzfu9rjw9w==", - "optional": true, - "requires": { - "fast-deep-equal": "^3.1.1", - "json-schema-traverse": "^1.0.0", - "require-from-string": "^2.0.2", - "uri-js": "^4.2.2" - } - }, - "ajv-formats": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/ajv-formats/-/ajv-formats-2.1.0.tgz", - "integrity": "sha512-USH2jBb+C/hIpwD2iRjp0pe0k+MvzG0mlSn/FIdCgQhUb9ALPRjt2KIQdfZDS9r0ZIeUAg7gOu9KL0PFqGqr5Q==", - "optional": true, - "requires": { - "ajv": "^8.0.0" - } - }, - "magic-string": { - "version": "0.25.7", - "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.25.7.tgz", - "integrity": "sha512-4CrMT5DOHTDk4HYDlzmwu4FVCcIYI8gauveasrdCu2IKIFOJ3f0v/8MDGJCDL9oD2ppz/Av1b0Nj345H9M+XIA==", - "optional": true, - "requires": { - "sourcemap-codec": "^1.4.4" - } - }, "rxjs": { "version": "6.6.7", "resolved": "https://registry.npmjs.org/rxjs/-/rxjs-6.6.7.tgz", @@ -19298,6 +19676,13 @@ "integrity": "sha512-dBVuXR082gk3jsFp7Rd/JI4kytwGHecnCoTtXFb7DB6CNHp4rg5k1bhg0nWdLGLnOV71lmDzGQaLMy8iPLY0pw==", "dev": true }, + "@esbuild/linux-loong64": { + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/@esbuild/linux-loong64/-/linux-loong64-0.15.5.tgz", + "integrity": "sha512-UHkDFCfSGTuXq08oQltXxSZmH1TXyWsL+4QhZDWvvLl6mEJQqk3u7/wq1LjhrrAXYIllaTtRSzUXl4Olkf2J8A==", + "dev": true, + "optional": true + }, "@gar/promisify": { "version": "1.1.3", "resolved": "https://registry.npmjs.org/@gar/promisify/-/promisify-1.1.3.tgz", @@ -19339,16 +19724,16 @@ "dev": true }, "@jest/console": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/@jest/console/-/console-28.1.1.tgz", - "integrity": "sha512-0RiUocPVFEm3WRMOStIHbRWllG6iW6E3/gUPnf4lkrVFyXIIDeCe+vlKeYyFOMhB2EPE6FLFCNADSOOQMaqvyA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/console/-/console-28.1.3.tgz", + "integrity": "sha512-QPAkP5EwKdK/bxIr6C1I4Vs0rm2nHiANzj/Z5X2JQkrZo6IqvC4ldZ9K95tF0HdidhA8Bo6egxSzUFPYKcEXLw==", "dev": true, "requires": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@types/node": "*", "chalk": "^4.0.0", - "jest-message-util": "^28.1.1", - "jest-util": "^28.1.1", + "jest-message-util": "^28.1.3", + "jest-util": "^28.1.3", "slash": "^3.0.0" }, "dependencies": { @@ -19410,37 +19795,37 @@ } }, "@jest/core": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/core/-/core-28.1.2.tgz", - "integrity": "sha512-Xo4E+Sb/nZODMGOPt2G3cMmCBqL4/W2Ijwr7/mrXlq4jdJwcFQ/9KrrJZT2adQRk2otVBXXOz1GRQ4Z5iOgvRQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/core/-/core-28.1.3.tgz", + "integrity": "sha512-CIKBrlaKOzA7YG19BEqCw3SLIsEwjZkeJzf5bdooVnW4bH5cktqe3JX+G2YV1aK5vP8N9na1IGWFzYaTp6k6NA==", "dev": true, "requires": { - "@jest/console": "^28.1.1", - "@jest/reporters": "^28.1.2", - "@jest/test-result": "^28.1.1", - "@jest/transform": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/console": "^28.1.3", + "@jest/reporters": "^28.1.3", + "@jest/test-result": "^28.1.3", + "@jest/transform": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", "ansi-escapes": "^4.2.1", "chalk": "^4.0.0", "ci-info": "^3.2.0", "exit": "^0.1.2", "graceful-fs": "^4.2.9", - "jest-changed-files": "^28.0.2", - "jest-config": "^28.1.2", - "jest-haste-map": "^28.1.1", - "jest-message-util": "^28.1.1", + "jest-changed-files": "^28.1.3", + "jest-config": "^28.1.3", + "jest-haste-map": "^28.1.3", + "jest-message-util": "^28.1.3", "jest-regex-util": "^28.0.2", - "jest-resolve": "^28.1.1", - "jest-resolve-dependencies": "^28.1.2", - "jest-runner": "^28.1.2", - "jest-runtime": "^28.1.2", - "jest-snapshot": "^28.1.2", - "jest-util": "^28.1.1", - "jest-validate": "^28.1.1", - "jest-watcher": "^28.1.1", + "jest-resolve": "^28.1.3", + "jest-resolve-dependencies": "^28.1.3", + "jest-runner": "^28.1.3", + "jest-runtime": "^28.1.3", + "jest-snapshot": "^28.1.3", + "jest-util": "^28.1.3", + "jest-validate": "^28.1.3", + "jest-watcher": "^28.1.3", "micromatch": "^4.0.4", - "pretty-format": "^28.1.1", + "pretty-format": "^28.1.3", "rimraf": "^3.0.0", "slash": "^3.0.0", "strip-ansi": "^6.0.0" @@ -19504,72 +19889,72 @@ } }, "@jest/environment": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/environment/-/environment-28.1.2.tgz", - "integrity": "sha512-I0CR1RUMmOzd0tRpz10oUfaChBWs+/Hrvn5xYhMEF/ZqrDaaeHwS8yDBqEWCrEnkH2g+WE/6g90oBv3nKpcm8Q==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/environment/-/environment-28.1.3.tgz", + "integrity": "sha512-1bf40cMFTEkKyEf585R9Iz1WayDjHoHqvts0XFYEqyKM3cFWDpeMoqKKTAF9LSYQModPUlh8FKptoM2YcMWAXA==", "dev": true, "requires": { - "@jest/fake-timers": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/fake-timers": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", - "jest-mock": "^28.1.1" + "jest-mock": "^28.1.3" } }, "@jest/expect": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/expect/-/expect-28.1.2.tgz", - "integrity": "sha512-HBzyZBeFBiOelNbBKN0pilWbbrGvwDUwAqMC46NVJmWm8AVkuE58NbG1s7DR4cxFt4U5cVLxofAoHxgvC5MyOw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/expect/-/expect-28.1.3.tgz", + "integrity": "sha512-lzc8CpUbSoE4dqT0U+g1qODQjBRHPpCPXissXD4mS9+sWQdmmpeJ9zSH1rS1HEkrsMN0fb7nKrJ9giAR1d3wBw==", "dev": true, "requires": { - "expect": "^28.1.1", - "jest-snapshot": "^28.1.2" + "expect": "^28.1.3", + "jest-snapshot": "^28.1.3" } }, "@jest/expect-utils": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/@jest/expect-utils/-/expect-utils-28.1.1.tgz", - "integrity": "sha512-n/ghlvdhCdMI/hTcnn4qV57kQuV9OTsZzH1TTCVARANKhl6hXJqLKUkwX69ftMGpsbpt96SsDD8n8LD2d9+FRw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/expect-utils/-/expect-utils-28.1.3.tgz", + "integrity": "sha512-wvbi9LUrHJLn3NlDW6wF2hvIMtd4JUl2QNVrjq+IBSHirgfrR3o9RnVtxzdEGO2n9JyIWwHnLfby5KzqBGg2YA==", "dev": true, "requires": { "jest-get-type": "^28.0.2" } }, "@jest/fake-timers": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-28.1.2.tgz", - "integrity": "sha512-xSYEI7Y0D5FbZN2LsCUj/EKRR1zfQYmGuAUVh6xTqhx7V5JhjgMcK5Pa0iR6WIk0GXiHDe0Ke4A+yERKE9saqg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-28.1.3.tgz", + "integrity": "sha512-D/wOkL2POHv52h+ok5Oj/1gOG9HSywdoPtFsRCUmlCILXNn5eIWmcnd3DIiWlJnpGvQtmajqBP95Ei0EimxfLw==", "dev": true, "requires": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@sinonjs/fake-timers": "^9.1.2", "@types/node": "*", - "jest-message-util": "^28.1.1", - "jest-mock": "^28.1.1", - "jest-util": "^28.1.1" + "jest-message-util": "^28.1.3", + "jest-mock": "^28.1.3", + "jest-util": "^28.1.3" } }, "@jest/globals": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/globals/-/globals-28.1.2.tgz", - "integrity": "sha512-cz0lkJVDOtDaYhvT3Fv2U1B6FtBnV+OpEyJCzTHM1fdoTsU4QNLAt/H4RkiwEUU+dL4g/MFsoTuHeT2pvbo4Hg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/globals/-/globals-28.1.3.tgz", + "integrity": "sha512-XFU4P4phyryCXu1pbcqMO0GSQcYe1IsalYCDzRNyhetyeyxMcIxa11qPNDpVNLeretItNqEmYYQn1UYz/5x1NA==", "dev": true, "requires": { - "@jest/environment": "^28.1.2", - "@jest/expect": "^28.1.2", - "@jest/types": "^28.1.1" + "@jest/environment": "^28.1.3", + "@jest/expect": "^28.1.3", + "@jest/types": "^28.1.3" } }, "@jest/reporters": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/reporters/-/reporters-28.1.2.tgz", - "integrity": "sha512-/whGLhiwAqeCTmQEouSigUZJPVl7sW8V26EiboImL+UyXznnr1a03/YZ2BX8OlFw0n+Zlwu+EZAITZtaeRTxyA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/reporters/-/reporters-28.1.3.tgz", + "integrity": "sha512-JuAy7wkxQZVNU/V6g9xKzCGC5LVXx9FDcABKsSXp5MiKPEE2144a/vXTEDoyzjUpZKfVwp08Wqg5A4WfTMAzjg==", "dev": true, "requires": { "@bcoe/v8-coverage": "^0.2.3", - "@jest/console": "^28.1.1", - "@jest/test-result": "^28.1.1", - "@jest/transform": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/console": "^28.1.3", + "@jest/test-result": "^28.1.3", + "@jest/transform": "^28.1.3", + "@jest/types": "^28.1.3", "@jridgewell/trace-mapping": "^0.3.13", "@types/node": "*", "chalk": "^4.0.0", @@ -19582,9 +19967,9 @@ "istanbul-lib-report": "^3.0.0", "istanbul-lib-source-maps": "^4.0.0", "istanbul-reports": "^3.1.3", - "jest-message-util": "^28.1.1", - "jest-util": "^28.1.1", - "jest-worker": "^28.1.1", + "jest-message-util": "^28.1.3", + "jest-util": "^28.1.3", + "jest-worker": "^28.1.3", "slash": "^3.0.0", "string-length": "^4.0.1", "strip-ansi": "^6.0.0", @@ -19683,12 +20068,12 @@ } }, "@jest/schemas": { - "version": "28.0.2", - "resolved": "https://registry.npmjs.org/@jest/schemas/-/schemas-28.0.2.tgz", - "integrity": "sha512-YVDJZjd4izeTDkij00vHHAymNXQ6WWsdChFRK86qck6Jpr3DCL5W3Is3vslviRlP+bLuMYRLbdp98amMvqudhA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/schemas/-/schemas-28.1.3.tgz", + "integrity": "sha512-/l/VWsdt/aBXgjshLWOFyFt3IVdYypu5y2Wn2rOO1un6nkqIn8SLXzgIMYXFyYsRWDyF5EthmKJMIdJvk08grg==", "dev": true, "requires": { - "@sinclair/typebox": "^0.23.3" + "@sinclair/typebox": "^0.24.1" } }, "@jest/source-map": { @@ -19703,26 +20088,26 @@ } }, "@jest/test-result": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/@jest/test-result/-/test-result-28.1.1.tgz", - "integrity": "sha512-hPmkugBktqL6rRzwWAtp1JtYT4VHwv8OQ+9lE5Gymj6dHzubI/oJHMUpPOt8NrdVWSrz9S7bHjJUmv2ggFoUNQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/test-result/-/test-result-28.1.3.tgz", + "integrity": "sha512-kZAkxnSE+FqE8YjW8gNuoVkkC9I7S1qmenl8sGcDOLropASP+BkcGKwhXoyqQuGOGeYY0y/ixjrd/iERpEXHNg==", "dev": true, "requires": { - "@jest/console": "^28.1.1", - "@jest/types": "^28.1.1", + "@jest/console": "^28.1.3", + "@jest/types": "^28.1.3", "@types/istanbul-lib-coverage": "^2.0.0", "collect-v8-coverage": "^1.0.0" } }, "@jest/test-sequencer": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/@jest/test-sequencer/-/test-sequencer-28.1.1.tgz", - "integrity": "sha512-nuL+dNSVMcWB7OOtgb0EGH5AjO4UBCt68SLP08rwmC+iRhyuJWS9MtZ/MpipxFwKAlHFftbMsydXqWre8B0+XA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/test-sequencer/-/test-sequencer-28.1.3.tgz", + "integrity": "sha512-NIMPEqqa59MWnDi1kvXXpYbqsfQmSJsIbnd85mdVGkiDfQ9WQQTXOLsvISUfonmnBT+w85WEgneCigEEdHDFxw==", "dev": true, "requires": { - "@jest/test-result": "^28.1.1", + "@jest/test-result": "^28.1.3", "graceful-fs": "^4.2.9", - "jest-haste-map": "^28.1.1", + "jest-haste-map": "^28.1.3", "slash": "^3.0.0" }, "dependencies": { @@ -19735,22 +20120,22 @@ } }, "@jest/transform": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/@jest/transform/-/transform-28.1.2.tgz", - "integrity": "sha512-3o+lKF6iweLeJFHBlMJysdaPbpoMmtbHEFsjzSv37HIq/wWt5ijTeO2Yf7MO5yyczCopD507cNwNLeX8Y/CuIg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/transform/-/transform-28.1.3.tgz", + "integrity": "sha512-u5dT5di+oFI6hfcLOHGTAfmUxFRrjK+vnaP0kkVow9Md/M7V/MxqQMOz/VV25UZO8pzeA9PjfTpOu6BDuwSPQA==", "dev": true, "requires": { "@babel/core": "^7.11.6", - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@jridgewell/trace-mapping": "^0.3.13", "babel-plugin-istanbul": "^6.1.1", "chalk": "^4.0.0", "convert-source-map": "^1.4.0", "fast-json-stable-stringify": "^2.0.0", "graceful-fs": "^4.2.9", - "jest-haste-map": "^28.1.1", + "jest-haste-map": "^28.1.3", "jest-regex-util": "^28.0.2", - "jest-util": "^28.1.1", + "jest-util": "^28.1.3", "micromatch": "^4.0.4", "pirates": "^4.0.4", "slash": "^3.0.0", @@ -19815,12 +20200,12 @@ } }, "@jest/types": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/@jest/types/-/types-28.1.1.tgz", - "integrity": "sha512-vRXVqSg1VhDnB8bWcmvLzmg0Bt9CRKVgHPXqYwvWMX3TvAjeO+nRuK6+VdTKCtWOvYlmkF/HqNAL/z+N3B53Kw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/@jest/types/-/types-28.1.3.tgz", + "integrity": "sha512-RyjiyMUZrKz/c+zlMFO1pm70DcIlST8AeWTkoUdZevew44wcNZQHsEVOiCVtgVnlFFD82FPaXycys58cf2muVQ==", "dev": true, "requires": { - "@jest/schemas": "^28.0.2", + "@jest/schemas": "^28.1.3", "@types/istanbul-lib-coverage": "^2.0.0", "@types/istanbul-reports": "^3.0.0", "@types/node": "*", @@ -19889,24 +20274,47 @@ } }, "@jridgewell/resolve-uri": { - "version": "3.0.8", - "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.0.8.tgz", - "integrity": "sha512-YK5G9LaddzGbcucK4c8h5tWFmMPBvRZ/uyWmN1/SbBdIvqGUdWGkJ5BAaccgs6XbzVLsqbPJrBSFwKv3kT9i7w==" + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz", + "integrity": "sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==" }, "@jridgewell/set-array": { "version": "1.1.2", "resolved": "https://registry.npmjs.org/@jridgewell/set-array/-/set-array-1.1.2.tgz", "integrity": "sha512-xnkseuNADM0gt2bs+BvhO0p78Mk762YnZdsuzFV018NoG1Sj1SCQvpSqa7XUaTam5vAGasABV9qXASMKnFMwMw==" }, + "@jridgewell/source-map": { + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/@jridgewell/source-map/-/source-map-0.3.2.tgz", + "integrity": "sha512-m7O9o2uR8k2ObDysZYzdfhb08VuEml5oWGiosa1VdaPZ/A6QyPkAJuwN0Q1lhULOf6B7MtQmHENS743hWtCrgw==", + "dev": true, + "requires": { + "@jridgewell/gen-mapping": "^0.3.0", + "@jridgewell/trace-mapping": "^0.3.9" + }, + "dependencies": { + "@jridgewell/gen-mapping": { + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.2.tgz", + "integrity": "sha512-mh65xKQAzI6iBcFzwv28KVWSmCkdRBWoOh+bYQGW3+6OZvbbN3TqMGo5hqYxQniRcH9F2VZIoJCm4pa3BPDK/A==", + "dev": true, + "requires": { + "@jridgewell/set-array": "^1.0.1", + "@jridgewell/sourcemap-codec": "^1.4.10", + "@jridgewell/trace-mapping": "^0.3.9" + } + } + } + }, "@jridgewell/sourcemap-codec": { "version": "1.4.14", "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz", "integrity": "sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==" }, "@jridgewell/trace-mapping": { - "version": "0.3.14", - "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.14.tgz", - "integrity": "sha512-bJWEfQ9lPTvm3SneWwRFVLzrh6nhjwqw7TUFFBEMzwvg7t7PCDenf2lDwqo4NQXzdpgBXyFgDWnQA+2vkruksQ==", + "version": "0.3.15", + "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.15.tgz", + "integrity": "sha512-oWZNOULl+UbhsgB51uuZzglikfIKSUBO/M9W2OfEjn7cmqoAiCgmv9lyACTUacZwBz0ITnJ2NqjU8Tx0DHL88g==", "requires": { "@jridgewell/resolve-uri": "^3.0.3", "@jridgewell/sourcemap-codec": "^1.4.10" @@ -19919,9 +20327,9 @@ "dev": true }, "@ng-bootstrap/ng-bootstrap": { - "version": "13.0.0-beta.1", - "resolved": "https://registry.npmjs.org/@ng-bootstrap/ng-bootstrap/-/ng-bootstrap-13.0.0-beta.1.tgz", - "integrity": "sha512-kYZIMSPYU0nGdBwT/GMr/W2Upma3mpMmo/E8cl7rMvYJAavrhj1dJ48c6KimVnwHSh9Je2NUuqj5HtIdA5jAWQ==", + "version": "13.0.0", + "resolved": "https://registry.npmjs.org/@ng-bootstrap/ng-bootstrap/-/ng-bootstrap-13.0.0.tgz", + "integrity": "sha512-aumflJ24VVOQ6kIGmpaWmjqfreRsXOCf/l2nOxPO6Y+d7Pit6aZthyjO7F0bRMutv6n+B/ma18GKvhhBcMepUw==", "requires": { "tslib": "^2.3.0" } @@ -19943,9 +20351,9 @@ } }, "@ngtools/webpack": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@ngtools/webpack/-/webpack-14.0.4.tgz", - "integrity": "sha512-83b/gB4Kna2FhIQj82RNZol+6gq+vLv6+4LUFOGSBb4Xha3RVQGJQpGwqEkXRFziwgTODrPWJAnOup5pzKv9wA==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@ngtools/webpack/-/webpack-14.2.4.tgz", + "integrity": "sha512-rmoUTz3FNhQctsmsq1HM7OfoT+pJiI2dhK0u6SqKXkP3OJ+dGW7NHQ5jYR7IATa7wLFe0vDiEr8caxZ5JBAEsQ==", "dev": true, "requires": {} }, @@ -19976,9 +20384,9 @@ } }, "@npmcli/fs": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/@npmcli/fs/-/fs-2.1.0.tgz", - "integrity": "sha512-DmfBvNXGaetMxj9LTp8NAN9vEidXURrf5ZTslQzEAi/6GbW+4yjaLFQc6Tue5cpZ9Frlk4OBo/Snf1Bh/S7qTQ==", + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/@npmcli/fs/-/fs-2.1.2.tgz", + "integrity": "sha512-yOJKRvohFOaLqipNtwYB9WugyZKhC/DZC4VYPmpaCzDBrA8YpK3qHZ8/HGscMnE4GqbkLNuVcCnxkeQEdGt6LQ==", "devOptional": true, "requires": { "@gar/promisify": "^1.1.3", @@ -19986,9 +20394,9 @@ } }, "@npmcli/git": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/@npmcli/git/-/git-3.0.1.tgz", - "integrity": "sha512-UU85F/T+F1oVn3IsB/L6k9zXIMpXBuUBE25QDH0SsURwT6IOBqkC7M16uqo2vVZIyji3X1K4XH9luip7YekH1A==", + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/@npmcli/git/-/git-3.0.2.tgz", + "integrity": "sha512-CAcd08y3DWBJqJDpfuVL0uijlq5oaXaOJEKHKc4wqrjd00gkvTZB+nFuLn+doOOKddaQS9JfqtNoFCO2LCvA3w==", "devOptional": true, "requires": { "@npmcli/promise-spawn": "^3.0.0", @@ -20013,9 +20421,9 @@ } }, "@npmcli/move-file": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/@npmcli/move-file/-/move-file-2.0.0.tgz", - "integrity": "sha512-UR6D5f4KEGWJV6BGPH3Qb2EtgH+t+1XQ1Tt85c7qicN6cezzuHPdZwwAxqZr4JLtnQu0LZsTza/5gmNmSl8XLg==", + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/@npmcli/move-file/-/move-file-2.0.1.tgz", + "integrity": "sha512-mJd2Z5TjYWq/ttPLLGqArdtnC74J6bOzg4rMDnN+p1xTacZ2yPRCk2y0oSWQtygLR9YVQXgOcONrwtnk3JupxQ==", "devOptional": true, "requires": { "mkdirp": "^1.0.4", @@ -20038,31 +20446,32 @@ } }, "@npmcli/run-script": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/@npmcli/run-script/-/run-script-3.0.3.tgz", - "integrity": "sha512-ZXL6qgC5NjwfZJ2nET+ZSLEz/PJgJ/5CU90C2S66dZY4Jw73DasS4ZCXuy/KHWYP0imjJ4VtA+Gebb5BxxKp9Q==", + "version": "4.2.1", + "resolved": "https://registry.npmjs.org/@npmcli/run-script/-/run-script-4.2.1.tgz", + "integrity": "sha512-7dqywvVudPSrRCW5nTHpHgeWnbBtz8cFkOuKrecm6ih+oO9ciydhWt6OF7HlqupRRmB8Q/gECVdB9LMfToJbRg==", "devOptional": true, "requires": { "@npmcli/node-gyp": "^2.0.0", "@npmcli/promise-spawn": "^3.0.0", - "node-gyp": "^8.4.1", - "read-package-json-fast": "^2.0.3" + "node-gyp": "^9.0.0", + "read-package-json-fast": "^2.0.3", + "which": "^2.0.2" } }, "@popperjs/core": { - "version": "2.11.5", - "resolved": "https://registry.npmjs.org/@popperjs/core/-/core-2.11.5.tgz", - "integrity": "sha512-9X2obfABZuDVLCgPK9aX0a/x4jaOEweTTWE2+9sr0Qqqevj2Uv5XorvusThmc9XGYpS9yI+fhh8RTafBtGposw==" + "version": "2.11.6", + "resolved": "https://registry.npmjs.org/@popperjs/core/-/core-2.11.6.tgz", + "integrity": "sha512-50/17A98tWUfQ176raKiOGXuYpLyyVMkxxG6oylzL3BPOlA6ADGdK7EYunSa4I064xerltq9TGXs8HmOk5E+vw==" }, "@schematics/angular": { - "version": "14.0.4", - "resolved": "https://registry.npmjs.org/@schematics/angular/-/angular-14.0.4.tgz", - "integrity": "sha512-2t7B8ZplJzLfrU7SjciaUquaOAWCi6SD954Q1Ej/SZfWlLjs8k1SvlKb+Syzo9TMByMuzdKTrdnmNRHekvMZEQ==", + "version": "14.2.4", + "resolved": "https://registry.npmjs.org/@schematics/angular/-/angular-14.2.4.tgz", + "integrity": "sha512-9n7HyxZvoSR+Ynyvr8oEQ3zy5trSjCQMTF+fZSTCzCBEVHKGxqMyisI6KO4qcGeIQYGXWeBYrMsy9jMQFgK8dQ==", "devOptional": true, "requires": { - "@angular-devkit/core": "14.0.4", - "@angular-devkit/schematics": "14.0.4", - "jsonc-parser": "3.0.0" + "@angular-devkit/core": "14.2.4", + "@angular-devkit/schematics": "14.2.4", + "jsonc-parser": "3.1.0" } }, "@sideway/address": { @@ -20087,9 +20496,9 @@ "dev": true }, "@sinclair/typebox": { - "version": "0.23.5", - "resolved": "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.23.5.tgz", - "integrity": "sha512-AFBVi/iT4g20DHoujvMH1aEDn8fGJh4xsRGCP6d8RpLPMqsNPvW01Jcn0QysXTsg++/xj25NmJsGyH9xug/wKg==", + "version": "0.24.34", + "resolved": "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.24.34.tgz", + "integrity": "sha512-x3ejWKw7rpy30Bvm6U0AQMOHdjqe2E3YJrBHlTxH0KFsp77bBa+MH324nJxtXZFpnTy/JW2h5HPYVm0vG2WPnw==", "dev": true }, "@sinonjs/commons": { @@ -20173,9 +20582,9 @@ } }, "@types/babel__traverse": { - "version": "7.17.1", - "resolved": "https://registry.npmjs.org/@types/babel__traverse/-/babel__traverse-7.17.1.tgz", - "integrity": "sha512-kVzjari1s2YVi77D3w1yuvohV2idweYXMCDzqBiVNN63TcDWrIlTVOYpqVrvbbyOE/IyzBoTKF0fdnLPEORFxA==", + "version": "7.18.1", + "resolved": "https://registry.npmjs.org/@types/babel__traverse/-/babel__traverse-7.18.1.tgz", + "integrity": "sha512-FSdLaZh2UxaMuLp9lixWaHq/golWTRWOnRsAXzDTDSDOQLuZb1nsdCt6pJSPWSEQt2eFZ2YVk3oYhn+1kLMeMA==", "dev": true, "requires": { "@babel/types": "^7.3.0" @@ -20220,9 +20629,9 @@ } }, "@types/eslint": { - "version": "8.4.5", - "resolved": "https://registry.npmjs.org/@types/eslint/-/eslint-8.4.5.tgz", - "integrity": "sha512-dhsC09y1gpJWnK+Ff4SGvCuSnk9DaU0BJZSzOwa6GVSg65XtTugLBITDAAzRU5duGBoXBHpdR/9jHGxJjNflJQ==", + "version": "8.4.6", + "resolved": "https://registry.npmjs.org/@types/eslint/-/eslint-8.4.6.tgz", + "integrity": "sha512-/fqTbjxyFUaYNO7VcW5g+4npmqVACz1bB7RTHYuLj+PRjw9hrCwrUXVQFpChUS0JsyEFvMZ7U/PfmvWgxJhI9g==", "dev": true, "requires": { "@types/estree": "*", @@ -20246,9 +20655,9 @@ "dev": true }, "@types/express": { - "version": "4.17.13", - "resolved": "https://registry.npmjs.org/@types/express/-/express-4.17.13.tgz", - "integrity": "sha512-6bSZTPaTIACxn48l50SR+axgrqm6qXFIxrdAKaG6PaJk3+zuUr35hBlgT7vOmJcum+OEaIBLtHV/qloEAFITeA==", + "version": "4.17.14", + "resolved": "https://registry.npmjs.org/@types/express/-/express-4.17.14.tgz", + "integrity": "sha512-TEbt+vaPFQ+xpxFLFssxUDXj5cWCxZJjIcB7Yg0k0GMHGtgtQgpvx/MUQUeAkNbA9AAGrwkAsoeItdTgS7FMyg==", "dev": true, "requires": { "@types/body-parser": "*", @@ -20258,9 +20667,9 @@ } }, "@types/express-serve-static-core": { - "version": "4.17.29", - "resolved": "https://registry.npmjs.org/@types/express-serve-static-core/-/express-serve-static-core-4.17.29.tgz", - "integrity": "sha512-uMd++6dMKS32EOuw1Uli3e3BPgdLIXmezcfHv7N4c1s3gkhikBplORPpMq3fuWkxncZN1reb16d5n8yhQ80x7Q==", + "version": "4.17.31", + "resolved": "https://registry.npmjs.org/@types/express-serve-static-core/-/express-serve-static-core-4.17.31.tgz", + "integrity": "sha512-DxMhY+NAsTwMMFHBTtJFNp5qiHKJ7TeqOo23zVEM9alT1Ml27Q3xcTH0xwxn7Q0BbMcVEJOs/7aQtUWupUQN3Q==", "dev": true, "requires": { "@types/node": "*", @@ -20311,9 +20720,9 @@ } }, "@types/jest": { - "version": "28.1.4", - "resolved": "https://registry.npmjs.org/@types/jest/-/jest-28.1.4.tgz", - "integrity": "sha512-telv6G5N7zRJiLcI3Rs3o+ipZ28EnE+7EvF0pSrt2pZOMnAVI/f+6/LucDxOvcBcTeTL3JMF744BbVQAVBUQRA==", + "version": "28.1.6", + "resolved": "https://registry.npmjs.org/@types/jest/-/jest-28.1.6.tgz", + "integrity": "sha512-0RbGAFMfcBJKOmqRazM8L98uokwuwD5F8rHrv/ZMbrZBwVOWZUyPG6VFNscjYr/vjM3Vu4fRrCPbOs42AfemaQ==", "dev": true, "requires": { "jest-matcher-utils": "^28.0.0", @@ -20321,14 +20730,31 @@ } }, "@types/jsdom": { - "version": "16.2.14", - "resolved": "https://registry.npmjs.org/@types/jsdom/-/jsdom-16.2.14.tgz", - "integrity": "sha512-6BAy1xXEmMuHeAJ4Fv4yXKwBDTGTOseExKE3OaHiNycdHdZw59KfYzrt0DkDluvwmik1HRt6QS7bImxUmpSy+w==", + "version": "20.0.0", + "resolved": "https://registry.npmjs.org/@types/jsdom/-/jsdom-20.0.0.tgz", + "integrity": "sha512-YfAchFs0yM1QPDrLm2VHe+WHGtqms3NXnXAMolrgrVP6fgBHHXy1ozAbo/dFtPNtZC/m66bPiCTWYmqp1F14gA==", "dev": true, "requires": { "@types/node": "*", - "@types/parse5": "*", - "@types/tough-cookie": "*" + "@types/tough-cookie": "*", + "parse5": "^7.0.0" + }, + "dependencies": { + "entities": { + "version": "4.4.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-4.4.0.tgz", + "integrity": "sha512-oYp7156SP8LkeGD0GF85ad1X9Ai79WtRsZ2gxJqtBuzH+98YUV6jkHEKlZkMbcrjJjIVJNIDP/3WL9wQkoPbWA==", + "dev": true + }, + "parse5": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/parse5/-/parse5-7.0.0.tgz", + "integrity": "sha512-y/t8IXSPWTuRZqXc0ajH/UwDj4mnqLEbSttNbThcFhGrZuOyoyvNBO85PBp2jQa55wY9d07PBNjsK8ZP3K5U6g==", + "dev": true, + "requires": { + "entities": "^4.3.0" + } + } } }, "@types/json-schema": { @@ -20338,15 +20764,15 @@ "dev": true }, "@types/mime": { - "version": "1.3.2", - "resolved": "https://registry.npmjs.org/@types/mime/-/mime-1.3.2.tgz", - "integrity": "sha512-YATxVxgRqNH6nHEIsvg6k2Boc1JHI9ZbH5iWFFv/MTkchz3b1ieGDa5T0a9RznNdI0KhVbdbWSN+KWWrQZRxTw==", + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/@types/mime/-/mime-3.0.1.tgz", + "integrity": "sha512-Y4XFY5VJAuw0FgAqPNd6NNoV44jbq9Bz2L7Rh/J6jLTiHBSBJa9fxqQIvkIld4GsoDOcCbvzOUAbLPsSKKg+uA==", "dev": true }, "@types/node": { - "version": "18.0.0", - "resolved": "https://registry.npmjs.org/@types/node/-/node-18.0.0.tgz", - "integrity": "sha512-cHlGmko4gWLVI27cGJntjs/Sj8th9aYwplmZFwmmgYQQvL5NUsgVJG7OddLvNfLqYS31KFN0s3qlaD9qCaxACA==", + "version": "18.7.23", + "resolved": "https://registry.npmjs.org/@types/node/-/node-18.7.23.tgz", + "integrity": "sha512-DWNcCHolDq0ZKGizjx2DZjR/PqsYwAcYUJmfMWqtVU2MBMG5Mo+xFZrhGId5r/O5HOuMPyQEcM6KUBp5lBZZBg==", "devOptional": true }, "@types/parse-json": { @@ -20362,9 +20788,9 @@ "dev": true }, "@types/prettier": { - "version": "2.6.3", - "resolved": "https://registry.npmjs.org/@types/prettier/-/prettier-2.6.3.tgz", - "integrity": "sha512-ymZk3LEC/fsut+/Q5qejp6R9O1rMxz3XaRHDV6kX8MrGAhOSPqVARbDi+EZvInBpw+BnCX3TD240byVkOfQsHg==", + "version": "2.7.0", + "resolved": "https://registry.npmjs.org/@types/prettier/-/prettier-2.7.0.tgz", + "integrity": "sha512-RI1L7N4JnW5gQw2spvL7Sllfuf1SaHdrZpCHiBlCXjIlufi1SMNnbu2teze3/QE67Fg2tBlH7W+mi4hVNk4p0A==", "dev": true }, "@types/qs": { @@ -20395,12 +20821,12 @@ } }, "@types/serve-static": { - "version": "1.13.10", - "resolved": "https://registry.npmjs.org/@types/serve-static/-/serve-static-1.13.10.tgz", - "integrity": "sha512-nCkHGI4w7ZgAdNkrEu0bv+4xNV/XDqW+DydknebMOQwkpDGx8G+HTlj7R7ABI8i8nKxVw0wtKPi1D+lPOkh4YQ==", + "version": "1.15.0", + "resolved": "https://registry.npmjs.org/@types/serve-static/-/serve-static-1.15.0.tgz", + "integrity": "sha512-z5xyF6uh8CbjAu9760KDKsH2FcDxZ2tFCsA4HIMWE6IkiYMXfVoa+4f9KX+FN0ZLsaMw1WNG2ETLA6N+/YA+cg==", "dev": true, "requires": { - "@types/mime": "^1", + "@types/mime": "*", "@types/node": "*" } }, @@ -20447,9 +20873,9 @@ } }, "@types/yargs": { - "version": "17.0.10", - "resolved": "https://registry.npmjs.org/@types/yargs/-/yargs-17.0.10.tgz", - "integrity": "sha512-gmEaFwpj/7f/ROdtIlci1R1VYU1J4j95m8T+Tj3iBgiBFKg1foE/PSl93bBd5T9LDXNPo8UlNN6W0qwD8O5OaA==", + "version": "17.0.12", + "resolved": "https://registry.npmjs.org/@types/yargs/-/yargs-17.0.12.tgz", + "integrity": "sha512-Nz4MPhecOFArtm81gFQvQqdV7XYCrWKx5uUt6GNHredFHn1i2mtWqXTON7EPXMtNi1qjtjEM/VCHDhcHsAMLXQ==", "dev": true, "requires": { "@types/yargs-parser": "*" @@ -20657,9 +21083,9 @@ } }, "acorn": { - "version": "8.7.1", - "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.7.1.tgz", - "integrity": "sha512-Xx54uLJQZ19lKygFXOWsscKUbsBZW0CPykPhVQdhIeIwrbPmJzqeASDInc8nKBnp/JT6igTs82qPXz069H8I/A==", + "version": "8.8.0", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.8.0.tgz", + "integrity": "sha512-QOxyigPVrpZ2GXT+PFyZTl6TtOFc5egxHIP9IlQ+RbupQuX4RkT/Bee4/kQuC02Xkzg84JcT7oLYtDIQxp+v7w==", "dev": true }, "acorn-globals": { @@ -20777,9 +21203,9 @@ } }, "ansi-colors": { - "version": "4.1.1", - "resolved": "https://registry.npmjs.org/ansi-colors/-/ansi-colors-4.1.1.tgz", - "integrity": "sha512-JoX0apGbHaUJBNl6yF+p6JAFYZ666/hhCGKN5t9QFjbJQKUU/g8MNbFDbvfrgKXvI1QpZplPOnwIo99lX/AAmA==", + "version": "4.1.3", + "resolved": "https://registry.npmjs.org/ansi-colors/-/ansi-colors-4.1.3.tgz", + "integrity": "sha512-/6w/C21Pm1A7aZitlI5Ni/2J6FFQN8i1Cvz3kHABAAbw93v/NlvKdVOqz7CCWz/3iv/JplRSEEZ83XION15ovw==", "devOptional": true }, "ansi-escapes": { @@ -20820,9 +21246,9 @@ } }, "app-root-path": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/app-root-path/-/app-root-path-3.0.0.tgz", - "integrity": "sha512-qMcx+Gy2UZynHjOHOIXPNvpf+9cjvk3cWrBBK7zg4gH9+clobJRb9NGzcT7mQTcV/6Gm/1WelUtqxVXnNlrwcw==", + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/app-root-path/-/app-root-path-3.1.0.tgz", + "integrity": "sha512-biN3PwB2gUtjaYy/isrU3aNWI5w+fAfvHkSvCKeQGxhmYpwKFUxudR3Yya+KqVRHBmEDYh+/lTozYCFbmzX4nA==", "dev": true }, "aproba": { @@ -20838,9 +21264,9 @@ "optional": true }, "are-we-there-yet": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/are-we-there-yet/-/are-we-there-yet-3.0.0.tgz", - "integrity": "sha512-0GWpv50YSOcLXaN6/FAKY3vfRbllXWV2xvfA/oKJF8pzFhWXPV+yjhJXDBbjscDYowv7Yw1A3uigpzn5iEGTyw==", + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/are-we-there-yet/-/are-we-there-yet-3.0.1.tgz", + "integrity": "sha512-QZW4EDmGwlYur0Yyf/b2uGucHQMa8aFUP7eu9ddR73vvhFyt4V0Vl3QHPcTNJ8l6qYOBdxgXdnBXQrHilfRQBg==", "devOptional": true, "requires": { "delegates": "^1.0.0", @@ -20886,12 +21312,6 @@ "integrity": "sha512-hNfzcOV8W4NdualtqBFPyVO+54DSJuZGY9qT4pRroB6S9e3iiido2ISIC5h9R2sPJ8H3FHCIiEnsv1lPXO3KtQ==", "dev": true }, - "array-union": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/array-union/-/array-union-3.0.1.tgz", - "integrity": "sha512-1OvF9IbWwaeiM9VhzYXVQacMibxpXOMYVNIvMtKRyX9SImBXpKcFr8XvFDeEslCyuH/t6KRt7HEO94AlP8Iatw==", - "dev": true - }, "asn1": { "version": "0.2.6", "resolved": "https://registry.npmjs.org/asn1/-/asn1-0.2.6.tgz", @@ -20937,20 +21357,14 @@ "integrity": "sha512-+q/t7Ekv1EDY2l6Gda6LLiX14rU9TV20Wa3ofeQmwPFZbOMo9DXrLbOjFaaclkXKWidIaopwAObQDqwWtGUjqg==", "optional": true }, - "atob": { - "version": "2.1.2", - "resolved": "https://registry.npmjs.org/atob/-/atob-2.1.2.tgz", - "integrity": "sha512-Wm6ukoaOGJi/73p/cl2GvLjTI5JM1k/O14isD73YML8StrH/7/lRFgmg8nICZgD3bZZvjwCGxtMOD3wWNAu8cg==", - "dev": true - }, "autoprefixer": { - "version": "10.4.7", - "resolved": "https://registry.npmjs.org/autoprefixer/-/autoprefixer-10.4.7.tgz", - "integrity": "sha512-ypHju4Y2Oav95SipEcCcI5J7CGPuvz8oat7sUtYj3ClK44bldfvtvcxK6IEK++7rqB7YchDGzweZIBG+SD0ZAA==", + "version": "10.4.8", + "resolved": "https://registry.npmjs.org/autoprefixer/-/autoprefixer-10.4.8.tgz", + "integrity": "sha512-75Jr6Q/XpTqEf6D2ltS5uMewJIx5irCU1oBYJrWjFenq/m12WRRrz6g15L1EIoYvPLXTbEry7rDOwrcYNj77xw==", "dev": true, "requires": { - "browserslist": "^4.20.3", - "caniuse-lite": "^1.0.30001335", + "browserslist": "^4.21.3", + "caniuse-lite": "^1.0.30001373", "fraction.js": "^4.2.0", "normalize-range": "^0.1.2", "picocolors": "^1.0.0", @@ -20988,15 +21402,15 @@ } }, "babel-jest": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/babel-jest/-/babel-jest-28.1.2.tgz", - "integrity": "sha512-pfmoo6sh4L/+5/G2OOfQrGJgvH7fTa1oChnuYH2G/6gA+JwDvO8PELwvwnofKBMNrQsam0Wy/Rw+QSrBNewq2Q==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/babel-jest/-/babel-jest-28.1.3.tgz", + "integrity": "sha512-epUaPOEWMk3cWX0M/sPvCHHCe9fMFAa/9hXEgKP8nFfNl/jlGkE9ucq9NqkZGXLDduCJYS0UvSlPUwC0S+rH6Q==", "dev": true, "requires": { - "@jest/transform": "^28.1.2", + "@jest/transform": "^28.1.3", "@types/babel__core": "^7.1.14", "babel-plugin-istanbul": "^6.1.1", - "babel-preset-jest": "^28.1.1", + "babel-preset-jest": "^28.1.3", "chalk": "^4.0.0", "graceful-fs": "^4.2.9", "slash": "^3.0.0" @@ -21107,9 +21521,9 @@ } }, "babel-plugin-jest-hoist": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-28.1.1.tgz", - "integrity": "sha512-NovGCy5Hn25uMJSAU8FaHqzs13cFoOI4lhIujiepssjCKRsAo3TA734RDWSGxuFTsUJXerYOqQQodlxgmtqbzw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-28.1.3.tgz", + "integrity": "sha512-Ys3tUKAmfnkRUpPdpa98eYrAR0nV+sSFUZZEGuQ2EbFd1y4SOLtD5QDNHAq+bb9a+bbXvYQC4b+ID/THIMcU6Q==", "dev": true, "requires": { "@babel/template": "^7.3.3", @@ -21119,13 +21533,13 @@ } }, "babel-plugin-polyfill-corejs2": { - "version": "0.3.1", - "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.3.1.tgz", - "integrity": "sha512-v7/T6EQcNfVLfcN2X8Lulb7DjprieyLWJK/zOWH5DUYcAgex9sP3h25Q+DLsX9TloXe3y1O8l2q2Jv9q8UVB9w==", + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.3.2.tgz", + "integrity": "sha512-LPnodUl3lS0/4wN3Rb+m+UK8s7lj2jcLRrjho4gLw+OJs+I4bvGXshINesY5xx/apM+biTnQ9reDI8yj+0M5+Q==", "dev": true, "requires": { - "@babel/compat-data": "^7.13.11", - "@babel/helper-define-polyfill-provider": "^0.3.1", + "@babel/compat-data": "^7.17.7", + "@babel/helper-define-polyfill-provider": "^0.3.2", "semver": "^6.1.1" }, "dependencies": { @@ -21138,22 +21552,22 @@ } }, "babel-plugin-polyfill-corejs3": { - "version": "0.5.2", - "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.5.2.tgz", - "integrity": "sha512-G3uJih0XWiID451fpeFaYGVuxHEjzKTHtc9uGFEjR6hHrvNzeS/PX+LLLcetJcytsB5m4j+K3o/EpXJNb/5IEQ==", + "version": "0.5.3", + "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.5.3.tgz", + "integrity": "sha512-zKsXDh0XjnrUEW0mxIHLfjBfnXSMr5Q/goMe/fxpQnLm07mcOZiIZHBNWCMx60HmdvjxfXcalac0tfFg0wqxyw==", "dev": true, "requires": { - "@babel/helper-define-polyfill-provider": "^0.3.1", + "@babel/helper-define-polyfill-provider": "^0.3.2", "core-js-compat": "^3.21.0" } }, "babel-plugin-polyfill-regenerator": { - "version": "0.3.1", - "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-regenerator/-/babel-plugin-polyfill-regenerator-0.3.1.tgz", - "integrity": "sha512-Y2B06tvgHYt1x0yz17jGkGeeMr5FeKUu+ASJ+N6nB5lQ8Dapfg42i0OVrf8PNGJ3zKL4A23snMi1IRwrqqND7A==", + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-regenerator/-/babel-plugin-polyfill-regenerator-0.4.0.tgz", + "integrity": "sha512-RW1cnryiADFeHmfLS+WW/G431p1PsW5qdRdz0SDRi7TKcUgc7Oh/uXkT7MZ/+tGsT1BkczEAmD5XjUyJ5SWDTw==", "dev": true, "requires": { - "@babel/helper-define-polyfill-provider": "^0.3.1" + "@babel/helper-define-polyfill-provider": "^0.3.2" } }, "babel-preset-current-node-syntax": { @@ -21177,12 +21591,12 @@ } }, "babel-preset-jest": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/babel-preset-jest/-/babel-preset-jest-28.1.1.tgz", - "integrity": "sha512-FCq9Oud0ReTeWtcneYf/48981aTfXYuB9gbU4rBNNJVBSQ6ssv7E6v/qvbBxtOWwZFXjLZwpg+W3q7J6vhH25g==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/babel-preset-jest/-/babel-preset-jest-28.1.3.tgz", + "integrity": "sha512-L+fupJvlWAHbQfn74coNX3zf60LXMJsezNvvx8eIh7iOR1luJ1poxYgQk1F8PYtNq/6QODDHCqsSnTFSWC491A==", "dev": true, "requires": { - "babel-plugin-jest-hoist": "^28.1.1", + "babel-plugin-jest-hoist": "^28.1.3", "babel-preset-current-node-syntax": "^1.0.0" } }, @@ -21305,9 +21719,9 @@ } }, "bonjour-service": { - "version": "1.0.13", - "resolved": "https://registry.npmjs.org/bonjour-service/-/bonjour-service-1.0.13.tgz", - "integrity": "sha512-LWKRU/7EqDUC9CTAQtuZl5HzBALoCYwtLhffW3et7vZMwv3bWLpJf8bRYlMD5OCcDpTfnPgNCV4yo9ZIaJGMiA==", + "version": "1.0.14", + "resolved": "https://registry.npmjs.org/bonjour-service/-/bonjour-service-1.0.14.tgz", + "integrity": "sha512-HIMbgLnk1Vqvs6B4Wq5ep7mxvj9sGz5d1JJyDNSGNIdA/w2MCz6GTjWTdjqOJV1bEPj+6IkxDvWNFKEBxNt4kQ==", "dev": true, "requires": { "array-flatten": "^2.1.2", @@ -21323,9 +21737,9 @@ "dev": true }, "bootstrap": { - "version": "5.1.3", - "resolved": "https://registry.npmjs.org/bootstrap/-/bootstrap-5.1.3.tgz", - "integrity": "sha512-fcQztozJ8jToQWXxVuEyXWW+dSo8AiXWKwiSSrKWsRB/Qt+Ewwza+JWoLKiTuQLaEPhdNAJ7+Dosc9DOIqNy7Q==", + "version": "5.2.1", + "resolved": "https://registry.npmjs.org/bootstrap/-/bootstrap-5.2.1.tgz", + "integrity": "sha512-UQi3v2NpVPEi1n35dmRRzBJFlgvWHYwyem6yHhuT6afYF+sziEt46McRbT//kVXZ7b1YUYEVGdXEH74Nx3xzGA==", "requires": {} }, "brace-expansion": { @@ -21351,14 +21765,14 @@ "dev": true }, "browserslist": { - "version": "4.21.1", - "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.21.1.tgz", - "integrity": "sha512-Nq8MFCSrnJXSc88yliwlzQe3qNe3VntIjhsArW9IJOEPSHNx23FalwApUVbzAWABLhYJJ7y8AynWI/XM8OdfjQ==", + "version": "4.21.3", + "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.21.3.tgz", + "integrity": "sha512-898rgRXLAyRkM1GryrrBHGkqA5hlpkV5MhtZwg9QXeiyLUYs2k00Un05aX5l2/yJIOObYKOpS2JNo8nJDE7fWQ==", "requires": { - "caniuse-lite": "^1.0.30001359", - "electron-to-chromium": "^1.4.172", - "node-releases": "^2.0.5", - "update-browserslist-db": "^1.0.4" + "caniuse-lite": "^1.0.30001370", + "electron-to-chromium": "^1.4.202", + "node-releases": "^2.0.6", + "update-browserslist-db": "^1.0.5" } }, "bs-logger": { @@ -21423,9 +21837,9 @@ "dev": true }, "cacache": { - "version": "16.0.7", - "resolved": "https://registry.npmjs.org/cacache/-/cacache-16.0.7.tgz", - "integrity": "sha512-a4zfQpp5vm4Ipdvbj+ZrPonikRhm6WBEd4zT1Yc1DXsmAxrPgDwWBLF/u/wTVXSFPIgOJ1U3ghSa2Xm4s3h28w==", + "version": "16.1.2", + "resolved": "https://registry.npmjs.org/cacache/-/cacache-16.1.2.tgz", + "integrity": "sha512-Xx+xPlfCZIUHagysjjOAje9nRo8pRDczQCcXb4J2O0BLtH+xeVue6ba4y1kfJfQMAnM2mkcoMIAyOctlaRGWYA==", "devOptional": true, "requires": { "@npmcli/fs": "^2.1.0", @@ -21477,9 +21891,9 @@ "dev": true }, "caniuse-lite": { - "version": "1.0.30001361", - "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001361.tgz", - "integrity": "sha512-ybhCrjNtkFji1/Wto6SSJKkWk6kZgVQsDq5QI83SafsF6FXv2JB4df9eEdH6g8sdGgqTXrFLjAxqBGgYoU3azQ==" + "version": "1.0.30001388", + "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001388.tgz", + "integrity": "sha512-znVbq4OUjqgLxMxoNX2ZeeLR0d7lcDiE5uJ4eUiWdml1J1EkxbnQq6opT9jb9SMfJxB0XA16/ziHwni4u1I3GQ==" }, "caseless": { "version": "0.12.0", @@ -21570,9 +21984,9 @@ } }, "cli-spinners": { - "version": "2.6.1", - "resolved": "https://registry.npmjs.org/cli-spinners/-/cli-spinners-2.6.1.tgz", - "integrity": "sha512-x/5fWmGMnbKQAaNwN+UZlV79qBLM9JFnJuJ03gIi5whrob0xV0ofNVHy9DhwGdsMJQc2OKv0oGmLzvaqvAVv+g==", + "version": "2.7.0", + "resolved": "https://registry.npmjs.org/cli-spinners/-/cli-spinners-2.7.0.tgz", + "integrity": "sha512-qu3pN8Y3qHNgE2AFweciB1IfMnmZ/fsNTEE+NOFjmGB2F/7rLhnhzppvpCnN4FovtP26k8lHyy9ptEbNwWFLzw==", "devOptional": true }, "cli-table3": { @@ -21805,13 +22219,13 @@ "devOptional": true }, "concurrently": { - "version": "7.2.2", - "resolved": "https://registry.npmjs.org/concurrently/-/concurrently-7.2.2.tgz", - "integrity": "sha512-DcQkI0ruil5BA/g7Xy3EWySGrFJovF5RYAYxwGvv9Jf9q9B1v3jPFP2tl6axExNf1qgF30kjoNYrangZ0ey4Aw==", + "version": "7.4.0", + "resolved": "https://registry.npmjs.org/concurrently/-/concurrently-7.4.0.tgz", + "integrity": "sha512-M6AfrueDt/GEna/Vg9BqQ+93yuvzkSKmoTixnwEJkH0LlcGrRC2eCmjeG1tLLHIYfpYJABokqSGyMcXjm96AFA==", "dev": true, "requires": { "chalk": "^4.1.0", - "date-fns": "^2.16.1", + "date-fns": "^2.29.1", "lodash": "^4.17.21", "rxjs": "^7.0.0", "shell-quote": "^1.7.3", @@ -21884,9 +22298,9 @@ } }, "connect-history-api-fallback": { - "version": "1.6.0", - "resolved": "https://registry.npmjs.org/connect-history-api-fallback/-/connect-history-api-fallback-1.6.0.tgz", - "integrity": "sha512-e54B99q/OUoH64zYYRf3HBP5z24G38h5D3qXu23JGRoigpX5Ss4r9ZnDk3g0Z8uQC2x2lPaJ+UlWBc1ZWBWdLg==", + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/connect-history-api-fallback/-/connect-history-api-fallback-2.0.0.tgz", + "integrity": "sha512-U73+6lQFmfiNPrYbXqr6kZ1i1wiRqXnp2nhMsINseWXO8lDau0LGEffJ8kQi4EjLZympVgRdvqjAgiZ1tgzDDA==", "dev": true }, "console-control-strings": { @@ -21948,14 +22362,14 @@ } }, "copy-webpack-plugin": { - "version": "10.2.4", - "resolved": "https://registry.npmjs.org/copy-webpack-plugin/-/copy-webpack-plugin-10.2.4.tgz", - "integrity": "sha512-xFVltahqlsRcyyJqQbDY6EYTtyQZF9rf+JPjwHObLdPFMEISqkFkr7mFoVOC6BfYS/dNThyoQKvziugm+OnwBg==", + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/copy-webpack-plugin/-/copy-webpack-plugin-11.0.0.tgz", + "integrity": "sha512-fX2MWpamkW0hZxMEg0+mYnA40LTosOSa5TqZ9GYIBzyJa9C3QUaMPSE2xAi/buNr8u89SfD9wHSQVBzrRa/SOQ==", "dev": true, "requires": { - "fast-glob": "^3.2.7", + "fast-glob": "^3.2.11", "glob-parent": "^6.0.1", - "globby": "^12.0.2", + "globby": "^13.1.1", "normalize-path": "^3.0.0", "schema-utils": "^4.0.0", "serialize-javascript": "^6.0.0" @@ -21985,12 +22399,12 @@ } }, "core-js-compat": { - "version": "3.23.3", - "resolved": "https://registry.npmjs.org/core-js-compat/-/core-js-compat-3.23.3.tgz", - "integrity": "sha512-WSzUs2h2vvmKsacLHNTdpyOC9k43AEhcGoFlVgCY4L7aw98oSBKtPL6vD0/TqZjRWRQYdDSLkzZIni4Crbbiqw==", + "version": "3.25.0", + "resolved": "https://registry.npmjs.org/core-js-compat/-/core-js-compat-3.25.0.tgz", + "integrity": "sha512-extKQM0g8/3GjFx9US12FAgx8KJawB7RCQ5y8ipYLbmfzEzmFRWdDjIlxDx82g7ygcNG85qMVUSRyABouELdow==", "dev": true, "requires": { - "browserslist": "^4.21.0", + "browserslist": "^4.21.3", "semver": "7.0.0" }, "dependencies": { @@ -22103,25 +22517,6 @@ "which": "^2.0.1" } }, - "css": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/css/-/css-3.0.0.tgz", - "integrity": "sha512-DG9pFfwOrzc+hawpmqX/dHYHJG+Bsdb0klhyi1sDneOgGOXy9wQIC8hzyVp1e4NRYDBdxcylvywPkkXCHAzTyQ==", - "dev": true, - "requires": { - "inherits": "^2.0.4", - "source-map": "^0.6.1", - "source-map-resolve": "^0.6.0" - }, - "dependencies": { - "source-map": { - "version": "0.6.1", - "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", - "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", - "dev": true - } - } - }, "css-blank-pseudo": { "version": "3.0.3", "resolved": "https://registry.npmjs.org/css-blank-pseudo/-/css-blank-pseudo-3.0.3.tgz", @@ -22202,9 +22597,9 @@ } }, "cssdb": { - "version": "6.6.3", - "resolved": "https://registry.npmjs.org/cssdb/-/cssdb-6.6.3.tgz", - "integrity": "sha512-7GDvDSmE+20+WcSMhP17Q1EVWUrLlbxxpMDqG731n8P99JhnQZHR9YvtjPvEHfjFUjvQJvdpKCjlKOX+xe4UVA==", + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/cssdb/-/cssdb-7.0.1.tgz", + "integrity": "sha512-pT3nzyGM78poCKLAEy2zWIVX2hikq6dIrjuZzLV98MumBg+xMTNYfHx7paUlfiRTgg91O/vR889CIf+qiv79Rw==", "dev": true }, "cssesc": { @@ -22237,9 +22632,9 @@ } }, "cypress": { - "version": "10.3.0", - "resolved": "https://registry.npmjs.org/cypress/-/cypress-10.3.0.tgz", - "integrity": "sha512-txkQWKzvBVnWdCuKs5Xc08gjpO89W2Dom2wpZgT9zWZT5jXxqPIxqP/NC1YArtkpmp3fN5HW8aDjYBizHLUFvg==", + "version": "10.9.0", + "resolved": "https://registry.npmjs.org/cypress/-/cypress-10.9.0.tgz", + "integrity": "sha512-MjIWrRpc+bQM9U4kSSdATZWZ2hUqHGFEQTF7dfeZRa4MnalMtc88FIE49USWP2ZVtfy5WPBcgfBX+YorFqGElA==", "optional": true, "requires": { "@cypress/request": "^2.88.10", @@ -22261,7 +22656,7 @@ "dayjs": "^1.10.4", "debug": "^4.3.2", "enquirer": "^2.3.6", - "eventemitter2": "^6.4.3", + "eventemitter2": "6.4.7", "execa": "4.1.0", "executable": "^4.1.1", "extract-zip": "2.0.1", @@ -22287,9 +22682,9 @@ }, "dependencies": { "@types/node": { - "version": "14.18.21", - "resolved": "https://registry.npmjs.org/@types/node/-/node-14.18.21.tgz", - "integrity": "sha512-x5W9s+8P4XteaxT/jKF0PSb7XEvo5VmqEWgsMlyeY4ZlLK8I6aH6g5TPPyDlLAep+GYf4kefb7HFyc7PAO3m+Q==", + "version": "14.18.26", + "resolved": "https://registry.npmjs.org/@types/node/-/node-14.18.26.tgz", + "integrity": "sha512-0b+utRBSYj8L7XAp0d+DX7lI4cSmowNaaTkk6/1SKzbKkG+doLuPusB9EOvzLJ8ahJSk03bTLIL6cWaEd4dBKA==", "optional": true }, "ansi-styles": { @@ -22384,30 +22779,18 @@ "abab": "^2.0.6", "whatwg-mimetype": "^3.0.0", "whatwg-url": "^11.0.0" - }, - "dependencies": { - "whatwg-url": { - "version": "11.0.0", - "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-11.0.0.tgz", - "integrity": "sha512-RKT8HExMpoYx4igMiVMY83lN6UeITKJlBQ+vR/8ZJ8OCdSiN3RwCq+9gH0+Xzj0+5IrM6i4j/6LuvzbZIQgEcQ==", - "dev": true, - "requires": { - "tr46": "^3.0.0", - "webidl-conversions": "^7.0.0" - } - } } }, "date-fns": { - "version": "2.28.0", - "resolved": "https://registry.npmjs.org/date-fns/-/date-fns-2.28.0.tgz", - "integrity": "sha512-8d35hViGYx/QH0icHYCeLmsLmMUheMmTyV9Fcm6gvNwdw31yXXH+O85sOBJ+OLnLQMKZowvpKb6FgMIQjcpvQw==", + "version": "2.29.2", + "resolved": "https://registry.npmjs.org/date-fns/-/date-fns-2.29.2.tgz", + "integrity": "sha512-0VNbwmWJDS/G3ySwFSJA3ayhbURMTJLtwM2DTxf9CWondCnh6DTNlO9JgRSq6ibf4eD0lfMJNBxUdEAHHix+bA==", "dev": true }, "dayjs": { - "version": "1.11.3", - "resolved": "https://registry.npmjs.org/dayjs/-/dayjs-1.11.3.tgz", - "integrity": "sha512-xxwlswWOlGhzgQ4TKzASQkUhqERI3egRNqgV4ScR8wlANA/A9tZ7miXa44vTTKEq5l7vWoL5G57bG3zA+Kow0A==", + "version": "1.11.5", + "resolved": "https://registry.npmjs.org/dayjs/-/dayjs-1.11.5.tgz", + "integrity": "sha512-CAdX5Q3YW3Gclyo5Vpqkgpj8fSdLQcRuzfX6mC6Phy0nfJ0eGYOeS7m4mt2plDWLAtA4TqTakvbboHvUxfe4iA==", "optional": true }, "debug": { @@ -22419,15 +22802,9 @@ } }, "decimal.js": { - "version": "10.3.1", - "resolved": "https://registry.npmjs.org/decimal.js/-/decimal.js-10.3.1.tgz", - "integrity": "sha512-V0pfhfr8suzyPGOx3nmq4aHqabehUZn6Ch9kyFpV79TGDTWFmHqUqXdabR7QHqxzrYolF4+tVmJhUG4OURg5dQ==", - "dev": true - }, - "decode-uri-component": { - "version": "0.2.0", - "resolved": "https://registry.npmjs.org/decode-uri-component/-/decode-uri-component-0.2.0.tgz", - "integrity": "sha512-hjf+xovcEn31w/EUYdTXQh/8smFL/dzYjohQGEIgjyNavaJfBY2p5F527Bo1VPATxv0VYTUC2bOcXvqFwk78Og==", + "version": "10.4.0", + "resolved": "https://registry.npmjs.org/decimal.js/-/decimal.js-10.4.0.tgz", + "integrity": "sha512-Nv6ENEzyPQ6AItkGwLE2PGKinZZ9g59vSh2BeH6NqPu0OTKZ5ruJsVqh/orbAnqXc9pBbgXAIrc2EyaCj8NpGg==", "dev": true }, "dedent": { @@ -22625,6 +23002,11 @@ "domelementtype": "^2.2.0" } }, + "dommatrix": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/dommatrix/-/dommatrix-1.0.3.tgz", + "integrity": "sha512-l32Xp/TLgWb8ReqbVJAFIvXmY7go4nTxxlWiAFyhoQw9RKEOHBZNnyGvJWqDVSPmq3Y9HlM4npqF/T6VMOXhww==" + }, "domutils": { "version": "2.8.0", "resolved": "https://registry.npmjs.org/domutils/-/domutils-2.8.0.tgz", @@ -22653,9 +23035,9 @@ "dev": true }, "electron-to-chromium": { - "version": "1.4.176", - "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.176.tgz", - "integrity": "sha512-92JdgyRlcNDwuy75MjuFSb3clt6DGJ2IXSpg0MCjKd3JV9eSmuUAIyWiGAp/EtT0z2D4rqbYqThQLV90maH3Zw==" + "version": "1.4.240", + "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.240.tgz", + "integrity": "sha512-r20dUOtZ4vUPTqAajDGonIM1uas5tf85Up+wPdtNBNvBSqGCfkpvMVvQ1T8YJzPV9/Y9g3FbUDcXb94Rafycow==" }, "emittery": { "version": "0.10.2", @@ -22772,177 +23154,178 @@ "dev": true }, "esbuild": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild/-/esbuild-0.14.38.tgz", - "integrity": "sha512-12fzJ0fsm7gVZX1YQ1InkOE5f9Tl7cgf6JPYXRJtPIoE0zkWAbHdPHVPPaLi9tYAcEBqheGzqLn/3RdTOyBfcA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild/-/esbuild-0.15.5.tgz", + "integrity": "sha512-VSf6S1QVqvxfIsSKb3UKr3VhUCis7wgDbtF4Vd9z84UJr05/Sp2fRKmzC+CSPG/dNAPPJZ0BTBLTT1Fhd6N9Gg==", "dev": true, "optional": true, "requires": { - "esbuild-android-64": "0.14.38", - "esbuild-android-arm64": "0.14.38", - "esbuild-darwin-64": "0.14.38", - "esbuild-darwin-arm64": "0.14.38", - "esbuild-freebsd-64": "0.14.38", - "esbuild-freebsd-arm64": "0.14.38", - "esbuild-linux-32": "0.14.38", - "esbuild-linux-64": "0.14.38", - "esbuild-linux-arm": "0.14.38", - "esbuild-linux-arm64": "0.14.38", - "esbuild-linux-mips64le": "0.14.38", - "esbuild-linux-ppc64le": "0.14.38", - "esbuild-linux-riscv64": "0.14.38", - "esbuild-linux-s390x": "0.14.38", - "esbuild-netbsd-64": "0.14.38", - "esbuild-openbsd-64": "0.14.38", - "esbuild-sunos-64": "0.14.38", - "esbuild-windows-32": "0.14.38", - "esbuild-windows-64": "0.14.38", - "esbuild-windows-arm64": "0.14.38" + "@esbuild/linux-loong64": "0.15.5", + "esbuild-android-64": "0.15.5", + "esbuild-android-arm64": "0.15.5", + "esbuild-darwin-64": "0.15.5", + "esbuild-darwin-arm64": "0.15.5", + "esbuild-freebsd-64": "0.15.5", + "esbuild-freebsd-arm64": "0.15.5", + "esbuild-linux-32": "0.15.5", + "esbuild-linux-64": "0.15.5", + "esbuild-linux-arm": "0.15.5", + "esbuild-linux-arm64": "0.15.5", + "esbuild-linux-mips64le": "0.15.5", + "esbuild-linux-ppc64le": "0.15.5", + "esbuild-linux-riscv64": "0.15.5", + "esbuild-linux-s390x": "0.15.5", + "esbuild-netbsd-64": "0.15.5", + "esbuild-openbsd-64": "0.15.5", + "esbuild-sunos-64": "0.15.5", + "esbuild-windows-32": "0.15.5", + "esbuild-windows-64": "0.15.5", + "esbuild-windows-arm64": "0.15.5" } }, "esbuild-android-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-android-64/-/esbuild-android-64-0.14.38.tgz", - "integrity": "sha512-aRFxR3scRKkbmNuGAK+Gee3+yFxkTJO/cx83Dkyzo4CnQl/2zVSurtG6+G86EQIZ+w+VYngVyK7P3HyTBKu3nw==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-android-64/-/esbuild-android-64-0.15.5.tgz", + "integrity": "sha512-dYPPkiGNskvZqmIK29OPxolyY3tp+c47+Fsc2WYSOVjEPWNCHNyqhtFqQadcXMJDQt8eN0NMDukbyQgFcHquXg==", "dev": true, "optional": true }, "esbuild-android-arm64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-android-arm64/-/esbuild-android-arm64-0.14.38.tgz", - "integrity": "sha512-L2NgQRWuHFI89IIZIlpAcINy9FvBk6xFVZ7xGdOwIm8VyhX1vNCEqUJO3DPSSy945Gzdg98cxtNt8Grv1CsyhA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-android-arm64/-/esbuild-android-arm64-0.15.5.tgz", + "integrity": "sha512-YyEkaQl08ze3cBzI/4Cm1S+rVh8HMOpCdq8B78JLbNFHhzi4NixVN93xDrHZLztlocEYqi45rHHCgA8kZFidFg==", "dev": true, "optional": true }, "esbuild-darwin-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-darwin-64/-/esbuild-darwin-64-0.14.38.tgz", - "integrity": "sha512-5JJvgXkX87Pd1Og0u/NJuO7TSqAikAcQQ74gyJ87bqWRVeouky84ICoV4sN6VV53aTW+NE87qLdGY4QA2S7KNA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-darwin-64/-/esbuild-darwin-64-0.15.5.tgz", + "integrity": "sha512-Cr0iIqnWKx3ZTvDUAzG0H/u9dWjLE4c2gTtRLz4pqOBGjfjqdcZSfAObFzKTInLLSmD0ZV1I/mshhPoYSBMMCQ==", "dev": true, "optional": true }, "esbuild-darwin-arm64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-darwin-arm64/-/esbuild-darwin-arm64-0.14.38.tgz", - "integrity": "sha512-eqF+OejMI3mC5Dlo9Kdq/Ilbki9sQBw3QlHW3wjLmsLh+quNfHmGMp3Ly1eWm981iGBMdbtSS9+LRvR2T8B3eQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-darwin-arm64/-/esbuild-darwin-arm64-0.15.5.tgz", + "integrity": "sha512-WIfQkocGtFrz7vCu44ypY5YmiFXpsxvz2xqwe688jFfSVCnUsCn2qkEVDo7gT8EpsLOz1J/OmqjExePL1dr1Kg==", "dev": true, "optional": true }, "esbuild-freebsd-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-freebsd-64/-/esbuild-freebsd-64-0.14.38.tgz", - "integrity": "sha512-epnPbhZUt93xV5cgeY36ZxPXDsQeO55DppzsIgWM8vgiG/Rz+qYDLmh5ts3e+Ln1wA9dQ+nZmVHw+RjaW3I5Ig==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-freebsd-64/-/esbuild-freebsd-64-0.15.5.tgz", + "integrity": "sha512-M5/EfzV2RsMd/wqwR18CELcenZ8+fFxQAAEO7TJKDmP3knhWSbD72ILzrXFMMwshlPAS1ShCZ90jsxkm+8FlaA==", "dev": true, "optional": true }, "esbuild-freebsd-arm64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-freebsd-arm64/-/esbuild-freebsd-arm64-0.14.38.tgz", - "integrity": "sha512-/9icXUYJWherhk+y5fjPI5yNUdFPtXHQlwP7/K/zg8t8lQdHVj20SqU9/udQmeUo5pDFHMYzcEFfJqgOVeKNNQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-freebsd-arm64/-/esbuild-freebsd-arm64-0.15.5.tgz", + "integrity": "sha512-2JQQ5Qs9J0440F/n/aUBNvY6lTo4XP/4lt1TwDfHuo0DY3w5++anw+jTjfouLzbJmFFiwmX7SmUhMnysocx96w==", "dev": true, "optional": true }, "esbuild-linux-32": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-32/-/esbuild-linux-32-0.14.38.tgz", - "integrity": "sha512-QfgfeNHRFvr2XeHFzP8kOZVnal3QvST3A0cgq32ZrHjSMFTdgXhMhmWdKzRXP/PKcfv3e2OW9tT9PpcjNvaq6g==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-32/-/esbuild-linux-32-0.15.5.tgz", + "integrity": "sha512-gO9vNnIN0FTUGjvTFucIXtBSr1Woymmx/aHQtuU+2OllGU6YFLs99960UD4Dib1kFovVgs59MTXwpFdVoSMZoQ==", "dev": true, "optional": true }, "esbuild-linux-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-64/-/esbuild-linux-64-0.14.38.tgz", - "integrity": "sha512-uuZHNmqcs+Bj1qiW9k/HZU3FtIHmYiuxZ/6Aa+/KHb/pFKr7R3aVqvxlAudYI9Fw3St0VCPfv7QBpUITSmBR1Q==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-64/-/esbuild-linux-64-0.15.5.tgz", + "integrity": "sha512-ne0GFdNLsm4veXbTnYAWjbx3shpNKZJUd6XpNbKNUZaNllDZfYQt0/zRqOg0sc7O8GQ+PjSMv9IpIEULXVTVmg==", "dev": true, "optional": true }, "esbuild-linux-arm": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-arm/-/esbuild-linux-arm-0.14.38.tgz", - "integrity": "sha512-FiFvQe8J3VKTDXG01JbvoVRXQ0x6UZwyrU4IaLBZeq39Bsbatd94Fuc3F1RGqPF5RbIWW7RvkVQjn79ejzysnA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-arm/-/esbuild-linux-arm-0.15.5.tgz", + "integrity": "sha512-wvAoHEN+gJ/22gnvhZnS/+2H14HyAxM07m59RSLn3iXrQsdS518jnEWRBnJz3fR6BJa+VUTo0NxYjGaNt7RA7Q==", "dev": true, "optional": true }, "esbuild-linux-arm64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-arm64/-/esbuild-linux-arm64-0.14.38.tgz", - "integrity": "sha512-HlMGZTEsBrXrivr64eZ/EO0NQM8H8DuSENRok9d+Jtvq8hOLzrxfsAT9U94K3KOGk2XgCmkaI2KD8hX7F97lvA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-arm64/-/esbuild-linux-arm64-0.15.5.tgz", + "integrity": "sha512-7EgFyP2zjO065XTfdCxiXVEk+f83RQ1JsryN1X/VSX2li9rnHAt2swRbpoz5Vlrl6qjHrCmq5b6yxD13z6RheA==", "dev": true, "optional": true }, "esbuild-linux-mips64le": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-mips64le/-/esbuild-linux-mips64le-0.14.38.tgz", - "integrity": "sha512-qd1dLf2v7QBiI5wwfil9j0HG/5YMFBAmMVmdeokbNAMbcg49p25t6IlJFXAeLzogv1AvgaXRXvgFNhScYEUXGQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-mips64le/-/esbuild-linux-mips64le-0.15.5.tgz", + "integrity": "sha512-KdnSkHxWrJ6Y40ABu+ipTZeRhFtc8dowGyFsZY5prsmMSr1ZTG9zQawguN4/tunJ0wy3+kD54GaGwdcpwWAvZQ==", "dev": true, "optional": true }, "esbuild-linux-ppc64le": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-ppc64le/-/esbuild-linux-ppc64le-0.14.38.tgz", - "integrity": "sha512-mnbEm7o69gTl60jSuK+nn+pRsRHGtDPfzhrqEUXyCl7CTOCLtWN2bhK8bgsdp6J/2NyS/wHBjs1x8aBWwP2X9Q==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-ppc64le/-/esbuild-linux-ppc64le-0.15.5.tgz", + "integrity": "sha512-QdRHGeZ2ykl5P0KRmfGBZIHmqcwIsUKWmmpZTOq573jRWwmpfRmS7xOhmDHBj9pxv+6qRMH8tLr2fe+ZKQvCYw==", "dev": true, "optional": true }, "esbuild-linux-riscv64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-riscv64/-/esbuild-linux-riscv64-0.14.38.tgz", - "integrity": "sha512-+p6YKYbuV72uikChRk14FSyNJZ4WfYkffj6Af0/Tw63/6TJX6TnIKE+6D3xtEc7DeDth1fjUOEqm+ApKFXbbVQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-riscv64/-/esbuild-linux-riscv64-0.15.5.tgz", + "integrity": "sha512-p+WE6RX+jNILsf+exR29DwgV6B73khEQV0qWUbzxaycxawZ8NE0wA6HnnTxbiw5f4Gx9sJDUBemh9v49lKOORA==", "dev": true, "optional": true }, "esbuild-linux-s390x": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-linux-s390x/-/esbuild-linux-s390x-0.14.38.tgz", - "integrity": "sha512-0zUsiDkGJiMHxBQ7JDU8jbaanUY975CdOW1YDrurjrM0vWHfjv9tLQsW9GSyEb/heSK1L5gaweRjzfUVBFoybQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-linux-s390x/-/esbuild-linux-s390x-0.15.5.tgz", + "integrity": "sha512-J2ngOB4cNzmqLHh6TYMM/ips8aoZIuzxJnDdWutBw5482jGXiOzsPoEF4j2WJ2mGnm7FBCO4StGcwzOgic70JQ==", "dev": true, "optional": true }, "esbuild-netbsd-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-netbsd-64/-/esbuild-netbsd-64-0.14.38.tgz", - "integrity": "sha512-cljBAApVwkpnJZfnRVThpRBGzCi+a+V9Ofb1fVkKhtrPLDYlHLrSYGtmnoTVWDQdU516qYI8+wOgcGZ4XIZh0Q==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-netbsd-64/-/esbuild-netbsd-64-0.15.5.tgz", + "integrity": "sha512-MmKUYGDizYjFia0Rwt8oOgmiFH7zaYlsoQ3tIOfPxOqLssAsEgG0MUdRDm5lliqjiuoog8LyDu9srQk5YwWF3w==", "dev": true, "optional": true }, "esbuild-openbsd-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-openbsd-64/-/esbuild-openbsd-64-0.14.38.tgz", - "integrity": "sha512-CDswYr2PWPGEPpLDUO50mL3WO/07EMjnZDNKpmaxUPsrW+kVM3LoAqr/CE8UbzugpEiflYqJsGPLirThRB18IQ==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-openbsd-64/-/esbuild-openbsd-64-0.15.5.tgz", + "integrity": "sha512-2mMFfkLk3oPWfopA9Plj4hyhqHNuGyp5KQyTT9Rc8hFd8wAn5ZrbJg+gNcLMo2yzf8Uiu0RT6G9B15YN9WQyMA==", "dev": true, "optional": true }, "esbuild-sunos-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-sunos-64/-/esbuild-sunos-64-0.14.38.tgz", - "integrity": "sha512-2mfIoYW58gKcC3bck0j7lD3RZkqYA7MmujFYmSn9l6TiIcAMpuEvqksO+ntBgbLep/eyjpgdplF7b+4T9VJGOA==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-sunos-64/-/esbuild-sunos-64-0.15.5.tgz", + "integrity": "sha512-2sIzhMUfLNoD+rdmV6AacilCHSxZIoGAU2oT7XmJ0lXcZWnCvCtObvO6D4puxX9YRE97GodciRGDLBaiC6x1SA==", "dev": true, "optional": true }, "esbuild-wasm": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-wasm/-/esbuild-wasm-0.14.38.tgz", - "integrity": "sha512-mObTw5/3+KIOTShVgk3fuEn+INnHgOSbWJuGkInEZTWpUOh/+TCSgRxl5cDon4OkoaLU5rWm7R7Dkl/mJv8SGw==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-wasm/-/esbuild-wasm-0.15.5.tgz", + "integrity": "sha512-lTJOEKekN/4JI/eOEq0wLcx53co2N6vaT/XjBz46D1tvIVoUEyM0o2K6txW6gEotf31szFD/J1PbxmnbkGlK9A==", "dev": true }, "esbuild-windows-32": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-windows-32/-/esbuild-windows-32-0.14.38.tgz", - "integrity": "sha512-L2BmEeFZATAvU+FJzJiRLFUP+d9RHN+QXpgaOrs2klshoAm1AE6Us4X6fS9k33Uy5SzScn2TpcgecbqJza1Hjw==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-windows-32/-/esbuild-windows-32-0.15.5.tgz", + "integrity": "sha512-e+duNED9UBop7Vnlap6XKedA/53lIi12xv2ebeNS4gFmu7aKyTrok7DPIZyU5w/ftHD4MUDs5PJUkQPP9xJRzg==", "dev": true, "optional": true }, "esbuild-windows-64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-windows-64/-/esbuild-windows-64-0.14.38.tgz", - "integrity": "sha512-Khy4wVmebnzue8aeSXLC+6clo/hRYeNIm0DyikoEqX+3w3rcvrhzpoix0S+MF9vzh6JFskkIGD7Zx47ODJNyCw==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-windows-64/-/esbuild-windows-64-0.15.5.tgz", + "integrity": "sha512-v+PjvNtSASHOjPDMIai9Yi+aP+Vwox+3WVdg2JB8N9aivJ7lyhp4NVU+J0MV2OkWFPnVO8AE/7xH+72ibUUEnw==", "dev": true, "optional": true }, "esbuild-windows-arm64": { - "version": "0.14.38", - "resolved": "https://registry.npmjs.org/esbuild-windows-arm64/-/esbuild-windows-arm64-0.14.38.tgz", - "integrity": "sha512-k3FGCNmHBkqdJXuJszdWciAH77PukEyDsdIryEHn9cKLQFxzhT39dSumeTuggaQcXY57UlmLGIkklWZo2qzHpw==", + "version": "0.15.5", + "resolved": "https://registry.npmjs.org/esbuild-windows-arm64/-/esbuild-windows-arm64-0.15.5.tgz", + "integrity": "sha512-Yz8w/D8CUPYstvVQujByu6mlf48lKmXkq6bkeSZZxTA626efQOJb26aDGLzmFWx6eg/FwrXgt6SZs9V8Pwy/aA==", "dev": true, "optional": true }, @@ -23042,9 +23425,9 @@ "dev": true }, "eventemitter2": { - "version": "6.4.6", - "resolved": "https://registry.npmjs.org/eventemitter2/-/eventemitter2-6.4.6.tgz", - "integrity": "sha512-OHqo4wbHX5VbvlbB6o6eDwhYmiTjrpWACjF8Pmof/GTD6rdBNdZFNck3xlhqOiQFGCOoq3uzHvA0cQpFHIGVAQ==", + "version": "6.4.7", + "resolved": "https://registry.npmjs.org/eventemitter2/-/eventemitter2-6.4.7.tgz", + "integrity": "sha512-tYUSVOGeQPKt/eC1ABfhHy5Xd96N3oIijJvN3O9+TsC28T5V9yX9oEfEK5faP0EFSNVOG97qtAS68GBrQB2hDg==", "optional": true }, "eventemitter3": { @@ -23092,16 +23475,16 @@ "dev": true }, "expect": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/expect/-/expect-28.1.1.tgz", - "integrity": "sha512-/AANEwGL0tWBwzLNOvO0yUdy2D52jVdNXppOqswC49sxMN2cPWsGCQdzuIf9tj6hHoBQzNvx75JUYuQAckPo3w==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/expect/-/expect-28.1.3.tgz", + "integrity": "sha512-eEh0xn8HlsuOBxFgIss+2mX85VAS4Qy3OSkjV7rlBWljtA4oWH37glVGyOZSZvErDT/yBywZdPGwCXuTvSG85g==", "dev": true, "requires": { - "@jest/expect-utils": "^28.1.1", + "@jest/expect-utils": "^28.1.3", "jest-get-type": "^28.0.2", - "jest-matcher-utils": "^28.1.1", - "jest-message-util": "^28.1.1", - "jest-util": "^28.1.1" + "jest-matcher-utils": "^28.1.3", + "jest-message-util": "^28.1.3", + "jest-util": "^28.1.3" } }, "express": { @@ -23256,7 +23639,7 @@ "version": "2.1.0", "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", - "devOptional": true + "dev": true }, "fast-levenshtein": { "version": "2.0.6", @@ -23537,17 +23920,15 @@ } }, "glob": { - "version": "8.0.1", - "resolved": "https://registry.npmjs.org/glob/-/glob-8.0.1.tgz", - "integrity": "sha512-cF7FYZZ47YzmCu7dDy50xSRRfO3ErRfrXuLZcNIuyiJEco0XSrGtuilG19L5xp3NcwTx7Gn+X6Tv3fmsUPTbow==", - "devOptional": true, + "version": "8.0.3", + "resolved": "https://registry.npmjs.org/glob/-/glob-8.0.3.tgz", + "integrity": "sha512-ull455NHSHI/Y1FqGaaYFaLGkNMMJbavMrEGFXG/PGrg6y7sutWHUHrz6gy6WEBH6akM1M414dWKCNs+IhKdiQ==", "requires": { "fs.realpath": "^1.0.0", "inflight": "^1.0.4", "inherits": "2", "minimatch": "^5.0.1", - "once": "^1.3.0", - "path-is-absolute": "^1.0.0" + "once": "^1.3.0" } }, "glob-parent": { @@ -23587,15 +23968,14 @@ "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==" }, "globby": { - "version": "12.2.0", - "resolved": "https://registry.npmjs.org/globby/-/globby-12.2.0.tgz", - "integrity": "sha512-wiSuFQLZ+urS9x2gGPl1H5drc5twabmm4m2gTR27XDFyjUHJUNsS8o/2aKyIF6IoBaR630atdher0XJ5g6OMmA==", + "version": "13.1.2", + "resolved": "https://registry.npmjs.org/globby/-/globby-13.1.2.tgz", + "integrity": "sha512-LKSDZXToac40u8Q1PQtZihbNdTYSNMuWe+K5l+oa6KgDzSvVrHXlJy40hUP522RjAIoNLJYBJi7ow+rbFpIhHQ==", "dev": true, "requires": { - "array-union": "^3.0.1", "dir-glob": "^3.0.1", - "fast-glob": "^3.2.7", - "ignore": "^5.1.9", + "fast-glob": "^3.2.11", + "ignore": "^5.2.0", "merge2": "^1.4.1", "slash": "^4.0.0" } @@ -23665,9 +24045,9 @@ "dev": true }, "hosted-git-info": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-5.0.0.tgz", - "integrity": "sha512-rRnjWu0Bxj+nIfUOkz0695C0H6tRrN5iYIzYejb0tDEefe2AekHu/U5Kn9pEie5vsJqpNQU02az7TGSH3qpz4Q==", + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-5.1.0.tgz", + "integrity": "sha512-Ek+QmMEqZF8XrbFdwoDjSbm7rT23pCgEMOJmz6GPk/s4yH//RQfNPArhIxbguNxROq/+5lNBwCDHMhA903Kx1Q==", "devOptional": true, "requires": { "lru-cache": "^7.5.1" @@ -24033,9 +24413,9 @@ } }, "ip": { - "version": "1.1.8", - "resolved": "https://registry.npmjs.org/ip/-/ip-1.1.8.tgz", - "integrity": "sha512-PuExPYUiu6qMBQb4l06ecm6T6ujzhmh+MeJcW9wa89PoAz5pvd4zPgN5WJV104mb6S2T1AwNIAaB70JNrLQWhg==", + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ip/-/ip-2.0.0.tgz", + "integrity": "sha512-WKa+XuLG1A1R0UWhl2+1XQSi+fZWMsYKffMZTTYsiZaUD8k2yDAj5atimTUD2TZkyCkNEeYE5NhFZmupOGtjYQ==", "devOptional": true }, "ipaddr.js": { @@ -24068,9 +24448,9 @@ } }, "is-core-module": { - "version": "2.9.0", - "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.9.0.tgz", - "integrity": "sha512-+5FPy5PnwmO3lvfMb0AsoPaBG+5KHUI0wYFXOtYPnVVVspTFUuMZNfNaNVRt3FZadstu2c8x23vykRW/NBoU6A==", + "version": "2.10.0", + "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.10.0.tgz", + "integrity": "sha512-Erxj2n/LDAZ7H8WNJXd9tw38GYM3dv8rk8Zcs+jJuxYTW7sozH+SS8NtrSjVL1/vpLvWi1hxy96IzjJ3EHTJJg==", "devOptional": true, "requires": { "has": "^1.0.3" @@ -24292,9 +24672,9 @@ } }, "istanbul-reports": { - "version": "3.1.4", - "resolved": "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.1.4.tgz", - "integrity": "sha512-r1/DshN4KSE7xWEknZLLLLDn5CJybV3nw01VTkp6D5jzLuELlcbudfj/eSQFvrKsJuTVCGnePO7ho82Nw9zzfw==", + "version": "3.1.5", + "resolved": "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.1.5.tgz", + "integrity": "sha512-nUsEMa9pBt/NOHqbcbeJEgqIlY/K7rVWUX6Lql2orY5e9roQOthbR3vtY4zzf2orPELg80fnxxk9zUyPlgwD1w==", "dev": true, "requires": { "html-escaper": "^2.0.0", @@ -24302,25 +24682,25 @@ } }, "jest": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest/-/jest-28.1.2.tgz", - "integrity": "sha512-Tuf05DwLeCh2cfWCQbcz9UxldoDyiR1E9Igaei5khjonKncYdc6LDfynKCEWozK0oLE3GD+xKAo2u8x/0s6GOg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest/-/jest-28.1.3.tgz", + "integrity": "sha512-N4GT5on8UkZgH0O5LUavMRV1EDEhNTL0KEfRmDIeZHSV7p2XgLoY9t9VDUgL6o+yfdgYHVxuz81G8oB9VG5uyA==", "dev": true, "requires": { - "@jest/core": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/core": "^28.1.3", + "@jest/types": "^28.1.3", "import-local": "^3.0.2", - "jest-cli": "^28.1.2" + "jest-cli": "^28.1.3" } }, "jest-changed-files": { - "version": "28.0.2", - "resolved": "https://registry.npmjs.org/jest-changed-files/-/jest-changed-files-28.0.2.tgz", - "integrity": "sha512-QX9u+5I2s54ZnGoMEjiM2WeBvJR2J7w/8ZUmH2um/WLAuGAYFQcsVXY9+1YL6k0H/AGUdH8pXUAv6erDqEsvIA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-changed-files/-/jest-changed-files-28.1.3.tgz", + "integrity": "sha512-esaOfUWJXk2nfZt9SPyC8gA1kNfdKLkQWyzsMlqq8msYSlNKfmZxfRgZn4Cd4MGVUF+7v6dBs0d5TOAKa7iIiA==", "dev": true, "requires": { "execa": "^5.0.0", - "throat": "^6.0.1" + "p-limit": "^3.1.0" }, "dependencies": { "execa": { @@ -24355,30 +24735,30 @@ } }, "jest-circus": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-circus/-/jest-circus-28.1.2.tgz", - "integrity": "sha512-E2vdPIJG5/69EMpslFhaA46WkcrN74LI5V/cSJ59L7uS8UNoXbzTxmwhpi9XrIL3zqvMt5T0pl5k2l2u2GwBNQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-circus/-/jest-circus-28.1.3.tgz", + "integrity": "sha512-cZ+eS5zc79MBwt+IhQhiEp0OeBddpc1n8MBo1nMB8A7oPMKEO+Sre+wHaLJexQUj9Ya/8NOBY0RESUgYjB6fow==", "dev": true, "requires": { - "@jest/environment": "^28.1.2", - "@jest/expect": "^28.1.2", - "@jest/test-result": "^28.1.1", - "@jest/types": "^28.1.1", + "@jest/environment": "^28.1.3", + "@jest/expect": "^28.1.3", + "@jest/test-result": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", "chalk": "^4.0.0", "co": "^4.6.0", "dedent": "^0.7.0", "is-generator-fn": "^2.0.0", - "jest-each": "^28.1.1", - "jest-matcher-utils": "^28.1.1", - "jest-message-util": "^28.1.1", - "jest-runtime": "^28.1.2", - "jest-snapshot": "^28.1.2", - "jest-util": "^28.1.1", - "pretty-format": "^28.1.1", + "jest-each": "^28.1.3", + "jest-matcher-utils": "^28.1.3", + "jest-message-util": "^28.1.3", + "jest-runtime": "^28.1.3", + "jest-snapshot": "^28.1.3", + "jest-util": "^28.1.3", + "p-limit": "^3.1.0", + "pretty-format": "^28.1.3", "slash": "^3.0.0", - "stack-utils": "^2.0.3", - "throat": "^6.0.1" + "stack-utils": "^2.0.3" }, "dependencies": { "ansi-styles": { @@ -24439,21 +24819,21 @@ } }, "jest-cli": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-cli/-/jest-cli-28.1.2.tgz", - "integrity": "sha512-l6eoi5Do/IJUXAFL9qRmDiFpBeEJAnjJb1dcd9i/VWfVWbp3mJhuH50dNtX67Ali4Ecvt4eBkWb4hXhPHkAZTw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-cli/-/jest-cli-28.1.3.tgz", + "integrity": "sha512-roY3kvrv57Azn1yPgdTebPAXvdR2xfezaKKYzVxZ6It/5NCxzJym6tUI5P1zkdWhfUYkxEI9uZWcQdaFLo8mJQ==", "dev": true, "requires": { - "@jest/core": "^28.1.2", - "@jest/test-result": "^28.1.1", - "@jest/types": "^28.1.1", + "@jest/core": "^28.1.3", + "@jest/test-result": "^28.1.3", + "@jest/types": "^28.1.3", "chalk": "^4.0.0", "exit": "^0.1.2", "graceful-fs": "^4.2.9", "import-local": "^3.0.2", - "jest-config": "^28.1.2", - "jest-util": "^28.1.1", - "jest-validate": "^28.1.1", + "jest-config": "^28.1.3", + "jest-util": "^28.1.3", + "jest-validate": "^28.1.3", "prompts": "^2.0.1", "yargs": "^17.3.1" }, @@ -24510,31 +24890,31 @@ } }, "jest-config": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-config/-/jest-config-28.1.2.tgz", - "integrity": "sha512-g6EfeRqddVbjPVBVY4JWpUY4IvQoFRIZcv4V36QkqzE0IGhEC/VkugFeBMAeUE7PRgC8KJF0yvJNDeQRbamEVA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-config/-/jest-config-28.1.3.tgz", + "integrity": "sha512-MG3INjByJ0J4AsNBm7T3hsuxKQqFIiRo/AUqb1q9LRKI5UU6Aar9JHbr9Ivn1TVwfUD9KirRoM/T6u8XlcQPHQ==", "dev": true, "requires": { "@babel/core": "^7.11.6", - "@jest/test-sequencer": "^28.1.1", - "@jest/types": "^28.1.1", - "babel-jest": "^28.1.2", + "@jest/test-sequencer": "^28.1.3", + "@jest/types": "^28.1.3", + "babel-jest": "^28.1.3", "chalk": "^4.0.0", "ci-info": "^3.2.0", "deepmerge": "^4.2.2", "glob": "^7.1.3", "graceful-fs": "^4.2.9", - "jest-circus": "^28.1.2", - "jest-environment-node": "^28.1.2", + "jest-circus": "^28.1.3", + "jest-environment-node": "^28.1.3", "jest-get-type": "^28.0.2", "jest-regex-util": "^28.0.2", - "jest-resolve": "^28.1.1", - "jest-runner": "^28.1.2", - "jest-util": "^28.1.1", - "jest-validate": "^28.1.1", + "jest-resolve": "^28.1.3", + "jest-runner": "^28.1.3", + "jest-util": "^28.1.3", + "jest-validate": "^28.1.3", "micromatch": "^4.0.4", "parse-json": "^5.2.0", - "pretty-format": "^28.1.1", + "pretty-format": "^28.1.3", "slash": "^3.0.0", "strip-json-comments": "^3.1.1" }, @@ -24630,15 +25010,15 @@ } }, "jest-diff": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-diff/-/jest-diff-28.1.1.tgz", - "integrity": "sha512-/MUUxeR2fHbqHoMMiffe/Afm+U8U4olFRJ0hiVG2lZatPJcnGxx292ustVu7bULhjV65IYMxRdploAKLbcrsyg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-diff/-/jest-diff-28.1.3.tgz", + "integrity": "sha512-8RqP1B/OXzjjTWkqMX67iqgwBVJRgCyKD3L9nq+6ZqJMdvjE8RgHktqZ6jNrkdMT+dJuYNI3rhQpxaz7drJHfw==", "dev": true, "requires": { "chalk": "^4.0.0", "diff-sequences": "^28.1.1", "jest-get-type": "^28.0.2", - "pretty-format": "^28.1.1" + "pretty-format": "^28.1.3" }, "dependencies": { "ansi-styles": { @@ -24702,16 +25082,16 @@ } }, "jest-each": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-each/-/jest-each-28.1.1.tgz", - "integrity": "sha512-A042rqh17ZvEhRceDMi784ppoXR7MWGDEKTXEZXb4svt0eShMZvijGxzKsx+yIjeE8QYmHPrnHiTSQVhN4nqaw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-each/-/jest-each-28.1.3.tgz", + "integrity": "sha512-arT1z4sg2yABU5uogObVPvSlSMQlDA48owx07BDPAiasW0yYpYHYOo4HHLz9q0BVzDVU4hILFjzJw0So9aCL/g==", "dev": true, "requires": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "chalk": "^4.0.0", "jest-get-type": "^28.0.2", - "jest-util": "^28.1.1", - "pretty-format": "^28.1.1" + "jest-util": "^28.1.3", + "pretty-format": "^28.1.3" }, "dependencies": { "ansi-styles": { @@ -24766,33 +25146,200 @@ } }, "jest-environment-jsdom": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-28.1.2.tgz", - "integrity": "sha512-Ujhx/xFZGVPuxAVpseQ7KqdBErenuWH3Io2HujkGOKMS2VWmpnTGYHzv+73p21QJ9yYQlJkeg06rTe1svV+u0g==", + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-29.1.2.tgz", + "integrity": "sha512-D+XNIKia5+uDjSMwL/G1l6N9MCb7LymKI8FpcLo7kkISjc/Sa9w+dXXEa7u1Wijo3f8sVLqfxdGqYtRhmca+Xw==", "dev": true, "requires": { - "@jest/environment": "^28.1.2", - "@jest/fake-timers": "^28.1.2", - "@jest/types": "^28.1.1", - "@types/jsdom": "^16.2.4", + "@jest/environment": "^29.1.2", + "@jest/fake-timers": "^29.1.2", + "@jest/types": "^29.1.2", + "@types/jsdom": "^20.0.0", "@types/node": "*", - "jest-mock": "^28.1.1", - "jest-util": "^28.1.1", - "jsdom": "^19.0.0" + "jest-mock": "^29.1.2", + "jest-util": "^29.1.2", + "jsdom": "^20.0.0" + }, + "dependencies": { + "@jest/environment": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/@jest/environment/-/environment-29.1.2.tgz", + "integrity": "sha512-rG7xZ2UeOfvOVzoLIJ0ZmvPl4tBEQ2n73CZJSlzUjPw4or1oSWC0s0Rk0ZX+pIBJ04aVr6hLWFn1DFtrnf8MhQ==", + "dev": true, + "requires": { + "@jest/fake-timers": "^29.1.2", + "@jest/types": "^29.1.2", + "@types/node": "*", + "jest-mock": "^29.1.2" + } + }, + "@jest/fake-timers": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-29.1.2.tgz", + "integrity": "sha512-GppaEqS+QQYegedxVMpCe2xCXxxeYwQ7RsNx55zc8f+1q1qevkZGKequfTASI7ejmg9WwI+SJCrHe9X11bLL9Q==", + "dev": true, + "requires": { + "@jest/types": "^29.1.2", + "@sinonjs/fake-timers": "^9.1.2", + "@types/node": "*", + "jest-message-util": "^29.1.2", + "jest-mock": "^29.1.2", + "jest-util": "^29.1.2" + } + }, + "@jest/schemas": { + "version": "29.0.0", + "resolved": "https://registry.npmjs.org/@jest/schemas/-/schemas-29.0.0.tgz", + "integrity": "sha512-3Ab5HgYIIAnS0HjqJHQYZS+zXc4tUmTmBH3z83ajI6afXp8X3ZtdLX+nXx+I7LNkJD7uN9LAVhgnjDgZa2z0kA==", + "dev": true, + "requires": { + "@sinclair/typebox": "^0.24.1" + } + }, + "@jest/types": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/@jest/types/-/types-29.1.2.tgz", + "integrity": "sha512-DcXGtoTykQB5jiwCmVr8H4vdg2OJhQex3qPkG+ISyDO7xQXbt/4R6dowcRyPemRnkH7JoHvZuxPBdlq+9JxFCg==", + "dev": true, + "requires": { + "@jest/schemas": "^29.0.0", + "@types/istanbul-lib-coverage": "^2.0.0", + "@types/istanbul-reports": "^3.0.0", + "@types/node": "*", + "@types/yargs": "^17.0.8", + "chalk": "^4.0.0" + } + }, + "ansi-styles": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "dev": true, + "requires": { + "color-convert": "^2.0.1" + } + }, + "chalk": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", + "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", + "dev": true, + "requires": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + } + }, + "color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "dev": true, + "requires": { + "color-name": "~1.1.4" + } + }, + "color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", + "dev": true + }, + "has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "dev": true + }, + "jest-message-util": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-29.1.2.tgz", + "integrity": "sha512-9oJ2Os+Qh6IlxLpmvshVbGUiSkZVc2FK+uGOm6tghafnB2RyjKAxMZhtxThRMxfX1J1SOMhTn9oK3/MutRWQJQ==", + "dev": true, + "requires": { + "@babel/code-frame": "^7.12.13", + "@jest/types": "^29.1.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.9", + "micromatch": "^4.0.4", + "pretty-format": "^29.1.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.3" + } + }, + "jest-mock": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-29.1.2.tgz", + "integrity": "sha512-PFDAdjjWbjPUtQPkQufvniXIS3N9Tv7tbibePEjIIprzjgo0qQlyUiVMrT4vL8FaSJo1QXifQUOuPH3HQC/aMA==", + "dev": true, + "requires": { + "@jest/types": "^29.1.2", + "@types/node": "*", + "jest-util": "^29.1.2" + } + }, + "jest-util": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-29.1.2.tgz", + "integrity": "sha512-vPCk9F353i0Ymx3WQq3+a4lZ07NXu9Ca8wya6o4Fe4/aO1e1awMMprZ3woPFpKwghEOW+UXgd15vVotuNN9ONQ==", + "dev": true, + "requires": { + "@jest/types": "^29.1.2", + "@types/node": "*", + "chalk": "^4.0.0", + "ci-info": "^3.2.0", + "graceful-fs": "^4.2.9", + "picomatch": "^2.2.3" + } + }, + "pretty-format": { + "version": "29.1.2", + "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-29.1.2.tgz", + "integrity": "sha512-CGJ6VVGXVRP2o2Dorl4mAwwvDWT25luIsYhkyVQW32E4nL+TgW939J7LlKT/npq5Cpq6j3s+sy+13yk7xYpBmg==", + "dev": true, + "requires": { + "@jest/schemas": "^29.0.0", + "ansi-styles": "^5.0.0", + "react-is": "^18.0.0" + }, + "dependencies": { + "ansi-styles": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-5.2.0.tgz", + "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", + "dev": true + } + } + }, + "slash": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true + }, + "supports-color": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", + "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", + "dev": true, + "requires": { + "has-flag": "^4.0.0" + } + } } }, "jest-environment-node": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-environment-node/-/jest-environment-node-28.1.2.tgz", - "integrity": "sha512-oYsZz9Qw27XKmOgTtnl0jW7VplJkN2oeof+SwAwKFQacq3CLlG9u4kTGuuLWfvu3J7bVutWlrbEQMOCL/jughw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-environment-node/-/jest-environment-node-28.1.3.tgz", + "integrity": "sha512-ugP6XOhEpjAEhGYvp5Xj989ns5cB1K6ZdjBYuS30umT4CQEETaxSiPcZ/E1kFktX4GkrcM4qu07IIlDYX1gp+A==", "dev": true, "requires": { - "@jest/environment": "^28.1.2", - "@jest/fake-timers": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/environment": "^28.1.3", + "@jest/fake-timers": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", - "jest-mock": "^28.1.1", - "jest-util": "^28.1.1" + "jest-mock": "^28.1.3", + "jest-util": "^28.1.3" } }, "jest-get-type": { @@ -24802,12 +25349,12 @@ "dev": true }, "jest-haste-map": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-haste-map/-/jest-haste-map-28.1.1.tgz", - "integrity": "sha512-ZrRSE2o3Ezh7sb1KmeLEZRZ4mgufbrMwolcFHNRSjKZhpLa8TdooXOOFlSwoUzlbVs1t0l7upVRW2K7RWGHzbQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-haste-map/-/jest-haste-map-28.1.3.tgz", + "integrity": "sha512-3S+RQWDXccXDKSWnkHa/dPwt+2qwA8CJzR61w3FoYCvoo3Pn8tvGcysmMF0Bj0EX5RYvAI2EIvC57OmotfdtKA==", "dev": true, "requires": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@types/graceful-fs": "^4.1.3", "@types/node": "*", "anymatch": "^3.0.3", @@ -24815,32 +25362,32 @@ "fsevents": "^2.3.2", "graceful-fs": "^4.2.9", "jest-regex-util": "^28.0.2", - "jest-util": "^28.1.1", - "jest-worker": "^28.1.1", + "jest-util": "^28.1.3", + "jest-worker": "^28.1.3", "micromatch": "^4.0.4", "walker": "^1.0.8" } }, "jest-leak-detector": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-leak-detector/-/jest-leak-detector-28.1.1.tgz", - "integrity": "sha512-4jvs8V8kLbAaotE+wFR7vfUGf603cwYtFf1/PYEsyX2BAjSzj8hQSVTP6OWzseTl0xL6dyHuKs2JAks7Pfubmw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-leak-detector/-/jest-leak-detector-28.1.3.tgz", + "integrity": "sha512-WFVJhnQsiKtDEo5lG2mM0v40QWnBM+zMdHHyJs8AWZ7J0QZJS59MsyKeJHWhpBZBH32S48FOVvGyOFT1h0DlqA==", "dev": true, "requires": { "jest-get-type": "^28.0.2", - "pretty-format": "^28.1.1" + "pretty-format": "^28.1.3" } }, "jest-matcher-utils": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-28.1.1.tgz", - "integrity": "sha512-NPJPRWrbmR2nAJ+1nmnfcKKzSwgfaciCCrYZzVnNoxVoyusYWIjkBMNvu0RHJe7dNj4hH3uZOPZsQA+xAYWqsw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-28.1.3.tgz", + "integrity": "sha512-kQeJ7qHemKfbzKoGjHHrRKH6atgxMk8Enkk2iPQ3XwO6oE/KYD8lMYOziCkeSB9G4adPM4nR1DE8Tf5JeWH6Bw==", "dev": true, "requires": { "chalk": "^4.0.0", - "jest-diff": "^28.1.1", + "jest-diff": "^28.1.3", "jest-get-type": "^28.0.2", - "pretty-format": "^28.1.1" + "pretty-format": "^28.1.3" }, "dependencies": { "ansi-styles": { @@ -24895,18 +25442,18 @@ } }, "jest-message-util": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-28.1.1.tgz", - "integrity": "sha512-xoDOOT66fLfmTRiqkoLIU7v42mal/SqwDKvfmfiWAdJMSJiU+ozgluO7KbvoAgiwIrrGZsV7viETjc8GNrA/IQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-28.1.3.tgz", + "integrity": "sha512-PFdn9Iewbt575zKPf1286Ht9EPoJmYT7P0kY+RibeYZ2XtOr53pDLEFoTWXbd1h4JiGiWpTBC84fc8xMXQMb7g==", "dev": true, "requires": { "@babel/code-frame": "^7.12.13", - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@types/stack-utils": "^2.0.0", "chalk": "^4.0.0", "graceful-fs": "^4.2.9", "micromatch": "^4.0.4", - "pretty-format": "^28.1.1", + "pretty-format": "^28.1.3", "slash": "^3.0.0", "stack-utils": "^2.0.3" }, @@ -24969,12 +25516,12 @@ } }, "jest-mock": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-28.1.1.tgz", - "integrity": "sha512-bDCb0FjfsmKweAvE09dZT59IMkzgN0fYBH6t5S45NoJfd2DHkS3ySG2K+hucortryhO3fVuXdlxWcbtIuV/Skw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-28.1.3.tgz", + "integrity": "sha512-o3J2jr6dMMWYVH4Lh/NKmDXdosrsJgi4AviS8oXLujcjpCMBb1FMsblDnOXKZKfSiHLxYub1eS0IHuRXsio9eA==", "dev": true, "requires": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@types/node": "*" } }, @@ -24986,9 +25533,9 @@ "requires": {} }, "jest-preset-angular": { - "version": "12.1.0", - "resolved": "https://registry.npmjs.org/jest-preset-angular/-/jest-preset-angular-12.1.0.tgz", - "integrity": "sha512-zOiUvAMqIYkr8yRRO9x2NwVD8rzx0GtDaWxxox5GdgFQ/EEeIMI2Wqf5gfuX0t3Cnrq+K6cJCr181VMrjPkLPA==", + "version": "12.2.2", + "resolved": "https://registry.npmjs.org/jest-preset-angular/-/jest-preset-angular-12.2.2.tgz", + "integrity": "sha512-aj5ZwVW6cGGzZKUn6e/jDwFgQh6FHy1zCCXWOeqFCuM3WODrbdUJ93zKrex18e9K1+PvOcP0e20yKbj3gwhfFg==", "dev": true, "requires": { "bs-logger": "^0.2.6", @@ -24997,6 +25544,118 @@ "jest-environment-jsdom": "^28.0.0", "pretty-format": "^28.0.0", "ts-jest": "^28.0.0" + }, + "dependencies": { + "@types/jsdom": { + "version": "16.2.15", + "resolved": "https://registry.npmjs.org/@types/jsdom/-/jsdom-16.2.15.tgz", + "integrity": "sha512-nwF87yjBKuX/roqGYerZZM0Nv1pZDMAT5YhOHYeM/72Fic+VEqJh4nyoqoapzJnW3pUlfxPY5FhgsJtM+dRnQQ==", + "dev": true, + "requires": { + "@types/node": "*", + "@types/parse5": "^6.0.3", + "@types/tough-cookie": "*" + } + }, + "form-data": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.0.tgz", + "integrity": "sha512-ETEklSGi5t0QMZuiXoA/Q6vcnxcLQP5vdugSpuAyi6SVGi2clPPp+xgEhuMaHC+zGgn31Kd235W35f7Hykkaww==", + "dev": true, + "requires": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "mime-types": "^2.1.12" + } + }, + "jest-environment-jsdom": { + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-28.1.3.tgz", + "integrity": "sha512-HnlGUmZRdxfCByd3GM2F100DgQOajUBzEitjGqIREcb45kGjZvRrKUdlaF6escXBdcXNl0OBh+1ZrfeZT3GnAg==", + "dev": true, + "requires": { + "@jest/environment": "^28.1.3", + "@jest/fake-timers": "^28.1.3", + "@jest/types": "^28.1.3", + "@types/jsdom": "^16.2.4", + "@types/node": "*", + "jest-mock": "^28.1.3", + "jest-util": "^28.1.3", + "jsdom": "^19.0.0" + } + }, + "jsdom": { + "version": "19.0.0", + "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-19.0.0.tgz", + "integrity": "sha512-RYAyjCbxy/vri/CfnjUWJQQtZ3LKlLnDqj+9XLNnJPgEGeirZs3hllKR20re8LUZ6o1b1X4Jat+Qd26zmP41+A==", + "dev": true, + "requires": { + "abab": "^2.0.5", + "acorn": "^8.5.0", + "acorn-globals": "^6.0.0", + "cssom": "^0.5.0", + "cssstyle": "^2.3.0", + "data-urls": "^3.0.1", + "decimal.js": "^10.3.1", + "domexception": "^4.0.0", + "escodegen": "^2.0.0", + "form-data": "^4.0.0", + "html-encoding-sniffer": "^3.0.0", + "http-proxy-agent": "^5.0.0", + "https-proxy-agent": "^5.0.0", + "is-potential-custom-element-name": "^1.0.1", + "nwsapi": "^2.2.0", + "parse5": "6.0.1", + "saxes": "^5.0.1", + "symbol-tree": "^3.2.4", + "tough-cookie": "^4.0.0", + "w3c-hr-time": "^1.0.2", + "w3c-xmlserializer": "^3.0.0", + "webidl-conversions": "^7.0.0", + "whatwg-encoding": "^2.0.0", + "whatwg-mimetype": "^3.0.0", + "whatwg-url": "^10.0.0", + "ws": "^8.2.3", + "xml-name-validator": "^4.0.0" + } + }, + "saxes": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/saxes/-/saxes-5.0.1.tgz", + "integrity": "sha512-5LBh1Tls8c9xgGjw3QrMwETmTMVk0oFgvrFSvWx62llR2hcEInrKNZ2GZCCuuy2lvWrdl5jhbpeqc5hRYKFOcw==", + "dev": true, + "requires": { + "xmlchars": "^2.2.0" + } + }, + "tough-cookie": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.1.2.tgz", + "integrity": "sha512-G9fqXWoYFZgTc2z8Q5zaHy/vJMjm+WV0AkAeHxVCQiEB1b+dGvWzFW6QV07cY5jQ5gRkeid2qIkzkxUnmoQZUQ==", + "dev": true, + "requires": { + "psl": "^1.1.33", + "punycode": "^2.1.1", + "universalify": "^0.2.0", + "url-parse": "^1.5.3" + } + }, + "universalify": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.2.0.tgz", + "integrity": "sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==", + "dev": true + }, + "whatwg-url": { + "version": "10.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-10.0.0.tgz", + "integrity": "sha512-CLxxCmdUby142H5FZzn4D8ikO1cmypvXVQktsgosNy4a4BHrDHeciBBGZhb0bNoR5/MltoCatso+vFjjGx8t0w==", + "dev": true, + "requires": { + "tr46": "^3.0.0", + "webidl-conversions": "^7.0.0" + } + } } }, "jest-regex-util": { @@ -25006,17 +25665,17 @@ "dev": true }, "jest-resolve": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-resolve/-/jest-resolve-28.1.1.tgz", - "integrity": "sha512-/d1UbyUkf9nvsgdBildLe6LAD4DalgkgZcKd0nZ8XUGPyA/7fsnaQIlKVnDiuUXv/IeZhPEDrRJubVSulxrShA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-resolve/-/jest-resolve-28.1.3.tgz", + "integrity": "sha512-Z1W3tTjE6QaNI90qo/BJpfnvpxtaFTFw5CDgwpyE/Kz8U/06N1Hjf4ia9quUhCh39qIGWF1ZuxFiBiJQwSEYKQ==", "dev": true, "requires": { "chalk": "^4.0.0", "graceful-fs": "^4.2.9", - "jest-haste-map": "^28.1.1", + "jest-haste-map": "^28.1.3", "jest-pnp-resolver": "^1.2.2", - "jest-util": "^28.1.1", - "jest-validate": "^28.1.1", + "jest-util": "^28.1.3", + "jest-validate": "^28.1.3", "resolve": "^1.20.0", "resolve.exports": "^1.1.0", "slash": "^3.0.0" @@ -25080,42 +25739,42 @@ } }, "jest-resolve-dependencies": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-resolve-dependencies/-/jest-resolve-dependencies-28.1.2.tgz", - "integrity": "sha512-OXw4vbOZuyRTBi3tapWBqdyodU+T33ww5cPZORuTWkg+Y8lmsxQlVu3MWtJh6NMlKRTHQetF96yGPv01Ye7Mbg==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-resolve-dependencies/-/jest-resolve-dependencies-28.1.3.tgz", + "integrity": "sha512-qa0QO2Q0XzQoNPouMbCc7Bvtsem8eQgVPNkwn9LnS+R2n8DaVDPL/U1gngC0LTl1RYXJU0uJa2BMC2DbTfFrHA==", "dev": true, "requires": { "jest-regex-util": "^28.0.2", - "jest-snapshot": "^28.1.2" + "jest-snapshot": "^28.1.3" } }, "jest-runner": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-runner/-/jest-runner-28.1.2.tgz", - "integrity": "sha512-6/k3DlAsAEr5VcptCMdhtRhOoYClZQmxnVMZvZ/quvPGRpN7OBQYPIC32tWSgOnbgqLXNs5RAniC+nkdFZpD4A==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-runner/-/jest-runner-28.1.3.tgz", + "integrity": "sha512-GkMw4D/0USd62OVO0oEgjn23TM+YJa2U2Wu5zz9xsQB1MxWKDOlrnykPxnMsN0tnJllfLPinHTka61u0QhaxBA==", "dev": true, "requires": { - "@jest/console": "^28.1.1", - "@jest/environment": "^28.1.2", - "@jest/test-result": "^28.1.1", - "@jest/transform": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/console": "^28.1.3", + "@jest/environment": "^28.1.3", + "@jest/test-result": "^28.1.3", + "@jest/transform": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", "chalk": "^4.0.0", "emittery": "^0.10.2", "graceful-fs": "^4.2.9", "jest-docblock": "^28.1.1", - "jest-environment-node": "^28.1.2", - "jest-haste-map": "^28.1.1", - "jest-leak-detector": "^28.1.1", - "jest-message-util": "^28.1.1", - "jest-resolve": "^28.1.1", - "jest-runtime": "^28.1.2", - "jest-util": "^28.1.1", - "jest-watcher": "^28.1.1", - "jest-worker": "^28.1.1", - "source-map-support": "0.5.13", - "throat": "^6.0.1" + "jest-environment-node": "^28.1.3", + "jest-haste-map": "^28.1.3", + "jest-leak-detector": "^28.1.3", + "jest-message-util": "^28.1.3", + "jest-resolve": "^28.1.3", + "jest-runtime": "^28.1.3", + "jest-util": "^28.1.3", + "jest-watcher": "^28.1.3", + "jest-worker": "^28.1.3", + "p-limit": "^3.1.0", + "source-map-support": "0.5.13" }, "dependencies": { "ansi-styles": { @@ -25186,31 +25845,31 @@ } }, "jest-runtime": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-runtime/-/jest-runtime-28.1.2.tgz", - "integrity": "sha512-i4w93OsWzLOeMXSi9epmakb2+3z0AchZtUQVF1hesBmcQQy4vtaql5YdVe9KexdJaVRyPDw8DoBR0j3lYsZVYw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-runtime/-/jest-runtime-28.1.3.tgz", + "integrity": "sha512-NU+881ScBQQLc1JHG5eJGU7Ui3kLKrmwCPPtYsJtBykixrM2OhVQlpMmFWJjMyDfdkGgBMNjXCGB/ebzsgNGQw==", "dev": true, "requires": { - "@jest/environment": "^28.1.2", - "@jest/fake-timers": "^28.1.2", - "@jest/globals": "^28.1.2", + "@jest/environment": "^28.1.3", + "@jest/fake-timers": "^28.1.3", + "@jest/globals": "^28.1.3", "@jest/source-map": "^28.1.2", - "@jest/test-result": "^28.1.1", - "@jest/transform": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/test-result": "^28.1.3", + "@jest/transform": "^28.1.3", + "@jest/types": "^28.1.3", "chalk": "^4.0.0", "cjs-module-lexer": "^1.0.0", "collect-v8-coverage": "^1.0.0", "execa": "^5.0.0", "glob": "^7.1.3", "graceful-fs": "^4.2.9", - "jest-haste-map": "^28.1.1", - "jest-message-util": "^28.1.1", - "jest-mock": "^28.1.1", + "jest-haste-map": "^28.1.3", + "jest-message-util": "^28.1.3", + "jest-mock": "^28.1.3", "jest-regex-util": "^28.0.2", - "jest-resolve": "^28.1.1", - "jest-snapshot": "^28.1.2", - "jest-util": "^28.1.1", + "jest-resolve": "^28.1.3", + "jest-snapshot": "^28.1.3", + "jest-util": "^28.1.3", "slash": "^3.0.0", "strip-bom": "^4.0.0" }, @@ -25335,9 +25994,9 @@ } }, "jest-snapshot": { - "version": "28.1.2", - "resolved": "https://registry.npmjs.org/jest-snapshot/-/jest-snapshot-28.1.2.tgz", - "integrity": "sha512-wzrieFttZYfLvrCVRJxX+jwML2YTArOUqFpCoSVy1QUapx+LlV9uLbV/mMEhYj4t7aMeE9aSQFHSvV/oNoDAMA==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-snapshot/-/jest-snapshot-28.1.3.tgz", + "integrity": "sha512-4lzMgtiNlc3DU/8lZfmqxN3AYD6GGLbl+72rdBpXvcV+whX7mDrREzkPdp2RnmfIiWBg1YbuFSkXduF2JcafJg==", "dev": true, "requires": { "@babel/core": "^7.11.6", @@ -25345,23 +26004,23 @@ "@babel/plugin-syntax-typescript": "^7.7.2", "@babel/traverse": "^7.7.2", "@babel/types": "^7.3.3", - "@jest/expect-utils": "^28.1.1", - "@jest/transform": "^28.1.2", - "@jest/types": "^28.1.1", + "@jest/expect-utils": "^28.1.3", + "@jest/transform": "^28.1.3", + "@jest/types": "^28.1.3", "@types/babel__traverse": "^7.0.6", "@types/prettier": "^2.1.5", "babel-preset-current-node-syntax": "^1.0.0", "chalk": "^4.0.0", - "expect": "^28.1.1", + "expect": "^28.1.3", "graceful-fs": "^4.2.9", - "jest-diff": "^28.1.1", + "jest-diff": "^28.1.3", "jest-get-type": "^28.0.2", - "jest-haste-map": "^28.1.1", - "jest-matcher-utils": "^28.1.1", - "jest-message-util": "^28.1.1", - "jest-util": "^28.1.1", + "jest-haste-map": "^28.1.3", + "jest-matcher-utils": "^28.1.3", + "jest-message-util": "^28.1.3", + "jest-util": "^28.1.3", "natural-compare": "^1.4.0", - "pretty-format": "^28.1.1", + "pretty-format": "^28.1.3", "semver": "^7.3.5" }, "dependencies": { @@ -25417,12 +26076,12 @@ } }, "jest-util": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-28.1.1.tgz", - "integrity": "sha512-FktOu7ca1DZSyhPAxgxB6hfh2+9zMoJ7aEQA759Z6p45NuO8mWcqujH+UdHlCm/V6JTWwDztM2ITCzU1ijJAfw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-28.1.3.tgz", + "integrity": "sha512-XdqfpHwpcSRko/C35uLYFM2emRAltIIKZiJ9eAmhjsj0CqZMa0p1ib0R5fWIqGhn1a103DebTbpqIaP1qCQ6tQ==", "dev": true, "requires": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "@types/node": "*", "chalk": "^4.0.0", "ci-info": "^3.2.0", @@ -25482,17 +26141,17 @@ } }, "jest-validate": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-validate/-/jest-validate-28.1.1.tgz", - "integrity": "sha512-Kpf6gcClqFCIZ4ti5++XemYJWUPCFUW+N2gknn+KgnDf549iLul3cBuKVe1YcWRlaF8tZV8eJCap0eECOEE3Ug==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-validate/-/jest-validate-28.1.3.tgz", + "integrity": "sha512-SZbOGBWEsaTxBGCOpsRWlXlvNkvTkY0XxRfh7zYmvd8uL5Qzyg0CHAXiXKROflh801quA6+/DsT4ODDthOC/OA==", "dev": true, "requires": { - "@jest/types": "^28.1.1", + "@jest/types": "^28.1.3", "camelcase": "^6.2.0", "chalk": "^4.0.0", "jest-get-type": "^28.0.2", "leven": "^3.1.0", - "pretty-format": "^28.1.1" + "pretty-format": "^28.1.3" }, "dependencies": { "ansi-styles": { @@ -25553,18 +26212,18 @@ } }, "jest-watcher": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-watcher/-/jest-watcher-28.1.1.tgz", - "integrity": "sha512-RQIpeZ8EIJMxbQrXpJQYIIlubBnB9imEHsxxE41f54ZwcqWLysL/A0ZcdMirf+XsMn3xfphVQVV4EW0/p7i7Ug==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-watcher/-/jest-watcher-28.1.3.tgz", + "integrity": "sha512-t4qcqj9hze+jviFPUN3YAtAEeFnr/azITXQEMARf5cMwKY2SMBRnCQTXLixTl20OR6mLh9KLMrgVJgJISym+1g==", "dev": true, "requires": { - "@jest/test-result": "^28.1.1", - "@jest/types": "^28.1.1", + "@jest/test-result": "^28.1.3", + "@jest/types": "^28.1.3", "@types/node": "*", "ansi-escapes": "^4.2.1", "chalk": "^4.0.0", "emittery": "^0.10.2", - "jest-util": "^28.1.1", + "jest-util": "^28.1.3", "string-length": "^4.0.1" }, "dependencies": { @@ -25620,9 +26279,9 @@ } }, "jest-worker": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-28.1.1.tgz", - "integrity": "sha512-Au7slXB08C6h+xbJPp7VIb6U0XX5Kc9uel/WFc6/rcTzGiaVCBRngBExSYuXSLFPULPSYU3cJ3ybS988lNFQhQ==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-28.1.3.tgz", + "integrity": "sha512-CqRA220YV/6jCo8VWvAt1KKx6eek1VIHMPeLEbpcfSfkEeWyBNppynM/o6q+Wmw+sOhos2ml34wZbSX3G13//g==", "dev": true, "requires": { "@types/node": "*", @@ -25682,28 +26341,28 @@ "optional": true }, "jsdom": { - "version": "19.0.0", - "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-19.0.0.tgz", - "integrity": "sha512-RYAyjCbxy/vri/CfnjUWJQQtZ3LKlLnDqj+9XLNnJPgEGeirZs3hllKR20re8LUZ6o1b1X4Jat+Qd26zmP41+A==", + "version": "20.0.0", + "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-20.0.0.tgz", + "integrity": "sha512-x4a6CKCgx00uCmP+QakBDFXwjAJ69IkkIWHmtmjd3wvXPcdOS44hfX2vqkOQrVrq8l9DhNNADZRXaCEWvgXtVA==", "dev": true, "requires": { - "abab": "^2.0.5", - "acorn": "^8.5.0", + "abab": "^2.0.6", + "acorn": "^8.7.1", "acorn-globals": "^6.0.0", "cssom": "^0.5.0", "cssstyle": "^2.3.0", - "data-urls": "^3.0.1", + "data-urls": "^3.0.2", "decimal.js": "^10.3.1", "domexception": "^4.0.0", "escodegen": "^2.0.0", "form-data": "^4.0.0", "html-encoding-sniffer": "^3.0.0", "http-proxy-agent": "^5.0.0", - "https-proxy-agent": "^5.0.0", + "https-proxy-agent": "^5.0.1", "is-potential-custom-element-name": "^1.0.1", "nwsapi": "^2.2.0", - "parse5": "6.0.1", - "saxes": "^5.0.1", + "parse5": "^7.0.0", + "saxes": "^6.0.0", "symbol-tree": "^3.2.4", "tough-cookie": "^4.0.0", "w3c-hr-time": "^1.0.2", @@ -25711,11 +26370,17 @@ "webidl-conversions": "^7.0.0", "whatwg-encoding": "^2.0.0", "whatwg-mimetype": "^3.0.0", - "whatwg-url": "^10.0.0", - "ws": "^8.2.3", + "whatwg-url": "^11.0.0", + "ws": "^8.8.0", "xml-name-validator": "^4.0.0" }, "dependencies": { + "entities": { + "version": "4.4.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-4.4.0.tgz", + "integrity": "sha512-oYp7156SP8LkeGD0GF85ad1X9Ai79WtRsZ2gxJqtBuzH+98YUV6jkHEKlZkMbcrjJjIVJNIDP/3WL9wQkoPbWA==", + "dev": true + }, "form-data": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.0.tgz", @@ -25727,21 +26392,31 @@ "mime-types": "^2.1.12" } }, + "parse5": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/parse5/-/parse5-7.0.0.tgz", + "integrity": "sha512-y/t8IXSPWTuRZqXc0ajH/UwDj4mnqLEbSttNbThcFhGrZuOyoyvNBO85PBp2jQa55wY9d07PBNjsK8ZP3K5U6g==", + "dev": true, + "requires": { + "entities": "^4.3.0" + } + }, "tough-cookie": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.0.0.tgz", - "integrity": "sha512-tHdtEpQCMrc1YLrMaqXXcj6AxhYi/xgit6mZu1+EDWUn+qhUf8wMQoFIy9NXuq23zAwtcB0t/MjACGR18pcRbg==", + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.1.2.tgz", + "integrity": "sha512-G9fqXWoYFZgTc2z8Q5zaHy/vJMjm+WV0AkAeHxVCQiEB1b+dGvWzFW6QV07cY5jQ5gRkeid2qIkzkxUnmoQZUQ==", "dev": true, "requires": { "psl": "^1.1.33", "punycode": "^2.1.1", - "universalify": "^0.1.2" + "universalify": "^0.2.0", + "url-parse": "^1.5.3" } }, "universalify": { - "version": "0.1.2", - "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.1.2.tgz", - "integrity": "sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg==", + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.2.0.tgz", + "integrity": "sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==", "dev": true } } @@ -25781,9 +26456,9 @@ "integrity": "sha512-1hqLFMSrGHRHxav9q9gNjJ5EXznIxGVO09xQRrwplcS8qs28pZ8s8hupZAmqDwZUmVZ2Qb2jnyPOWcDH8m8dlA==" }, "jsonc-parser": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/jsonc-parser/-/jsonc-parser-3.0.0.tgz", - "integrity": "sha512-fQzRfAbIBnR0IQvftw9FJveWiHp72Fg20giDrHz6TdfB12UH/uue0D3hm57UB5KgAVuniLMCaS8P1IMj9NR7cA==", + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/jsonc-parser/-/jsonc-parser-3.1.0.tgz", + "integrity": "sha512-DRf0QjnNeCUds3xTjKlQQ3DpJD51GvDjJfnxUVWg6PZTo2otSm+slzNAxU/35hF8/oJIKoG9slq30JYOsF2azg==", "devOptional": true }, "jsonfile": { @@ -25848,9 +26523,9 @@ "optional": true }, "less": { - "version": "4.1.2", - "resolved": "https://registry.npmjs.org/less/-/less-4.1.2.tgz", - "integrity": "sha512-EoQp/Et7OSOVu0aJknJOtlXZsnr8XE8KwuzTHOLeVSEx8pVWUICc8Q0VYRHgzyjX78nMEyC/oztWFbgyhtNfDA==", + "version": "4.1.3", + "resolved": "https://registry.npmjs.org/less/-/less-4.1.3.tgz", + "integrity": "sha512-w16Xk/Ta9Hhyei0Gpz9m7VS8F28nieJaL/VyShID7cYvP6IL5oHeL6p4TXSDJqZE/lNv0oJ2pGVjJsRkfwm5FA==", "dev": true, "requires": { "copy-anything": "^2.0.1", @@ -25859,7 +26534,7 @@ "image-size": "~0.5.0", "make-dir": "^2.1.0", "mime": "^1.4.1", - "needle": "^2.5.2", + "needle": "^3.1.0", "parse-node-version": "^1.0.1", "source-map": "~0.6.0", "tslib": "^2.3.0" @@ -25900,9 +26575,9 @@ } }, "less-loader": { - "version": "10.2.0", - "resolved": "https://registry.npmjs.org/less-loader/-/less-loader-10.2.0.tgz", - "integrity": "sha512-AV5KHWvCezW27GT90WATaDnfXBv99llDbtaj4bshq6DvAihMdNjaPDcUMa6EXKLRF+P2opFenJp89BXg91XLYg==", + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/less-loader/-/less-loader-11.0.0.tgz", + "integrity": "sha512-9+LOWWjuoectIEx3zrfN83NAGxSUB5pWEabbbidVQVgZhN+wN68pOvuyirVlH1IK4VT1f3TmlyvAnCXh8O5KEw==", "dev": true, "requires": { "klona": "^2.0.4" @@ -26000,12 +26675,6 @@ "integrity": "sha512-Sb487aTOCr9drQVL8pIxOzVhafOjZN9UU54hiN8PU3uAiSV7lx1yYNpbNmex2PK6dSJoNTSJUUswT651yww3Mg==", "optional": true }, - "lodash.sortby": { - "version": "4.7.0", - "resolved": "https://registry.npmjs.org/lodash.sortby/-/lodash.sortby-4.7.0.tgz", - "integrity": "sha512-HDWXG8isMntAyRF5vZ7xKuEvOhT4AhlRt/3czTSjvGUxjYCBVRQY48ViDHyfYz9VIoBkW4TMGQNapx+l3RUwdA==", - "dev": true - }, "log-symbols": { "version": "4.1.0", "resolved": "https://registry.npmjs.org/log-symbols/-/log-symbols-4.1.0.tgz", @@ -26128,15 +26797,15 @@ } }, "lru-cache": { - "version": "7.12.0", - "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-7.12.0.tgz", - "integrity": "sha512-OIP3DwzRZDfLg9B9VP/huWBlpvbkmbfiBy8xmsXp4RPmE4A3MhwNozc5ZJ3fWnSg8fDcdlE/neRTPG2ycEKliw==", + "version": "7.14.0", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-7.14.0.tgz", + "integrity": "sha512-EIRtP1GrSJny0dqb50QXRUNBxHJhcpxHC++M5tD7RYbvLLn5KVWKsbyswSSqDuU15UFi3bgTQIY8nhDMeF6aDQ==", "devOptional": true }, "magic-string": { - "version": "0.26.1", - "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.26.1.tgz", - "integrity": "sha512-ndThHmvgtieXe8J/VGPjG+Apu7v7ItcD5mhEIvOscWjPF/ccOiLxHaSuCAS2G+3x4GKsAbT8u7zdyamupui8Tg==", + "version": "0.26.2", + "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.26.2.tgz", + "integrity": "sha512-NzzlXpclt5zAbmo6h6jNc8zl2gNRGHvmsZW4IvZhTC4W7k4OlLP+S5YLussa/r3ixNT66KOQfNORlXHSOy/X4A==", "requires": { "sourcemap-codec": "^1.4.8" } @@ -26165,143 +26834,27 @@ "dev": true }, "make-fetch-happen": { - "version": "9.1.0", - "resolved": "https://registry.npmjs.org/make-fetch-happen/-/make-fetch-happen-9.1.0.tgz", - "integrity": "sha512-+zopwDy7DNknmwPQplem5lAZX/eCOzSvSNNcSKm5eVwTkOBzoktEfXsa9L23J/GIRhxRsaxzkPEhrJEpE2F4Gg==", + "version": "10.2.1", + "resolved": "https://registry.npmjs.org/make-fetch-happen/-/make-fetch-happen-10.2.1.tgz", + "integrity": "sha512-NgOPbRiaQM10DYXvN3/hhGVI2M5MtITFryzBGxHM5p4wnFxsVCbxkrBrDsk+EZ5OB4jEOT7AjDxtdF+KVEFT7w==", "devOptional": true, "requires": { - "agentkeepalive": "^4.1.3", - "cacache": "^15.2.0", + "agentkeepalive": "^4.2.1", + "cacache": "^16.1.0", "http-cache-semantics": "^4.1.0", - "http-proxy-agent": "^4.0.1", + "http-proxy-agent": "^5.0.0", "https-proxy-agent": "^5.0.0", "is-lambda": "^1.0.1", - "lru-cache": "^6.0.0", - "minipass": "^3.1.3", + "lru-cache": "^7.7.1", + "minipass": "^3.1.6", "minipass-collect": "^1.0.2", - "minipass-fetch": "^1.3.2", + "minipass-fetch": "^2.0.3", "minipass-flush": "^1.0.5", "minipass-pipeline": "^1.2.4", - "negotiator": "^0.6.2", + "negotiator": "^0.6.3", "promise-retry": "^2.0.1", - "socks-proxy-agent": "^6.0.0", - "ssri": "^8.0.0" - }, - "dependencies": { - "@npmcli/fs": { - "version": "1.1.1", - "resolved": "https://registry.npmjs.org/@npmcli/fs/-/fs-1.1.1.tgz", - "integrity": "sha512-8KG5RD0GVP4ydEzRn/I4BNDuxDtqVbOdm8675T49OIG/NGhaK0pjPX7ZcDlvKYbA+ulvVK3ztfcF4uBdOxuJbQ==", - "devOptional": true, - "requires": { - "@gar/promisify": "^1.0.1", - "semver": "^7.3.5" - } - }, - "@npmcli/move-file": { - "version": "1.1.2", - "resolved": "https://registry.npmjs.org/@npmcli/move-file/-/move-file-1.1.2.tgz", - "integrity": "sha512-1SUf/Cg2GzGDyaf15aR9St9TWlb+XvbZXWpDx8YKs7MLzMH/BCeopv+y9vzrzgkfykCGuWOlSu3mZhj2+FQcrg==", - "devOptional": true, - "requires": { - "mkdirp": "^1.0.4", - "rimraf": "^3.0.2" - } - }, - "@tootallnate/once": { - "version": "1.1.2", - "resolved": "https://registry.npmjs.org/@tootallnate/once/-/once-1.1.2.tgz", - "integrity": "sha512-RbzJvlNzmRq5c3O09UipeuXno4tA1FE6ikOjxZK0tuxVv3412l64l5t1W5pj4+rJq9vpkm/kwiR07aZXnsKPxw==", - "devOptional": true - }, - "brace-expansion": { - "version": "1.1.11", - "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", - "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", - "devOptional": true, - "requires": { - "balanced-match": "^1.0.0", - "concat-map": "0.0.1" - } - }, - "cacache": { - "version": "15.3.0", - "resolved": "https://registry.npmjs.org/cacache/-/cacache-15.3.0.tgz", - "integrity": "sha512-VVdYzXEn+cnbXpFgWs5hTT7OScegHVmLhJIR8Ufqk3iFD6A6j5iSX1KuBTfNEv4tdJWE2PzA6IVFtcLC7fN9wQ==", - "devOptional": true, - "requires": { - "@npmcli/fs": "^1.0.0", - "@npmcli/move-file": "^1.0.1", - "chownr": "^2.0.0", - "fs-minipass": "^2.0.0", - "glob": "^7.1.4", - "infer-owner": "^1.0.4", - "lru-cache": "^6.0.0", - "minipass": "^3.1.1", - "minipass-collect": "^1.0.2", - "minipass-flush": "^1.0.5", - "minipass-pipeline": "^1.2.2", - "mkdirp": "^1.0.3", - "p-map": "^4.0.0", - "promise-inflight": "^1.0.1", - "rimraf": "^3.0.2", - "ssri": "^8.0.1", - "tar": "^6.0.2", - "unique-filename": "^1.1.1" - } - }, - "glob": { - "version": "7.2.3", - "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz", - "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", - "devOptional": true, - "requires": { - "fs.realpath": "^1.0.0", - "inflight": "^1.0.4", - "inherits": "2", - "minimatch": "^3.1.1", - "once": "^1.3.0", - "path-is-absolute": "^1.0.0" - } - }, - "http-proxy-agent": { - "version": "4.0.1", - "resolved": "https://registry.npmjs.org/http-proxy-agent/-/http-proxy-agent-4.0.1.tgz", - "integrity": "sha512-k0zdNgqWTGA6aeIRVpvfVob4fL52dTfaehylg0Y4UvSySvOq/Y+BOyPrgpUrA7HylqvU8vIZGsRuXmspskV0Tg==", - "devOptional": true, - "requires": { - "@tootallnate/once": "1", - "agent-base": "6", - "debug": "4" - } - }, - "lru-cache": { - "version": "6.0.0", - "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz", - "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==", - "devOptional": true, - "requires": { - "yallist": "^4.0.0" - } - }, - "minimatch": { - "version": "3.1.2", - "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", - "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", - "devOptional": true, - "requires": { - "brace-expansion": "^1.1.7" - } - }, - "ssri": { - "version": "8.0.1", - "resolved": "https://registry.npmjs.org/ssri/-/ssri-8.0.1.tgz", - "integrity": "sha512-97qShzy1AiyxvPNIkLWoGua7xoQzzPjQ0HAH4B0rWKo7SZ6USuPcrUiAFrws0UH8RrbWmgq3LMTObhPIHbbBeQ==", - "devOptional": true, - "requires": { - "minipass": "^3.1.1" - } - } + "socks-proxy-agent": "^7.0.0", + "ssri": "^9.0.0" } }, "makeerror": { @@ -26395,9 +26948,9 @@ "devOptional": true }, "mini-css-extract-plugin": { - "version": "2.6.0", - "resolved": "https://registry.npmjs.org/mini-css-extract-plugin/-/mini-css-extract-plugin-2.6.0.tgz", - "integrity": "sha512-ndG8nxCEnAemsg4FSgS+yNyHKgkTB4nPKqCOgh65j3/30qqC5RaSQQXMm++Y6sb6E1zRSxPkztj9fqxhS1Eo6w==", + "version": "2.6.1", + "resolved": "https://registry.npmjs.org/mini-css-extract-plugin/-/mini-css-extract-plugin-2.6.1.tgz", + "integrity": "sha512-wd+SD57/K6DiV7jIR34P+s3uckTRuQvx0tKPcvjFlrEylk6P4mQ2KSWk1hblj1Kxaqok7LogKOieygXqBczNlg==", "dev": true, "requires": { "schema-utils": "^4.0.0" @@ -26424,9 +26977,9 @@ "dev": true }, "minimatch": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.0.1.tgz", - "integrity": "sha512-nLDxIFRyhDblz3qMuq+SoRZED4+miJ/G+tdDrjkkkRnjAsBexeGpgjLEQ0blJy7rHhR2b93rhQY4SvyWu9v03g==", + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.1.0.tgz", + "integrity": "sha512-9TPBGGak4nHfGZsPBohm9AWg6NoT7QTCehS3BIJABslyZbzxfV78QM2Y6+i741OPZIafFAaiiEMh5OyIrJPgtg==", "requires": { "brace-expansion": "^2.0.1" } @@ -26456,15 +27009,15 @@ } }, "minipass-fetch": { - "version": "1.4.1", - "resolved": "https://registry.npmjs.org/minipass-fetch/-/minipass-fetch-1.4.1.tgz", - "integrity": "sha512-CGH1eblLq26Y15+Azk7ey4xh0J/XfJfrCox5LDJiKqI2Q2iwOLOKrlmIaODiSQS8d18jalF6y2K2ePUm0CmShw==", + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/minipass-fetch/-/minipass-fetch-2.1.2.tgz", + "integrity": "sha512-LT49Zi2/WMROHYoqGgdlQIZh8mLPZmOrN2NdJjMXxYe4nkN6FUyuPuOAOedNJDrx0IRGg9+4guZewtp8hE6TxA==", "devOptional": true, "requires": { - "encoding": "^0.1.12", - "minipass": "^3.1.0", + "encoding": "^0.1.13", + "minipass": "^3.1.6", "minipass-sized": "^1.0.3", - "minizlib": "^2.0.0" + "minizlib": "^2.1.2" } }, "minipass-flush": { @@ -26554,14 +27107,14 @@ "dev": true }, "needle": { - "version": "2.9.1", - "resolved": "https://registry.npmjs.org/needle/-/needle-2.9.1.tgz", - "integrity": "sha512-6R9fqJ5Zcmf+uYaFgdIHmLwNldn5HbK8L5ybn7Uz+ylX/rnOsSp1AHcvQSrCaFN+qNM1wpymHqD7mVasEOlHGQ==", + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/needle/-/needle-3.1.0.tgz", + "integrity": "sha512-gCE9weDhjVGCRqS8dwDR/D3GTAeyXLXuqp7I8EzH6DllZGXSUyxuqqLh+YX9rMAWaaTFyVAg6rHGL25dqvczKw==", "dev": true, "optional": true, "requires": { "debug": "^3.2.6", - "iconv-lite": "^0.4.4", + "iconv-lite": "^0.6.3", "sax": "^1.2.4" }, "dependencies": { @@ -26574,6 +27127,16 @@ "requires": { "ms": "^2.1.1" } + }, + "iconv-lite": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz", + "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", + "dev": true, + "optional": true, + "requires": { + "safer-buffer": ">= 2.1.2 < 3.0.0" + } } } }, @@ -26590,20 +27153,20 @@ "dev": true }, "ng2-pdf-viewer": { - "version": "9.0.0", - "resolved": "https://registry.npmjs.org/ng2-pdf-viewer/-/ng2-pdf-viewer-9.0.0.tgz", - "integrity": "sha512-MaPCQJMeSRV7kzVTRskygdf1YrCCfmHqKPGrhQjdkBPj5HDFX02SOxVTlnJrl2KLO6nUyJ8xAdf4Pojf85gKaw==", + "version": "9.1.2", + "resolved": "https://registry.npmjs.org/ng2-pdf-viewer/-/ng2-pdf-viewer-9.1.2.tgz", + "integrity": "sha512-dVfrEOW0rusHjLGpGnkt2mDKdd3LKK9uXAbNxOCv94I2jS2QjciPHMELLKWCliBXiLNbDOTsQdCDQPvYT3vKgQ==", "requires": { - "pdfjs-dist": "~2.13.216", + "pdfjs-dist": "~2.14.305", "tslib": "^2.3.1" } }, "ngx-color": { - "version": "7.3.3", - "resolved": "https://registry.npmjs.org/ngx-color/-/ngx-color-7.3.3.tgz", - "integrity": "sha512-RyMIFMC5/aYYD/jkfStOUjr3gQfTGhgiiMxuZEfxt2o4GYmb3C/06C1o0S6Mj9qHAcKlG6soioq2MzdhtIswHw==", + "version": "8.0.3", + "resolved": "https://registry.npmjs.org/ngx-color/-/ngx-color-8.0.3.tgz", + "integrity": "sha512-tuLP+uIoDEu2m0bh711kb2P1M1bh/oIrOn8mJd9mb8xGL2v+OcokcxPmVvWRn0avMG1lXL53CjSlWXGkdV4CDA==", "requires": { - "@ctrl/tinycolor": "^3.4.0", + "@ctrl/tinycolor": "^3.4.1", "material-colors": "^1.2.6", "tslib": "^2.3.0" } @@ -26617,10 +27180,27 @@ } }, "ngx-file-drop": { - "version": "13.0.0", - "resolved": "https://registry.npmjs.org/ngx-file-drop/-/ngx-file-drop-13.0.0.tgz", - "integrity": "sha512-1OF9ln2ZesfNxWEBXMpkkFpUuggejpZtNlGFuyaVAmXyYO4NlCHsOWrgfWB7d8SliHgePD/7s0e60IQs/zqr9g==", + "version": "14.0.1", + "resolved": "https://registry.npmjs.org/ngx-file-drop/-/ngx-file-drop-14.0.1.tgz", + "integrity": "sha512-OSsI1Qjs273Xi+tIkCoO/ciFx6gT9wwyZ1900O4ggniOiTNByNq+xBN8DASOcAqLxvkuri8en7MtZPu+jxX/6Q==", "requires": { + "tslib": "^2.3.0" + } + }, + "ngx-ui-tour-core": { + "version": "9.0.0", + "resolved": "https://registry.npmjs.org/ngx-ui-tour-core/-/ngx-ui-tour-core-9.0.0.tgz", + "integrity": "sha512-3HvrprosDaZm9jHi/w+oA8N9bPeaV9k0Y70nsEkRPRQ1jM302JyjGYFuM6/FzbXU5FITGLChtrFJpBn/Q4yJIA==", + "requires": { + "tslib": "^2.0.0" + } + }, + "ngx-ui-tour-ng-bootstrap": { + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/ngx-ui-tour-ng-bootstrap/-/ngx-ui-tour-ng-bootstrap-11.0.0.tgz", + "integrity": "sha512-oF5ySZEiO4ib/RfYno81V2UBaX7EMzxSPwfCdedDr38e5BEPTOrcCufOaiOfuQzQftg+7CC/BbFY8Df9kmeL1A==", + "requires": { + "ngx-ui-tour-core": "9.0.0", "tslib": "^2.0.0" } }, @@ -26649,15 +27229,15 @@ "dev": true }, "node-gyp": { - "version": "8.4.1", - "resolved": "https://registry.npmjs.org/node-gyp/-/node-gyp-8.4.1.tgz", - "integrity": "sha512-olTJRgUtAb/hOXG0E93wZDs5YiJlgbXxTwQAFHyNlRsXQnYzUaF2aGgujZbw+hR8aF4ZG/rST57bWMWD16jr9w==", + "version": "9.1.0", + "resolved": "https://registry.npmjs.org/node-gyp/-/node-gyp-9.1.0.tgz", + "integrity": "sha512-HkmN0ZpQJU7FLbJauJTHkHlSVAXlNGDAzH/VYFZGDOnFyn/Na3GlNJfkudmufOdS6/jNFhy88ObzL7ERz9es1g==", "devOptional": true, "requires": { "env-paths": "^2.2.0", "glob": "^7.1.4", "graceful-fs": "^4.2.6", - "make-fetch-happen": "^9.1.0", + "make-fetch-happen": "^10.0.3", "nopt": "^5.0.0", "npmlog": "^6.0.0", "rimraf": "^3.0.2", @@ -26715,9 +27295,9 @@ "dev": true }, "node-releases": { - "version": "2.0.5", - "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.5.tgz", - "integrity": "sha512-U9h1NLROZTq9uE1SNffn6WuPDg8icmi3ns4rEl/oTfIle4iLjTliCzgTsbaIFMq/Xn078/lfY/BL0GWZ+psK4Q==" + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.6.tgz", + "integrity": "sha512-PiVXnNuFm5+iYkLBNeq5211hvO38y63T0i2KKh2KnUs3RpzJ+JtODFjkD8yjLwnDkTYF1eKXheUwdssR+NRZdg==" }, "nopt": { "version": "5.0.0", @@ -26729,9 +27309,9 @@ } }, "normalize-package-data": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/normalize-package-data/-/normalize-package-data-4.0.0.tgz", - "integrity": "sha512-m+GL22VXJKkKbw62ZaBBjv8u6IE3UI4Mh5QakIqs3fWiKe0Xyi6L97hakwZK41/LD4R/2ly71Bayx0NLMwLA/g==", + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/normalize-package-data/-/normalize-package-data-4.0.1.tgz", + "integrity": "sha512-EBk5QKKuocMJhB3BILuKhmaPjI8vNRSpIfO9woLC6NyHVkKKdVEdAO1mrT0ZfxNR1lKwCcTkuZfmGIFdizZ8Pg==", "devOptional": true, "requires": { "hosted-git-info": "^5.0.0", @@ -26776,26 +27356,44 @@ "devOptional": true }, "npm-package-arg": { - "version": "9.0.2", - "resolved": "https://registry.npmjs.org/npm-package-arg/-/npm-package-arg-9.0.2.tgz", - "integrity": "sha512-v/miORuX8cndiOheW8p2moNuPJ7QhcFh9WGlTorruG8hXSA23vMTEp5hTCmDxic0nD8KHhj/NQgFuySD3GYY3g==", + "version": "9.1.0", + "resolved": "https://registry.npmjs.org/npm-package-arg/-/npm-package-arg-9.1.0.tgz", + "integrity": "sha512-4J0GL+u2Nh6OnhvUKXRr2ZMG4lR8qtLp+kv7UiV00Y+nGiSxtttCyIRHCt5L5BNkXQld/RceYItau3MDOoGiBw==", "devOptional": true, "requires": { "hosted-git-info": "^5.0.0", + "proc-log": "^2.0.1", "semver": "^7.3.5", "validate-npm-package-name": "^4.0.0" } }, "npm-packlist": { - "version": "5.1.1", - "resolved": "https://registry.npmjs.org/npm-packlist/-/npm-packlist-5.1.1.tgz", - "integrity": "sha512-UfpSvQ5YKwctmodvPPkK6Fwk603aoVsf8AEbmVKAEECrfvL8SSe1A2YIwrJ6xmTHAITKPwwZsWo7WwEbNk0kxw==", + "version": "5.1.3", + "resolved": "https://registry.npmjs.org/npm-packlist/-/npm-packlist-5.1.3.tgz", + "integrity": "sha512-263/0NGrn32YFYi4J533qzrQ/krmmrWwhKkzwTuM4f/07ug51odoaNjUexxO4vxlzURHcmYMH1QjvHjsNDKLVg==", "devOptional": true, "requires": { "glob": "^8.0.1", "ignore-walk": "^5.0.1", - "npm-bundled": "^1.1.2", - "npm-normalize-package-bin": "^1.0.1" + "npm-bundled": "^2.0.0", + "npm-normalize-package-bin": "^2.0.0" + }, + "dependencies": { + "npm-bundled": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/npm-bundled/-/npm-bundled-2.0.1.tgz", + "integrity": "sha512-gZLxXdjEzE/+mOstGDqR6b0EkhJ+kM6fxM6vUuckuctuVPh80Q6pw/rSZj9s4Gex9GxWtIicO1pc8DB9KZWudw==", + "devOptional": true, + "requires": { + "npm-normalize-package-bin": "^2.0.0" + } + }, + "npm-normalize-package-bin": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/npm-normalize-package-bin/-/npm-normalize-package-bin-2.0.0.tgz", + "integrity": "sha512-awzfKUO7v0FscrSpRoogyNm0sajikhBWpU0QMrW09AMi9n1PoKU6WaIqUzuJSQnpciZZmJ/jMZ2Egfmb/9LiWQ==", + "devOptional": true + } } }, "npm-pick-manifest": { @@ -26811,9 +27409,9 @@ } }, "npm-registry-fetch": { - "version": "13.1.1", - "resolved": "https://registry.npmjs.org/npm-registry-fetch/-/npm-registry-fetch-13.1.1.tgz", - "integrity": "sha512-5p8rwe6wQPLJ8dMqeTnA57Dp9Ox6GH9H60xkyJup07FmVlu3Mk7pf/kIIpl9gaN5bM8NM+UUx3emUWvDNTt39w==", + "version": "13.3.1", + "resolved": "https://registry.npmjs.org/npm-registry-fetch/-/npm-registry-fetch-13.3.1.tgz", + "integrity": "sha512-eukJPi++DKRTjSBRcDZSDDsGqRK3ehbxfFUcgaRd0Yp6kRwOwh2WVn0r+8rMB4nnuzvAk6rQVzl6K5CkYOmnvw==", "devOptional": true, "requires": { "make-fetch-happen": "^10.0.6", @@ -26823,81 +27421,6 @@ "minizlib": "^2.1.2", "npm-package-arg": "^9.0.1", "proc-log": "^2.0.0" - }, - "dependencies": { - "cacache": { - "version": "16.1.1", - "resolved": "https://registry.npmjs.org/cacache/-/cacache-16.1.1.tgz", - "integrity": "sha512-VDKN+LHyCQXaaYZ7rA/qtkURU+/yYhviUdvqEv2LT6QPZU8jpyzEkEVAcKlKLt5dJ5BRp11ym8lo3NKLluEPLg==", - "devOptional": true, - "requires": { - "@npmcli/fs": "^2.1.0", - "@npmcli/move-file": "^2.0.0", - "chownr": "^2.0.0", - "fs-minipass": "^2.1.0", - "glob": "^8.0.1", - "infer-owner": "^1.0.4", - "lru-cache": "^7.7.1", - "minipass": "^3.1.6", - "minipass-collect": "^1.0.2", - "minipass-flush": "^1.0.5", - "minipass-pipeline": "^1.2.4", - "mkdirp": "^1.0.4", - "p-map": "^4.0.0", - "promise-inflight": "^1.0.1", - "rimraf": "^3.0.2", - "ssri": "^9.0.0", - "tar": "^6.1.11", - "unique-filename": "^1.1.1" - } - }, - "make-fetch-happen": { - "version": "10.1.8", - "resolved": "https://registry.npmjs.org/make-fetch-happen/-/make-fetch-happen-10.1.8.tgz", - "integrity": "sha512-0ASJbG12Au6+N5I84W+8FhGS6iM8MyzvZady+zaQAu+6IOaESFzCLLD0AR1sAFF3Jufi8bxm586ABN6hWd3k7g==", - "devOptional": true, - "requires": { - "agentkeepalive": "^4.2.1", - "cacache": "^16.1.0", - "http-cache-semantics": "^4.1.0", - "http-proxy-agent": "^5.0.0", - "https-proxy-agent": "^5.0.0", - "is-lambda": "^1.0.1", - "lru-cache": "^7.7.1", - "minipass": "^3.1.6", - "minipass-collect": "^1.0.2", - "minipass-fetch": "^2.0.3", - "minipass-flush": "^1.0.5", - "minipass-pipeline": "^1.2.4", - "negotiator": "^0.6.3", - "promise-retry": "^2.0.1", - "socks-proxy-agent": "^7.0.0", - "ssri": "^9.0.0" - } - }, - "minipass-fetch": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/minipass-fetch/-/minipass-fetch-2.1.0.tgz", - "integrity": "sha512-H9U4UVBGXEyyWJnqYDCLp1PwD8XIkJ4akNHp1aGVI+2Ym7wQMlxDKi4IB4JbmyU+pl9pEs/cVrK6cOuvmbK4Sg==", - "devOptional": true, - "requires": { - "encoding": "^0.1.13", - "minipass": "^3.1.6", - "minipass-sized": "^1.0.3", - "minizlib": "^2.1.2" - } - }, - "socks-proxy-agent": { - "version": "7.0.0", - "resolved": "https://registry.npmjs.org/socks-proxy-agent/-/socks-proxy-agent-7.0.0.tgz", - "integrity": "sha512-Fgl0YPZ902wEsAyiQ+idGd1A7rSFx/ayC1CQVMw5P+EQx2V0SgpGtf6OKFhVjPflPUl9YMmEOnmfjCdMUsygww==", - "devOptional": true, - "requires": { - "agent-base": "^6.0.2", - "debug": "^4.3.3", - "socks": "^2.6.2" - } - } } }, "npm-run-path": { @@ -26949,14 +27472,14 @@ "dev": true }, "object.assign": { - "version": "4.1.2", - "resolved": "https://registry.npmjs.org/object.assign/-/object.assign-4.1.2.tgz", - "integrity": "sha512-ixT2L5THXsApyiUPYKmW+2EHpXXe5Ii3M+f4e+aJFAHao5amFRW6J0OO6c/LU8Be47utCx2GL89hxGB6XSmKuQ==", + "version": "4.1.4", + "resolved": "https://registry.npmjs.org/object.assign/-/object.assign-4.1.4.tgz", + "integrity": "sha512-1mxKf0e58bvyjSCtKYY4sRe9itRk3PJpquJOjeIkz885CczcI4IvJJDLPS72oowuSh+pBxUFROpX+TU++hxhZQ==", "dev": true, "requires": { - "call-bind": "^1.0.0", - "define-properties": "^1.1.3", - "has-symbols": "^1.0.1", + "call-bind": "^1.0.2", + "define-properties": "^1.1.4", + "has-symbols": "^1.0.3", "object-keys": "^1.1.1" } }, @@ -27104,12 +27627,12 @@ "optional": true }, "p-limit": { - "version": "2.3.0", - "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", - "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz", + "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==", "dev": true, "requires": { - "p-try": "^2.0.0" + "yocto-queue": "^0.1.0" } }, "p-locate": { @@ -27119,6 +27642,17 @@ "dev": true, "requires": { "p-limit": "^2.2.0" + }, + "dependencies": { + "p-limit": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", + "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", + "dev": true, + "requires": { + "p-try": "^2.0.0" + } + } } }, "p-map": { @@ -27155,15 +27689,15 @@ "dev": true }, "pacote": { - "version": "13.3.0", - "resolved": "https://registry.npmjs.org/pacote/-/pacote-13.3.0.tgz", - "integrity": "sha512-auhJAUlfC2TALo6I0s1vFoPvVFgWGx+uz/PnIojTTgkGwlK3Np8sGJ0ghfFhiuzJXTZoTycMLk8uLskdntPbDw==", + "version": "13.6.2", + "resolved": "https://registry.npmjs.org/pacote/-/pacote-13.6.2.tgz", + "integrity": "sha512-Gu8fU3GsvOPkak2CkbojR7vjs3k3P9cA6uazKTHdsdV0gpCEQq2opelnEv30KRQWgVzP5Vd/5umjcedma3MKtg==", "devOptional": true, "requires": { "@npmcli/git": "^3.0.0", "@npmcli/installed-package-contents": "^1.0.7", "@npmcli/promise-spawn": "^3.0.0", - "@npmcli/run-script": "^3.0.1", + "@npmcli/run-script": "^4.1.0", "cacache": "^16.0.0", "chownr": "^2.0.0", "fs-minipass": "^2.1.0", @@ -27171,7 +27705,7 @@ "minipass": "^3.1.6", "mkdirp": "^1.0.4", "npm-package-arg": "^9.0.0", - "npm-packlist": "^5.0.0", + "npm-packlist": "^5.1.0", "npm-pick-manifest": "^7.0.0", "npm-registry-fetch": "^13.0.1", "proc-log": "^2.0.0", @@ -27293,11 +27827,12 @@ "dev": true }, "pdfjs-dist": { - "version": "2.13.216", - "resolved": "https://registry.npmjs.org/pdfjs-dist/-/pdfjs-dist-2.13.216.tgz", - "integrity": "sha512-qn/9a/3IHIKZarTK6ajeeFXBkG15Lg1Fx99PxU09PAU2i874X8mTcHJYyDJxu7WDfNhV6hM7bRQBZU384anoqQ==", + "version": "2.14.305", + "resolved": "https://registry.npmjs.org/pdfjs-dist/-/pdfjs-dist-2.14.305.tgz", + "integrity": "sha512-5f7i25J1dKIBczhgfxEgNxfYNIxXEdxqo6Qb4ehY7Ja+p6AI4uUmk/OcVGXfRGm2ys5iaJJhJUwBFwv6Jl/Qww==", "requires": { - "web-streams-polyfill": "^3.2.0" + "dommatrix": "^1.0.1", + "web-streams-polyfill": "^3.2.1" } }, "pend": { @@ -27356,20 +27891,20 @@ } }, "postcss": { - "version": "8.4.13", - "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.4.13.tgz", - "integrity": "sha512-jtL6eTBrza5MPzy8oJLFuUscHDXTV5KcLlqAWHl5q5WYRfnNRGSmOZmOZ1T6Gy7A99mOZfqungmZMpMmCVJ8ZA==", + "version": "8.4.16", + "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.4.16.tgz", + "integrity": "sha512-ipHE1XBvKzm5xI7hiHCZJCSugxvsdq2mPnsq5+UF+VHCjiBvtDrlxJfMBToWaP9D5XlgNmcFGqoHmUn0EYEaRQ==", "dev": true, "requires": { - "nanoid": "^3.3.3", + "nanoid": "^3.3.4", "picocolors": "^1.0.0", "source-map-js": "^1.0.2" } }, "postcss-attribute-case-insensitive": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/postcss-attribute-case-insensitive/-/postcss-attribute-case-insensitive-5.0.1.tgz", - "integrity": "sha512-wrt2VndqSLJpyBRNz9OmJcgnhI9MaongeWgapdBuUMu2a/KNJ8SENesG4SdiTnQwGO9b1VKbTWYAfCPeokLqZQ==", + "version": "5.0.2", + "resolved": "https://registry.npmjs.org/postcss-attribute-case-insensitive/-/postcss-attribute-case-insensitive-5.0.2.tgz", + "integrity": "sha512-XIidXV8fDr0kKt28vqki84fRK8VW8eTuIa4PChv2MqKuT6C9UjmSKzen6KaWhWEoYvwxFCa7n/tC1SZ3tyq4SQ==", "dev": true, "requires": { "postcss-selector-parser": "^6.0.10" @@ -27385,9 +27920,9 @@ } }, "postcss-color-functional-notation": { - "version": "4.2.3", - "resolved": "https://registry.npmjs.org/postcss-color-functional-notation/-/postcss-color-functional-notation-4.2.3.tgz", - "integrity": "sha512-5fbr6FzFzjwHXKsVnkmEYrJYG8VNNzvD1tAXaPPWR97S6rhKI5uh2yOfV5TAzhDkZoq4h+chxEplFDc8GeyFtw==", + "version": "4.2.4", + "resolved": "https://registry.npmjs.org/postcss-color-functional-notation/-/postcss-color-functional-notation-4.2.4.tgz", + "integrity": "sha512-2yrTAUZUab9s6CpxkxC4rVgFEVaR6/2Pipvi6qcgvnYiVqZcbDHEoBDhrXzyb7Efh2CCfHQNtcqWcIruDTIUeg==", "dev": true, "requires": { "postcss-value-parser": "^4.2.0" @@ -27403,9 +27938,9 @@ } }, "postcss-color-rebeccapurple": { - "version": "7.1.0", - "resolved": "https://registry.npmjs.org/postcss-color-rebeccapurple/-/postcss-color-rebeccapurple-7.1.0.tgz", - "integrity": "sha512-1jtE5AKnZcKq4pjOrltFHcbEM2/IvtbD1OdhZ/wqds18//bh0UmQkffcCkzDJU+/vGodfIsVQeKn+45CJvX9Bw==", + "version": "7.1.1", + "resolved": "https://registry.npmjs.org/postcss-color-rebeccapurple/-/postcss-color-rebeccapurple-7.1.1.tgz", + "integrity": "sha512-pGxkuVEInwLHgkNxUc4sdg4g3py7zUeCQ9sMfwyHAT+Ezk8a4OaaVZ8lIY5+oNqA/BXXgLyXv0+5wHP68R79hg==", "dev": true, "requires": { "postcss-value-parser": "^4.2.0" @@ -27439,18 +27974,18 @@ } }, "postcss-dir-pseudo-class": { - "version": "6.0.4", - "resolved": "https://registry.npmjs.org/postcss-dir-pseudo-class/-/postcss-dir-pseudo-class-6.0.4.tgz", - "integrity": "sha512-I8epwGy5ftdzNWEYok9VjW9whC4xnelAtbajGv4adql4FIF09rnrxnA9Y8xSHN47y7gqFIv10C5+ImsLeJpKBw==", + "version": "6.0.5", + "resolved": "https://registry.npmjs.org/postcss-dir-pseudo-class/-/postcss-dir-pseudo-class-6.0.5.tgz", + "integrity": "sha512-eqn4m70P031PF7ZQIvSgy9RSJ5uI2171O/OO/zcRNYpJbvaeKFUlar1aJ7rmgiQtbm0FSPsRewjpdS0Oew7MPA==", "dev": true, "requires": { - "postcss-selector-parser": "^6.0.9" + "postcss-selector-parser": "^6.0.10" } }, "postcss-double-position-gradients": { - "version": "3.1.1", - "resolved": "https://registry.npmjs.org/postcss-double-position-gradients/-/postcss-double-position-gradients-3.1.1.tgz", - "integrity": "sha512-jM+CGkTs4FcG53sMPjrrGE0rIvLDdCrqMzgDC5fLI7JHDO7o6QG8C5TQBtExb13hdBdoH9C2QVbG4jo2y9lErQ==", + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/postcss-double-position-gradients/-/postcss-double-position-gradients-3.1.2.tgz", + "integrity": "sha512-GX+FuE/uBR6eskOK+4vkXgT6pDkexLokPaz/AbJna9s5Kzp/yl488pKPjhy0obB475ovfT1Wv8ho7U/cHNaRgQ==", "dev": true, "requires": { "@csstools/postcss-progressive-custom-properties": "^1.1.0", @@ -27492,25 +28027,25 @@ "requires": {} }, "postcss-gap-properties": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/postcss-gap-properties/-/postcss-gap-properties-3.0.3.tgz", - "integrity": "sha512-rPPZRLPmEKgLk/KlXMqRaNkYTUpE7YC+bOIQFN5xcu1Vp11Y4faIXv6/Jpft6FMnl6YRxZqDZG0qQOW80stzxQ==", + "version": "3.0.5", + "resolved": "https://registry.npmjs.org/postcss-gap-properties/-/postcss-gap-properties-3.0.5.tgz", + "integrity": "sha512-IuE6gKSdoUNcvkGIqdtjtcMtZIFyXZhmFd5RUlg97iVEvp1BZKV5ngsAjCjrVy+14uhGBQl9tzmi1Qwq4kqVOg==", "dev": true, "requires": {} }, "postcss-image-set-function": { - "version": "4.0.6", - "resolved": "https://registry.npmjs.org/postcss-image-set-function/-/postcss-image-set-function-4.0.6.tgz", - "integrity": "sha512-KfdC6vg53GC+vPd2+HYzsZ6obmPqOk6HY09kttU19+Gj1nC3S3XBVEXDHxkhxTohgZqzbUb94bKXvKDnYWBm/A==", + "version": "4.0.7", + "resolved": "https://registry.npmjs.org/postcss-image-set-function/-/postcss-image-set-function-4.0.7.tgz", + "integrity": "sha512-9T2r9rsvYzm5ndsBE8WgtrMlIT7VbtTfE7b3BQnudUqnBcBo7L758oc+o+pdj/dUV0l5wjwSdjeOH2DZtfv8qw==", "dev": true, "requires": { "postcss-value-parser": "^4.2.0" } }, "postcss-import": { - "version": "14.1.0", - "resolved": "https://registry.npmjs.org/postcss-import/-/postcss-import-14.1.0.tgz", - "integrity": "sha512-flwI+Vgm4SElObFVPpTIT7SU7R3qk2L7PyduMcokiaVKuWv9d/U+Gm/QAd8NDLuykTWTkcrjOeD2Pp1rMeBTGw==", + "version": "15.0.0", + "resolved": "https://registry.npmjs.org/postcss-import/-/postcss-import-15.0.0.tgz", + "integrity": "sha512-Y20shPQ07RitgBGv2zvkEAu9bqvrD77C9axhj/aA1BQj4czape2MdClCExvB27EwYEJdGgKZBpKanb0t1rK2Kg==", "dev": true, "requires": { "postcss-value-parser": "^4.0.0", @@ -27526,9 +28061,9 @@ "requires": {} }, "postcss-lab-function": { - "version": "4.2.0", - "resolved": "https://registry.npmjs.org/postcss-lab-function/-/postcss-lab-function-4.2.0.tgz", - "integrity": "sha512-Zb1EO9DGYfa3CP8LhINHCcTTCTLI+R3t7AX2mKsDzdgVQ/GkCpHOTgOr6HBHslP7XDdVbqgHW5vvRPMdVANQ8w==", + "version": "4.2.1", + "resolved": "https://registry.npmjs.org/postcss-lab-function/-/postcss-lab-function-4.2.1.tgz", + "integrity": "sha512-xuXll4isR03CrQsmxyz92LJB2xX9n+pZJ5jE9JgcnmsCammLyKdlzrBin+25dy6wIjfhJpKBAN80gsTlCgRk2w==", "dev": true, "requires": { "@csstools/postcss-progressive-custom-properties": "^1.1.0", @@ -27536,14 +28071,14 @@ } }, "postcss-loader": { - "version": "6.2.1", - "resolved": "https://registry.npmjs.org/postcss-loader/-/postcss-loader-6.2.1.tgz", - "integrity": "sha512-WbbYpmAaKcux/P66bZ40bpWsBucjx/TTgVVzRZ9yUO8yQfVBlameJ0ZGVaPfH64hNSBh63a+ICP5nqOpBA0w+Q==", + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/postcss-loader/-/postcss-loader-7.0.1.tgz", + "integrity": "sha512-VRviFEyYlLjctSM93gAZtcJJ/iSkPZ79zWbN/1fSH+NisBByEiVLqpdVDrPLVSi8DX0oJo12kL/GppTBdKVXiQ==", "dev": true, "requires": { "cosmiconfig": "^7.0.0", "klona": "^2.0.5", - "semver": "^7.3.5" + "semver": "^7.3.7" } }, "postcss-logical": { @@ -27613,11 +28148,13 @@ "dev": true }, "postcss-overflow-shorthand": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/postcss-overflow-shorthand/-/postcss-overflow-shorthand-3.0.3.tgz", - "integrity": "sha512-CxZwoWup9KXzQeeIxtgOciQ00tDtnylYIlJBBODqkgS/PU2jISuWOL/mYLHmZb9ZhZiCaNKsCRiLp22dZUtNsg==", + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/postcss-overflow-shorthand/-/postcss-overflow-shorthand-3.0.4.tgz", + "integrity": "sha512-otYl/ylHK8Y9bcBnPLo3foYFLL6a6Ak+3EQBPOTR7luMYCOsiVTUk1iLvNf6tVPNGXcoL9Hoz37kpfriRIFb4A==", "dev": true, - "requires": {} + "requires": { + "postcss-value-parser": "^4.2.0" + } }, "postcss-page-break": { "version": "3.0.4", @@ -27627,71 +28164,75 @@ "requires": {} }, "postcss-place": { - "version": "7.0.4", - "resolved": "https://registry.npmjs.org/postcss-place/-/postcss-place-7.0.4.tgz", - "integrity": "sha512-MrgKeiiu5OC/TETQO45kV3npRjOFxEHthsqGtkh3I1rPbZSbXGD/lZVi9j13cYh+NA8PIAPyk6sGjT9QbRyvSg==", + "version": "7.0.5", + "resolved": "https://registry.npmjs.org/postcss-place/-/postcss-place-7.0.5.tgz", + "integrity": "sha512-wR8igaZROA6Z4pv0d+bvVrvGY4GVHihBCBQieXFY3kuSuMyOmEnnfFzHl/tQuqHZkfkIVBEbDvYcFfHmpSet9g==", "dev": true, "requires": { "postcss-value-parser": "^4.2.0" } }, "postcss-preset-env": { - "version": "7.5.0", - "resolved": "https://registry.npmjs.org/postcss-preset-env/-/postcss-preset-env-7.5.0.tgz", - "integrity": "sha512-0BJzWEfCdTtK2R3EiKKSdkE51/DI/BwnhlnicSW482Ym6/DGHud8K0wGLcdjip1epVX0HKo4c8zzTeV/SkiejQ==", + "version": "7.8.0", + "resolved": "https://registry.npmjs.org/postcss-preset-env/-/postcss-preset-env-7.8.0.tgz", + "integrity": "sha512-leqiqLOellpLKfbHkD06E04P6d9ZQ24mat6hu4NSqun7WG0UhspHR5Myiv/510qouCjoo4+YJtNOqg5xHaFnCA==", "dev": true, "requires": { - "@csstools/postcss-color-function": "^1.1.0", - "@csstools/postcss-font-format-keywords": "^1.0.0", - "@csstools/postcss-hwb-function": "^1.0.0", - "@csstools/postcss-ic-unit": "^1.0.0", - "@csstools/postcss-is-pseudo-class": "^2.0.2", - "@csstools/postcss-normalize-display-values": "^1.0.0", - "@csstools/postcss-oklab-function": "^1.1.0", + "@csstools/postcss-cascade-layers": "^1.0.5", + "@csstools/postcss-color-function": "^1.1.1", + "@csstools/postcss-font-format-keywords": "^1.0.1", + "@csstools/postcss-hwb-function": "^1.0.2", + "@csstools/postcss-ic-unit": "^1.0.1", + "@csstools/postcss-is-pseudo-class": "^2.0.7", + "@csstools/postcss-nested-calc": "^1.0.0", + "@csstools/postcss-normalize-display-values": "^1.0.1", + "@csstools/postcss-oklab-function": "^1.1.1", "@csstools/postcss-progressive-custom-properties": "^1.3.0", - "@csstools/postcss-stepped-value-functions": "^1.0.0", - "@csstools/postcss-unset-value": "^1.0.0", - "autoprefixer": "^10.4.6", - "browserslist": "^4.20.3", + "@csstools/postcss-stepped-value-functions": "^1.0.1", + "@csstools/postcss-text-decoration-shorthand": "^1.0.0", + "@csstools/postcss-trigonometric-functions": "^1.0.2", + "@csstools/postcss-unset-value": "^1.0.2", + "autoprefixer": "^10.4.8", + "browserslist": "^4.21.3", "css-blank-pseudo": "^3.0.3", "css-has-pseudo": "^3.0.4", "css-prefers-color-scheme": "^6.0.3", - "cssdb": "^6.6.1", - "postcss-attribute-case-insensitive": "^5.0.0", + "cssdb": "^7.0.0", + "postcss-attribute-case-insensitive": "^5.0.2", "postcss-clamp": "^4.1.0", - "postcss-color-functional-notation": "^4.2.2", - "postcss-color-hex-alpha": "^8.0.3", - "postcss-color-rebeccapurple": "^7.0.2", - "postcss-custom-media": "^8.0.0", - "postcss-custom-properties": "^12.1.7", - "postcss-custom-selectors": "^6.0.0", - "postcss-dir-pseudo-class": "^6.0.4", - "postcss-double-position-gradients": "^3.1.1", + "postcss-color-functional-notation": "^4.2.4", + "postcss-color-hex-alpha": "^8.0.4", + "postcss-color-rebeccapurple": "^7.1.1", + "postcss-custom-media": "^8.0.2", + "postcss-custom-properties": "^12.1.8", + "postcss-custom-selectors": "^6.0.3", + "postcss-dir-pseudo-class": "^6.0.5", + "postcss-double-position-gradients": "^3.1.2", "postcss-env-function": "^4.0.6", "postcss-focus-visible": "^6.0.4", "postcss-focus-within": "^5.0.4", "postcss-font-variant": "^5.0.0", - "postcss-gap-properties": "^3.0.3", - "postcss-image-set-function": "^4.0.6", + "postcss-gap-properties": "^3.0.5", + "postcss-image-set-function": "^4.0.7", "postcss-initial": "^4.0.1", - "postcss-lab-function": "^4.2.0", + "postcss-lab-function": "^4.2.1", "postcss-logical": "^5.0.4", "postcss-media-minmax": "^5.0.0", - "postcss-nesting": "^10.1.4", + "postcss-nesting": "^10.1.10", "postcss-opacity-percentage": "^1.1.2", - "postcss-overflow-shorthand": "^3.0.3", + "postcss-overflow-shorthand": "^3.0.4", "postcss-page-break": "^3.0.4", - "postcss-place": "^7.0.4", - "postcss-pseudo-class-any-link": "^7.1.2", + "postcss-place": "^7.0.5", + "postcss-pseudo-class-any-link": "^7.1.6", "postcss-replace-overflow-wrap": "^4.0.0", - "postcss-selector-not": "^5.0.0", + "postcss-selector-not": "^6.0.1", "postcss-value-parser": "^4.2.0" } }, "postcss-pseudo-class-any-link": { - "version": "7.1.5", - "resolved": "https://registry.npmjs.org/postcss-pseudo-class-any-link/-/postcss-pseudo-class-any-link-7.1.5.tgz", - "integrity": "sha512-nSGKGScwFTaaV8Cyi27W9FegX3l3b7tmNxujxmykI/j3++cBAiq8fTUAU3ZK0s2aneN2T8cTUvKdNedzp3JIEA==", + "version": "7.1.6", + "resolved": "https://registry.npmjs.org/postcss-pseudo-class-any-link/-/postcss-pseudo-class-any-link-7.1.6.tgz", + "integrity": "sha512-9sCtZkO6f/5ML9WcTLcIyV1yz9D1rf0tWc+ulKcvV30s0iZKS/ONyETvoWsr6vnrmW+X+KmuK3gV/w5EWnT37w==", "dev": true, "requires": { "postcss-selector-parser": "^6.0.10" @@ -27705,12 +28246,12 @@ "requires": {} }, "postcss-selector-not": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/postcss-selector-not/-/postcss-selector-not-5.0.0.tgz", - "integrity": "sha512-/2K3A4TCP9orP4TNS7u3tGdRFVKqz/E6pX3aGnriPG0jU78of8wsUcqE4QAhWEU0d+WnMSF93Ah3F//vUtK+iQ==", + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/postcss-selector-not/-/postcss-selector-not-6.0.1.tgz", + "integrity": "sha512-1i9affjAe9xu/y9uqWH+tD4r6/hDaXJruk8xn2x1vzxC2U3J3LKO3zJW4CyxlNhA56pADJ/djpEwpH1RClI2rQ==", "dev": true, "requires": { - "balanced-match": "^1.0.0" + "postcss-selector-parser": "^6.0.10" } }, "postcss-selector-parser": { @@ -27742,12 +28283,12 @@ "devOptional": true }, "pretty-format": { - "version": "28.1.1", - "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-28.1.1.tgz", - "integrity": "sha512-wwJbVTGFHeucr5Jw2bQ9P+VYHyLdAqedFLEkdQUVaBF/eiidDwH5OpilINq4mEfhbCjLnirt6HTTDhv1HaTIQw==", + "version": "28.1.3", + "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-28.1.3.tgz", + "integrity": "sha512-8gFb/To0OmxHR9+ZTb14Df2vNxdGCX8g1xWGUTqUw5TiZvcQf5sHKObd5UcPyLLyowNwDAMTF3XWOG1B6mxl1Q==", "dev": true, "requires": { - "@jest/schemas": "^28.0.2", + "@jest/schemas": "^28.1.3", "ansi-regex": "^5.0.1", "ansi-styles": "^5.0.0", "react-is": "^18.0.0" @@ -27831,9 +28372,9 @@ "optional": true }, "psl": { - "version": "1.8.0", - "resolved": "https://registry.npmjs.org/psl/-/psl-1.8.0.tgz", - "integrity": "sha512-RIdOzyoavK+hA18OGGWDqUTsCLhtA7IcZ/6NCs4fFJaHBDab+pDDmDIByWFRQJq2Cd7r1OoQxBGKOaztq+hjIQ==", + "version": "1.9.0", + "resolved": "https://registry.npmjs.org/psl/-/psl-1.9.0.tgz", + "integrity": "sha512-E/ZsdU4HLs/68gYzgGTkMicWTLPdAftJLfJFlLUAAKZGkStNU72sZjT66SnMDVOfOWY/YAoiD7Jxa9iHvngcag==", "devOptional": true }, "pump": { @@ -27858,6 +28399,12 @@ "integrity": "sha512-qxXIEh4pCGfHICj1mAJQ2/2XVZkjCDTcEgfoSQxc/fYivUZxTkk7L3bDBJSoNrEzXI17oUO5Dp07ktqE5KzczA==", "optional": true }, + "querystringify": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/querystringify/-/querystringify-2.2.0.tgz", + "integrity": "sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ==", + "dev": true + }, "queue-microtask": { "version": "1.2.3", "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz", @@ -27915,15 +28462,23 @@ } }, "read-package-json": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/read-package-json/-/read-package-json-5.0.1.tgz", - "integrity": "sha512-MALHuNgYWdGW3gKzuNMuYtcSSZbGQm94fAp16xt8VsYTLBjUSc55bLMKe6gzpWue0Tfi6CBgwCSdDAqutGDhMg==", + "version": "5.0.2", + "resolved": "https://registry.npmjs.org/read-package-json/-/read-package-json-5.0.2.tgz", + "integrity": "sha512-BSzugrt4kQ/Z0krro8zhTwV1Kd79ue25IhNN/VtHFy1mG/6Tluyi+msc0UpwaoQzxSHa28mntAjIZY6kEgfR9Q==", "devOptional": true, "requires": { "glob": "^8.0.1", "json-parse-even-better-errors": "^2.3.1", "normalize-package-data": "^4.0.0", - "npm-normalize-package-bin": "^1.0.1" + "npm-normalize-package-bin": "^2.0.0" + }, + "dependencies": { + "npm-normalize-package-bin": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/npm-normalize-package-bin/-/npm-normalize-package-bin-2.0.0.tgz", + "integrity": "sha512-awzfKUO7v0FscrSpRoogyNm0sajikhBWpU0QMrW09AMi9n1PoKU6WaIqUzuJSQnpciZZmJ/jMZ2Egfmb/9LiWQ==", + "devOptional": true + } } }, "read-package-json-fast": { @@ -28060,12 +28615,12 @@ "dev": true }, "resolve": { - "version": "1.22.0", - "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.0.tgz", - "integrity": "sha512-Hhtrw0nLeSrFQ7phPp4OOcVjLPIeMnRlr5mcnVuMe7M/7eBn98A3hmFRLoFo3DLZkivSYwhRUJTyPyWAk56WLw==", + "version": "1.22.1", + "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.1.tgz", + "integrity": "sha512-nBpuuYuY5jFsli/JIs1oldw6fOQCBioohqWZg/2hiaOybXOft4lonv85uDOKXdf8rhyK159cxU5cDcK/NKk8zw==", "devOptional": true, "requires": { - "is-core-module": "^2.8.1", + "is-core-module": "^2.9.0", "path-parse": "^1.0.7", "supports-preserve-symlinks-flag": "^1.0.0" } @@ -28211,9 +28766,9 @@ } }, "rxjs": { - "version": "7.5.5", - "resolved": "https://registry.npmjs.org/rxjs/-/rxjs-7.5.5.tgz", - "integrity": "sha512-sy+H0pQofO95VDmFLzyaw9xNJU4KTRSwQIGM6+iG3SypAtCiLDzpeG8sJrNCWn2Up9km+KhkvTdbkrdy+yzZdw==", + "version": "7.5.7", + "resolved": "https://registry.npmjs.org/rxjs/-/rxjs-7.5.7.tgz", + "integrity": "sha512-z9MzKh/UcOqB3i20H6rtrlaE/CgjLOvheWK/9ILrbhROGTweAi1BaFsTT9FbwZi5Trr1qNRs+MXkhmR06awzQA==", "requires": { "tslib": "^2.1.0" } @@ -28230,9 +28785,9 @@ "devOptional": true }, "sass": { - "version": "1.51.0", - "resolved": "https://registry.npmjs.org/sass/-/sass-1.51.0.tgz", - "integrity": "sha512-haGdpTgywJTvHC2b91GSq+clTKGbtkkZmVAb82jZQN/wTy6qs8DdFm2lhEQbEwrY0QDRgSQ3xDurqM977C3noA==", + "version": "1.54.4", + "resolved": "https://registry.npmjs.org/sass/-/sass-1.54.4.tgz", + "integrity": "sha512-3tmF16yvnBwtlPrNBHw/H907j8MlOX8aTBnlNX1yrKx24RKcJGPyLhFUwkoKBKesR3unP93/2z14Ll8NicwQUA==", "dev": true, "requires": { "chokidar": ">=3.0.0 <4.0.0", @@ -28241,9 +28796,9 @@ } }, "sass-loader": { - "version": "12.6.0", - "resolved": "https://registry.npmjs.org/sass-loader/-/sass-loader-12.6.0.tgz", - "integrity": "sha512-oLTaH0YCtX4cfnJZxKSLAyglED0naiYfNG1iXfU5w1LNZ+ukoA5DtyDIN5zmKVZwYNJP4KRc5Y3hkWga+7tYfA==", + "version": "13.0.2", + "resolved": "https://registry.npmjs.org/sass-loader/-/sass-loader-13.0.2.tgz", + "integrity": "sha512-BbiqbVmbfJaWVeOOAu2o7DhYWtcNmTfvroVgFXa6k2hHheMxNAeDHLNoDy/Q5aoaVlz0LH+MbMktKwm9vN/j8Q==", "dev": true, "requires": { "klona": "^2.0.4", @@ -28257,9 +28812,9 @@ "dev": true }, "saxes": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/saxes/-/saxes-5.0.1.tgz", - "integrity": "sha512-5LBh1Tls8c9xgGjw3QrMwETmTMVk0oFgvrFSvWx62llR2hcEInrKNZ2GZCCuuy2lvWrdl5jhbpeqc5hRYKFOcw==", + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/saxes/-/saxes-6.0.0.tgz", + "integrity": "sha512-xAg7SOnEhrm5zI3puOOKyy1OMcMlIJZYNJY7xLBwSze0UjhPLnWfj2GF2EpT0jmzaJKIWKHLsaSSajf35bcYnA==", "dev": true, "requires": { "xmlchars": "^2.2.0" @@ -28310,9 +28865,9 @@ "dev": true }, "selfsigned": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/selfsigned/-/selfsigned-2.0.1.tgz", - "integrity": "sha512-LmME957M1zOsUhG+67rAjKfiWFox3SBxE/yymatMZsAx+oMrJ0YQ8AToOnyCm7xbeg2ep37IHLxdu0o2MavQOQ==", + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/selfsigned/-/selfsigned-2.1.1.tgz", + "integrity": "sha512-GSL3aowiF7wa/WtSFwnUrludWFoNhftq8bUkH9pkzjpN2XSPOAYEgg6e0sS9s0rZwgJzJiQRPU18A6clnoW5wQ==", "dev": true, "requires": { "node-forge": "^1" @@ -28611,22 +29166,30 @@ "faye-websocket": "^0.11.3", "uuid": "^8.3.2", "websocket-driver": "^0.7.4" + }, + "dependencies": { + "uuid": { + "version": "8.3.2", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "dev": true + } } }, "socks": { - "version": "2.6.2", - "resolved": "https://registry.npmjs.org/socks/-/socks-2.6.2.tgz", - "integrity": "sha512-zDZhHhZRY9PxRruRMR7kMhnf3I8hDs4S3f9RecfnGxvcBHQcKcIH/oUcEWffsfl1XxdYlA7nnlGbbTvPz9D8gA==", + "version": "2.7.0", + "resolved": "https://registry.npmjs.org/socks/-/socks-2.7.0.tgz", + "integrity": "sha512-scnOe9y4VuiNUULJN72GrM26BNOjVsfPXI+j+98PkyEfsIXroa5ofyjT+FzGvn/xHs73U2JtoBYAVx9Hl4quSA==", "devOptional": true, "requires": { - "ip": "^1.1.5", + "ip": "^2.0.0", "smart-buffer": "^4.2.0" } }, "socks-proxy-agent": { - "version": "6.2.1", - "resolved": "https://registry.npmjs.org/socks-proxy-agent/-/socks-proxy-agent-6.2.1.tgz", - "integrity": "sha512-a6KW9G+6B3nWZ1yB8G7pJwL3ggLy1uTzKAgCb7ttblwqdz9fMGJUuTy3uFzEP48FAs9FLILlmzDlE2JJhVQaXQ==", + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/socks-proxy-agent/-/socks-proxy-agent-7.0.0.tgz", + "integrity": "sha512-Fgl0YPZ902wEsAyiQ+idGd1A7rSFx/ayC1CQVMw5P+EQx2V0SgpGtf6OKFhVjPflPUl9YMmEOnmfjCdMUsygww==", "devOptional": true, "requires": { "agent-base": "^6.0.2", @@ -28635,9 +29198,9 @@ } }, "source-map": { - "version": "0.7.3", - "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.7.3.tgz", - "integrity": "sha512-CkCj6giN3S+n9qrYiBTX5gystlENnRW5jZeNLHpe6aue+SrHcG5VYwujhW9s4dY31mEGsxBDrHR6oI69fTXsaQ==", + "version": "0.7.4", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.7.4.tgz", + "integrity": "sha512-l3BikUxvPOcn5E74dZiq5BGsTb5yEwhaTSzccU6t4sDOH8NWJCstKO5QT2CvtFoK6F0saL7p9xHAqHOlCPJygA==", "devOptional": true }, "source-map-js": { @@ -28647,14 +29210,14 @@ "dev": true }, "source-map-loader": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/source-map-loader/-/source-map-loader-3.0.1.tgz", - "integrity": "sha512-Vp1UsfyPvgujKQzi4pyDiTOnE3E4H+yHvkVRN3c/9PJmQS4CQJExvcDvaX/D+RV+xQben9HJ56jMJS3CgUeWyA==", + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/source-map-loader/-/source-map-loader-4.0.0.tgz", + "integrity": "sha512-i3KVgM3+QPAHNbGavK+VBq03YoJl24m9JWNbLgsjTj8aJzXG9M61bantBTNBt7CNwY2FYf+RJRYJ3pzalKjIrw==", "dev": true, "requires": { - "abab": "^2.0.5", + "abab": "^2.0.6", "iconv-lite": "^0.6.3", - "source-map-js": "^1.0.1" + "source-map-js": "^1.0.2" }, "dependencies": { "iconv-lite": { @@ -28668,16 +29231,6 @@ } } }, - "source-map-resolve": { - "version": "0.6.0", - "resolved": "https://registry.npmjs.org/source-map-resolve/-/source-map-resolve-0.6.0.tgz", - "integrity": "sha512-KXBr9d/fO/bWo97NXsPIAW1bFSBOuCnjbNTBMO7N59hsv5i9yzRDfcYwwt0l04+VqnKC+EwzvJZIP/qkuMgR/w==", - "dev": true, - "requires": { - "atob": "^2.1.2", - "decode-uri-component": "^0.2.0" - } - }, "source-map-support": { "version": "0.5.21", "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.21.tgz", @@ -28734,9 +29287,9 @@ } }, "spdx-license-ids": { - "version": "3.0.11", - "resolved": "https://registry.npmjs.org/spdx-license-ids/-/spdx-license-ids-3.0.11.tgz", - "integrity": "sha512-Ctl2BrFiM0X3MANYgj3CkygxhRmr9mi6xhejbdO960nF6EDJApTYpn0BQnDKlnNBULKiCN1n3w9EBkHK8ZWg+g==", + "version": "3.0.12", + "resolved": "https://registry.npmjs.org/spdx-license-ids/-/spdx-license-ids-3.0.12.tgz", + "integrity": "sha512-rr+VVSXtRhO4OHbXUiAF7xW3Bo9DuuF6C5jH+q/x15j2jniycgKbxU09Hr0WqlSLUs4i4ltHGXqTe7VHclYWyA==", "devOptional": true }, "spdy": { @@ -28885,15 +29438,14 @@ "dev": true }, "stylus": { - "version": "0.57.0", - "resolved": "https://registry.npmjs.org/stylus/-/stylus-0.57.0.tgz", - "integrity": "sha512-yOI6G8WYfr0q8v8rRvE91wbxFU+rJPo760Va4MF6K0I6BZjO4r+xSynkvyPBP9tV1CIEUeRsiidjIs2rzb1CnQ==", + "version": "0.59.0", + "resolved": "https://registry.npmjs.org/stylus/-/stylus-0.59.0.tgz", + "integrity": "sha512-lQ9w/XIOH5ZHVNuNbWW8D822r+/wBSO/d6XvtyHLF7LW4KaCIDeVbvn5DF8fGCJAUCwVhVi/h6J0NUcnylUEjg==", "dev": true, "requires": { - "css": "^3.0.0", + "@adobe/css-tools": "^4.0.1", "debug": "^4.3.2", "glob": "^7.1.6", - "safer-buffer": "^2.1.2", "sax": "~1.2.4", "source-map": "^0.7.3" }, @@ -28934,13 +29486,13 @@ } }, "stylus-loader": { - "version": "6.2.0", - "resolved": "https://registry.npmjs.org/stylus-loader/-/stylus-loader-6.2.0.tgz", - "integrity": "sha512-5dsDc7qVQGRoc6pvCL20eYgRUxepZ9FpeK28XhdXaIPP6kXr6nI1zAAKFQgP5OBkOfKaURp4WUpJzspg1f01Gg==", + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/stylus-loader/-/stylus-loader-7.0.0.tgz", + "integrity": "sha512-WTbtLrNfOfLgzTaR9Lj/BPhQroKk/LC1hfTXSUbrxmxgfUo3Y3LpmKRVA2R1XbjvTAvOfaian9vOyfv1z99E+A==", "dev": true, "requires": { - "fast-glob": "^3.2.7", - "klona": "^2.0.4", + "fast-glob": "^3.2.11", + "klona": "^2.0.5", "normalize-path": "^3.0.0" } }, @@ -29028,65 +29580,28 @@ } }, "terser": { - "version": "5.13.1", - "resolved": "https://registry.npmjs.org/terser/-/terser-5.13.1.tgz", - "integrity": "sha512-hn4WKOfwnwbYfe48NgrQjqNOH9jzLqRcIfbYytOXCOv46LBfWr9bDS17MQqOi+BWGD0sJK3Sj5NC/gJjiojaoA==", + "version": "5.14.2", + "resolved": "https://registry.npmjs.org/terser/-/terser-5.14.2.tgz", + "integrity": "sha512-oL0rGeM/WFQCUd0y2QrWxYnq7tfSuKBiqTjRPWrRgB46WD/kiwHwF8T23z78H6Q6kGCuuHcPB+KULHRdxvVGQA==", "dev": true, "requires": { + "@jridgewell/source-map": "^0.3.2", "acorn": "^8.5.0", "commander": "^2.20.0", - "source-map": "~0.8.0-beta.0", "source-map-support": "~0.5.20" - }, - "dependencies": { - "source-map": { - "version": "0.8.0-beta.0", - "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.8.0-beta.0.tgz", - "integrity": "sha512-2ymg6oRBpebeZi9UUNsgQ89bhx01TcTkmNTGnNO88imTmbSgy4nfujrgVEFKWpMTEGA11EDkTt7mqObTPdigIA==", - "dev": true, - "requires": { - "whatwg-url": "^7.0.0" - } - }, - "tr46": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/tr46/-/tr46-1.0.1.tgz", - "integrity": "sha512-dTpowEjclQ7Kgx5SdBkqRzVhERQXov8/l9Ft9dVM9fmg0W0KQSVaXX9T4i6twCPNtYiZM53lpSSUAwJbFPOHxA==", - "dev": true, - "requires": { - "punycode": "^2.1.0" - } - }, - "webidl-conversions": { - "version": "4.0.2", - "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-4.0.2.tgz", - "integrity": "sha512-YQ+BmxuTgd6UXZW3+ICGfyqRyHXVlD5GtQr5+qjiNW7bF0cqrzX500HVXPBOvgXb5YnzDd+h0zqyv61KUD7+Sg==", - "dev": true - }, - "whatwg-url": { - "version": "7.1.0", - "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-7.1.0.tgz", - "integrity": "sha512-WUu7Rg1DroM7oQvGWfOiAK21n74Gg+T4elXEQYkOhtyLeWiJFoOGLXPKI/9gzIie9CtwVLm8wtw6YJdKyxSjeg==", - "dev": true, - "requires": { - "lodash.sortby": "^4.7.0", - "tr46": "^1.0.1", - "webidl-conversions": "^4.0.2" - } - } } }, "terser-webpack-plugin": { - "version": "5.3.3", - "resolved": "https://registry.npmjs.org/terser-webpack-plugin/-/terser-webpack-plugin-5.3.3.tgz", - "integrity": "sha512-Fx60G5HNYknNTNQnzQ1VePRuu89ZVYWfjRAeT5rITuCY/1b08s49e5kSQwHDirKZWuoKOBRFS98EUUoZ9kLEwQ==", + "version": "5.3.6", + "resolved": "https://registry.npmjs.org/terser-webpack-plugin/-/terser-webpack-plugin-5.3.6.tgz", + "integrity": "sha512-kfLFk+PoLUQIbLmB1+PZDMRSZS99Mp+/MHqDNmMA6tOItzRt+Npe3E+fsMs5mfcM0wCtrrdU387UnV+vnSffXQ==", "dev": true, "requires": { - "@jridgewell/trace-mapping": "^0.3.7", + "@jridgewell/trace-mapping": "^0.3.14", "jest-worker": "^27.4.5", "schema-utils": "^3.1.1", "serialize-javascript": "^6.0.0", - "terser": "^5.7.2" + "terser": "^5.14.1" }, "dependencies": { "ajv": { @@ -29205,12 +29720,6 @@ "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==", "dev": true }, - "throat": { - "version": "6.0.1", - "resolved": "https://registry.npmjs.org/throat/-/throat-6.0.1.tgz", - "integrity": "sha512-8hmiGIJMDlwjg7dlJ4yKGLK8EsYqKgPWbG3b4wjJddKNwc7N7Dpn08Df4szr/sZdMVeOstrdYSsqzX6BYbcB+w==", - "dev": true - }, "throttleit": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/throttleit/-/throttleit-1.0.0.tgz", @@ -29289,9 +29798,9 @@ "dev": true }, "ts-jest": { - "version": "28.0.5", - "resolved": "https://registry.npmjs.org/ts-jest/-/ts-jest-28.0.5.tgz", - "integrity": "sha512-Sx9FyP9pCY7pUzQpy4FgRZf2bhHY3za576HMKJFs+OnQ9jS96Du5vNsDKkyedQkik+sEabbKAnCliv9BEsHZgQ==", + "version": "28.0.8", + "resolved": "https://registry.npmjs.org/ts-jest/-/ts-jest-28.0.8.tgz", + "integrity": "sha512-5FaG0lXmRPzApix8oFG8RKjAz4ehtm8yMKOTy5HX3fY6W8kmvOrmcY0hKDElW52FJov+clhUbrKAqofnj4mXTg==", "dev": true, "requires": { "bs-logger": "0.x", @@ -29305,9 +29814,9 @@ } }, "ts-node": { - "version": "10.8.1", - "resolved": "https://registry.npmjs.org/ts-node/-/ts-node-10.8.1.tgz", - "integrity": "sha512-Wwsnao4DQoJsN034wePSg5nZiw4YKXf56mPIAeD6wVmiv+RytNSWqc2f3fKvcUoV+Yn2+yocD71VOfQHbmVX4g==", + "version": "10.9.1", + "resolved": "https://registry.npmjs.org/ts-node/-/ts-node-10.9.1.tgz", + "integrity": "sha512-NtVysVPkxxrwFGUUxGYhfux8k78pQB3JqYBXlLRZgdGUqTO5wU/UyHop5p70iEbGhB7q5KmiZiU0Y3KlJrScEw==", "dev": true, "requires": { "@cspotcode/source-map-support": "^0.8.0", @@ -29485,9 +29994,9 @@ "dev": true }, "typescript": { - "version": "4.6.4", - "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.6.4.tgz", - "integrity": "sha512-9ia/jWHIEbo49HfjrLGfKbZSuWo9iTMwXO+Ca3pRsSpbsMbc7/IU8NKdCZVRRBafVPGnoJeFL76ZOAA84I9fEg==" + "version": "4.8.4", + "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.8.4.tgz", + "integrity": "sha512-QCh+85mCy+h0IGff8r5XWzOVSbBO+KfeYrMQh7NJ58QujwcE22u+NUSmUxqF+un70P9GXKxa2HCNiTTMJknyjQ==" }, "unicode-canonical-property-names-ecmascript": { "version": "2.0.0", @@ -29554,9 +30063,9 @@ "optional": true }, "update-browserslist-db": { - "version": "1.0.4", - "resolved": "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.0.4.tgz", - "integrity": "sha512-jnmO2BEGUjsMOe/Fg9u0oczOe/ppIDZPebzccl1yDWGLFP16Pa1/RM5wEoKYPG2zstNcDuAStejyxsOuKINdGA==", + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.0.6.tgz", + "integrity": "sha512-We7BqM9XFlcW94Op93uW8+2LXvGezs7QA0WY+f1H7RR1q46B06W6hZF6LbmOlpCS1HU22q/6NOGTGW5sCm7NJQ==", "requires": { "escalade": "^3.1.1", "picocolors": "^1.0.0" @@ -29571,6 +30080,16 @@ "punycode": "^2.1.0" } }, + "url-parse": { + "version": "1.5.10", + "resolved": "https://registry.npmjs.org/url-parse/-/url-parse-1.5.10.tgz", + "integrity": "sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ==", + "dev": true, + "requires": { + "querystringify": "^2.1.1", + "requires-port": "^1.0.0" + } + }, "util-deprecate": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz", @@ -29584,9 +30103,9 @@ "dev": true }, "uuid": { - "version": "8.3.2", - "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", - "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==" + "version": "9.0.0", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-9.0.0.tgz", + "integrity": "sha512-MXcSTerfPa4uqyzStbRoTgt5XIe3x5+42+q1sDuy3R5MDk66URdLMOZe5aPX/SQd+kuYAh0FdP/pO28IkQyTeg==" }, "v8-compile-cache-lib": { "version": "3.0.1", @@ -29721,9 +30240,9 @@ "dev": true }, "webpack": { - "version": "5.72.1", - "resolved": "https://registry.npmjs.org/webpack/-/webpack-5.72.1.tgz", - "integrity": "sha512-dXG5zXCLspQR4krZVR6QgajnZOjW2K/djHvdcRaDQvsjV9z9vaW6+ja5dZOYbqBBjF6kGXka/2ZyxNdc+8Jung==", + "version": "5.74.0", + "resolved": "https://registry.npmjs.org/webpack/-/webpack-5.74.0.tgz", + "integrity": "sha512-A2InDwnhhGN4LYctJj6M1JEaGL7Luj6LOmyBHjcI8529cm5p6VXiTIW2sn6ffvEAKmveLzvu4jrihwXtPojlAA==", "dev": true, "requires": { "@types/eslint-scope": "^3.7.3", @@ -29731,11 +30250,11 @@ "@webassemblyjs/ast": "1.11.1", "@webassemblyjs/wasm-edit": "1.11.1", "@webassemblyjs/wasm-parser": "1.11.1", - "acorn": "^8.4.1", + "acorn": "^8.7.1", "acorn-import-assertions": "^1.7.6", "browserslist": "^4.14.5", "chrome-trace-event": "^1.0.2", - "enhanced-resolve": "^5.9.3", + "enhanced-resolve": "^5.10.0", "es-module-lexer": "^0.9.0", "eslint-scope": "5.1.1", "events": "^3.2.0", @@ -29748,7 +30267,7 @@ "schema-utils": "^3.1.0", "tapable": "^2.1.1", "terser-webpack-plugin": "^5.1.3", - "watchpack": "^2.3.1", + "watchpack": "^2.4.0", "webpack-sources": "^3.2.3" }, "dependencies": { @@ -29791,13 +30310,13 @@ } }, "webpack-dev-middleware": { - "version": "5.3.1", - "resolved": "https://registry.npmjs.org/webpack-dev-middleware/-/webpack-dev-middleware-5.3.1.tgz", - "integrity": "sha512-81EujCKkyles2wphtdrnPg/QqegC/AtqNH//mQkBYSMqwFVCQrxM6ktB2O/SPlZy7LqeEfTbV3cZARGQz6umhg==", + "version": "5.3.3", + "resolved": "https://registry.npmjs.org/webpack-dev-middleware/-/webpack-dev-middleware-5.3.3.tgz", + "integrity": "sha512-hj5CYrY0bZLB+eTO+x/j67Pkrquiy7kWepMHmUMoPsmcUaeEnQJqFzHJOyxgWlq746/wUuA64p9ta34Kyb01pA==", "dev": true, "requires": { "colorette": "^2.0.10", - "memfs": "^3.4.1", + "memfs": "^3.4.3", "mime-types": "^2.1.31", "range-parser": "^1.2.1", "schema-utils": "^4.0.0" @@ -29818,15 +30337,16 @@ } }, "webpack-dev-server": { - "version": "4.9.0", - "resolved": "https://registry.npmjs.org/webpack-dev-server/-/webpack-dev-server-4.9.0.tgz", - "integrity": "sha512-+Nlb39iQSOSsFv0lWUuUTim3jDQO8nhK3E68f//J2r5rIcp4lULHXz2oZ0UVdEeWXEh5lSzYUlzarZhDAeAVQw==", + "version": "4.11.0", + "resolved": "https://registry.npmjs.org/webpack-dev-server/-/webpack-dev-server-4.11.0.tgz", + "integrity": "sha512-L5S4Q2zT57SK7tazgzjMiSMBdsw+rGYIX27MgPgx7LDhWO0lViPrHKoLS7jo5In06PWYAhlYu3PbyoC6yAThbw==", "dev": true, "requires": { "@types/bonjour": "^3.5.9", "@types/connect-history-api-fallback": "^1.3.5", "@types/express": "^4.17.13", "@types/serve-index": "^1.9.1", + "@types/serve-static": "^1.13.10", "@types/sockjs": "^0.3.33", "@types/ws": "^8.5.1", "ansi-html-community": "^0.0.8", @@ -29834,7 +30354,7 @@ "chokidar": "^3.5.3", "colorette": "^2.0.10", "compression": "^1.7.4", - "connect-history-api-fallback": "^1.6.0", + "connect-history-api-fallback": "^2.0.0", "default-gateway": "^6.0.3", "express": "^4.17.3", "graceful-fs": "^4.2.6", @@ -29847,7 +30367,7 @@ "schema-utils": "^4.0.0", "selfsigned": "^2.0.1", "serve-index": "^1.9.1", - "sockjs": "^0.3.21", + "sockjs": "^0.3.24", "spdy": "^4.0.2", "webpack-dev-middleware": "^5.3.1", "ws": "^8.4.2" @@ -29936,9 +30456,9 @@ "dev": true }, "whatwg-url": { - "version": "10.0.0", - "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-10.0.0.tgz", - "integrity": "sha512-CLxxCmdUby142H5FZzn4D8ikO1cmypvXVQktsgosNy4a4BHrDHeciBBGZhb0bNoR5/MltoCatso+vFjjGx8t0w==", + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-11.0.0.tgz", + "integrity": "sha512-RKT8HExMpoYx4igMiVMY83lN6UeITKJlBQ+vR/8ZJ8OCdSiN3RwCq+9gH0+Xzj0+5IrM6i4j/6LuvzbZIQgEcQ==", "dev": true, "requires": { "tr46": "^3.0.0", @@ -30014,9 +30534,9 @@ "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==" }, "write-file-atomic": { - "version": "4.0.1", - "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-4.0.1.tgz", - "integrity": "sha512-nSKUxgAbyioruk6hU87QzVbY279oYT6uiwgDoujth2ju4mJ+TZau7SQBhtbTmUyuNYTuXnSyRn66FV0+eCgcrQ==", + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-4.0.2.tgz", + "integrity": "sha512-7KxauUdBmSdWnmpaGFg+ppNjKF8uNLry8LyzjauQDOVONfFLNKrKvQOxZ/VuTIcS/gge/YNahf5RIIQWTSarlg==", "dev": true, "requires": { "imurmurhash": "^0.1.4", @@ -30024,9 +30544,9 @@ } }, "ws": { - "version": "8.8.0", - "resolved": "https://registry.npmjs.org/ws/-/ws-8.8.0.tgz", - "integrity": "sha512-JDAgSYQ1ksuwqfChJusw1LSJ8BizJ2e/vVu5Lxjq3YvNJNlROv1ui4i+c/kUUrPheBvQl4c5UbERhTwKa6QBJQ==", + "version": "8.8.1", + "resolved": "https://registry.npmjs.org/ws/-/ws-8.8.1.tgz", + "integrity": "sha512-bGy2JzvzkPowEJV++hF07hAD6niYSr0JzBNo/J29WsB57A2r7Wlc1UFcTR9IzrPvuNVO4B8LGqF8qcpsVOhJCA==", "dev": true, "requires": {} }, @@ -30059,9 +30579,9 @@ "dev": true }, "yargs": { - "version": "17.4.1", - "resolved": "https://registry.npmjs.org/yargs/-/yargs-17.4.1.tgz", - "integrity": "sha512-WSZD9jgobAg3ZKuCQZSa3g9QOJeCCqLoLAykiWgmXnDo9EPnn4RPf5qVTtzgOx66o6/oqhcA5tHtJXpG8pMt3g==", + "version": "17.5.1", + "resolved": "https://registry.npmjs.org/yargs/-/yargs-17.5.1.tgz", + "integrity": "sha512-t6YAJcxDkNX7NFYiVtKvWUz8l+PaKTLiL63mJYWR2GnHq2gjEWISzsLp9wg3aY36dY1j+gfIEL3pIF+XlJJfbA==", "requires": { "cliui": "^7.0.2", "escalade": "^3.1.1", @@ -30073,9 +30593,9 @@ } }, "yargs-parser": { - "version": "21.0.1", - "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.0.1.tgz", - "integrity": "sha512-9BK1jFpLzJROCI5TzwZL/TU4gqjK5xiHV/RfWLOahrjAko/e4DJkRDZQXfvqAsiZzzYhgAzbgz6lg48jcm4GLg==" + "version": "21.1.1", + "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.1.1.tgz", + "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==" }, "yauzl": { "version": "2.10.0", @@ -30093,10 +30613,16 @@ "integrity": "sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==", "dev": true }, + "yocto-queue": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz", + "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==", + "dev": true + }, "zone.js": { - "version": "0.11.6", - "resolved": "https://registry.npmjs.org/zone.js/-/zone.js-0.11.6.tgz", - "integrity": "sha512-umJqFtKyZlPli669gB1gOrRE9hxUUGkZr7mo878z+NEBJZZixJkKeVYfnoLa7g25SseUDc92OZrMKKHySyJrFg==", + "version": "0.11.8", + "resolved": "https://registry.npmjs.org/zone.js/-/zone.js-0.11.8.tgz", + "integrity": "sha512-82bctBg2hKcEJ21humWIkXRlLBBmrc3nN7DFh5LGGhcyycO2S7FN8NmdvlcKaGFDNVL4/9kFLmwmInTavdJERA==", "requires": { "tslib": "^2.3.0" } diff --git a/src-ui/package.json b/src-ui/package.json index 88baef360..02afd7e79 100644 --- a/src-ui/package.json +++ b/src-ui/package.json @@ -13,48 +13,49 @@ }, "private": true, "dependencies": { - "@angular/common": "~14.0.4", - "@angular/compiler": "~14.0.4", - "@angular/core": "~14.0.4", - "@angular/forms": "~14.0.4", - "@angular/localize": "~14.0.4", - "@angular/platform-browser": "~14.0.4", - "@angular/platform-browser-dynamic": "~14.0.4", - "@angular/router": "~14.0.4", - "@ng-bootstrap/ng-bootstrap": "^13.0.0-beta.1", + "@angular/common": "~14.2.4", + "@angular/compiler": "~14.2.4", + "@angular/core": "~14.2.4", + "@angular/forms": "~14.2.4", + "@angular/localize": "~14.2.4", + "@angular/platform-browser": "~14.2.4", + "@angular/platform-browser-dynamic": "~14.2.4", + "@angular/router": "~14.2.4", + "@ng-bootstrap/ng-bootstrap": "^13.0.0", "@ng-select/ng-select": "^9.0.2", "@ngneat/dirty-check-forms": "^3.0.2", - "@popperjs/core": "^2.11.5", - "bootstrap": "^5.1.3", + "@popperjs/core": "^2.11.6", + "bootstrap": "^5.2.1", "file-saver": "^2.0.5", - "ng2-pdf-viewer": "^9.0.0", - "ngx-color": "^7.3.3", + "ng2-pdf-viewer": "^9.1.2", + "ngx-color": "^8.0.3", "ngx-cookie-service": "^14.0.1", - "ngx-file-drop": "^13.0.0", - "rxjs": "~7.5.5", + "ngx-file-drop": "^14.0.1", + "ngx-ui-tour-ng-bootstrap": "^11.0.0", + "rxjs": "~7.5.7", "tslib": "^2.3.1", - "uuid": "^8.3.1", - "zone.js": "~0.11.6" + "uuid": "^9.0.0", + "zone.js": "~0.11.8" }, "devDependencies": { - "@angular-builders/jest": "14.0.0", - "@angular-devkit/build-angular": "~14.0.4", - "@angular/cli": "~14.0.4", - "@angular/compiler-cli": "~14.0.4", - "@types/jest": "28.1.4", - "@types/node": "^18.0.0", + "@angular-builders/jest": "14.0.1", + "@angular-devkit/build-angular": "~14.2.4", + "@angular/cli": "~14.2.4", + "@angular/compiler-cli": "~14.2.4", + "@types/jest": "28.1.6", + "@types/node": "^18.7.23", "codelyzer": "^6.0.2", - "concurrently": "7.2.2", - "jest": "28.1.2", - "jest-environment-jsdom": "^28.1.2", - "jest-preset-angular": "^12.1.0", - "ts-node": "~10.8.1", + "concurrently": "7.4.0", + "jest": "28.1.3", + "jest-environment-jsdom": "^29.1.2", + "jest-preset-angular": "^12.2.2", + "ts-node": "~10.9.1", "tslint": "~6.1.3", - "typescript": "~4.6.3", + "typescript": "~4.8.4", "wait-on": "~6.0.1" }, "optionalDependencies": { - "@cypress/schematic": "^2.0.0", - "cypress": "~10.3.0" + "@cypress/schematic": "^2.1.1", + "cypress": "~10.9.0" } } diff --git a/src-ui/src/app/app-routing.module.ts b/src-ui/src/app/app-routing.module.ts index 65db5f97e..c62357c5d 100644 --- a/src-ui/src/app/app-routing.module.ts +++ b/src-ui/src/app/app-routing.module.ts @@ -14,12 +14,14 @@ import { DocumentAsnComponent } from './components/document-asn/document-asn.com import { DirtyFormGuard } from './guards/dirty-form.guard' import { StoragePathListComponent } from './components/manage/storage-path-list/storage-path-list.component' import { TasksComponent } from './components/manage/tasks/tasks.component' +import { DirtyDocGuard } from './guards/dirty-doc.guard' const routes: Routes = [ { path: '', redirectTo: 'dashboard', pathMatch: 'full' }, { path: '', component: AppFrameComponent, + canDeactivate: [DirtyDocGuard], children: [ { path: 'dashboard', component: DashboardComponent }, { path: 'documents', component: DocumentListComponent }, diff --git a/src-ui/src/app/app.component.html b/src-ui/src/app/app.component.html index 2b050ed3f..84a4f595c 100644 --- a/src-ui/src/app/app.component.html +++ b/src-ui/src/app/app.component.html @@ -11,3 +11,28 @@ + + + +

+
+
+ {{ tourService.steps?.indexOf(step) + 1 }} / {{ tourService.steps?.length }} + +
+
+
diff --git a/src-ui/src/app/app.component.ts b/src-ui/src/app/app.component.ts index b1ba49c3a..4ab48f32c 100644 --- a/src-ui/src/app/app.component.ts +++ b/src-ui/src/app/app.component.ts @@ -1,6 +1,6 @@ import { SettingsService } from './services/settings.service' import { SETTINGS_KEYS } from './data/paperless-uisettings' -import { Component, OnDestroy, OnInit } from '@angular/core' +import { Component, OnDestroy, OnInit, Renderer2 } from '@angular/core' import { Router } from '@angular/router' import { Subscription } from 'rxjs' import { ConsumerStatusService } from './services/consumer-status.service' @@ -8,6 +8,7 @@ import { ToastService } from './services/toast.service' import { NgxFileDropEntry } from 'ngx-file-drop' import { UploadDocumentsService } from './services/upload-documents.service' import { TasksService } from './services/tasks.service' +import { TourService } from 'ngx-ui-tour-ng-bootstrap' @Component({ selector: 'app-root', @@ -29,7 +30,9 @@ export class AppComponent implements OnInit, OnDestroy { private toastService: ToastService, private router: Router, private uploadDocumentsService: UploadDocumentsService, - private tasksService: TasksService + private tasksService: TasksService, + public tourService: TourService, + private renderer: Renderer2 ) { let anyWindow = window as any anyWindow.pdfWorkerSrc = 'assets/js/pdf.worker.min.js' @@ -112,6 +115,87 @@ export class AppComponent implements OnInit, OnDestroy { }) } }) + + this.tourService.initialize([ + { + anchorId: 'tour.dashboard', + content: $localize`The dashboard can be used to show saved views, such as an 'Inbox'. Those settings are found under Settings > Saved Views once you have created some.`, + route: '/dashboard', + enableBackdrop: true, + delayAfterNavigation: 500, + }, + { + anchorId: 'tour.upload-widget', + content: $localize`Drag-and-drop documents here to start uploading or place them in the consume folder. You can also drag-and-drop documents anywhere on all other pages of the web app. Once you do, Paperless-ngx will start training it's machine learning algorithms.`, + route: '/dashboard', + enableBackdrop: true, + }, + { + anchorId: 'tour.documents', + content: $localize`The documents list shows all of your documents and allows for filtering as well as bulk-editing. There are three different view styles: list, small cards and large cards. A list of documents currently opened for editing is shown in the sidebar.`, + route: '/documents?sort=created&reverse=1&page=1', + delayAfterNavigation: 500, + placement: 'bottom', + enableBackdrop: true, + disableScrollToAnchor: true, + }, + { + anchorId: 'tour.documents-filter-editor', + content: $localize`The filtering tools allow you to quickly find documents using various searches, dates, tags, etc.`, + route: '/documents?sort=created&reverse=1&page=1', + placement: 'bottom', + enableBackdrop: true, + }, + { + anchorId: 'tour.documents-views', + content: $localize`Any combination of filters can be saved as a 'view' which can then be displayed on the dashboard and / or sidebar.`, + route: '/documents?sort=created&reverse=1&page=1', + enableBackdrop: true, + }, + { + anchorId: 'tour.tags', + content: $localize`Tags, correspondents, document types and storage paths can all be managed using these pages. They can also be created from the document edit view.`, + route: '/tags', + enableBackdrop: true, + }, + { + anchorId: 'tour.file-tasks', + content: $localize`File Tasks shows you documents that have been consumed, are waiting to be, or may have failed during the process.`, + route: '/tasks', + enableBackdrop: true, + }, + { + anchorId: 'tour.settings', + content: $localize`Check out the settings for various tweaks to the web app or to toggle settings for saved views.`, + route: '/settings', + enableBackdrop: true, + }, + { + anchorId: 'tour.admin', + content: $localize`The Admin area contains more advanced controls as well as the settings for automatic e-mail fetching.`, + enableBackdrop: true, + }, + { + anchorId: 'tour.outro', + title: $localize`Thank you! 🙏`, + content: + $localize`There are tons more features and info we didn't cover here, but this should get you started. Check out the documentation or visit the project on GitHub to learn more or to report issues.` + + '

' + + $localize`Lastly, on behalf of every contributor to this community-supported project, thank you for using Paperless-ngx!`, + route: '/dashboard', + }, + ]) + + this.tourService.start$.subscribe(() => { + this.renderer.addClass(document.body, 'tour-active') + }) + + this.tourService.end$.subscribe(() => { + // animation time + setTimeout(() => { + this.renderer.removeClass(document.body, 'tour-active') + }, 500) + }) } public get dragDropEnabled(): boolean { diff --git a/src-ui/src/app/app.module.ts b/src-ui/src/app/app.module.ts index f4c49d95d..02fd8ea66 100644 --- a/src-ui/src/app/app.module.ts +++ b/src-ui/src/app/app.module.ts @@ -67,6 +67,13 @@ import { ApiVersionInterceptor } from './interceptors/api-version.interceptor' import { ColorSliderModule } from 'ngx-color/slider' import { ColorComponent } from './components/common/input/color/color.component' import { DocumentAsnComponent } from './components/document-asn/document-asn.component' +import { DocumentCommentsComponent } from './components/document-comments/document-comments.component' +import { DirtyDocGuard } from './guards/dirty-doc.guard' +import { StoragePathListComponent } from './components/manage/storage-path-list/storage-path-list.component' +import { StoragePathEditDialogComponent } from './components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component' +import { SettingsService } from './services/settings.service' +import { TasksComponent } from './components/manage/tasks/tasks.component' +import { TourNgBootstrapModule } from 'ngx-ui-tour-ng-bootstrap' import localeBe from '@angular/common/locales/be' import localeCs from '@angular/common/locales/cs' @@ -87,10 +94,6 @@ import localeSr from '@angular/common/locales/sr' import localeSv from '@angular/common/locales/sv' import localeTr from '@angular/common/locales/tr' import localeZh from '@angular/common/locales/zh' -import { StoragePathListComponent } from './components/manage/storage-path-list/storage-path-list.component' -import { StoragePathEditDialogComponent } from './components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component' -import { SettingsService } from './services/settings.service' -import { TasksComponent } from './components/manage/tasks/tasks.component' registerLocaleData(localeBe) registerLocaleData(localeCs) @@ -172,6 +175,7 @@ function initializeApp(settings: SettingsService) { DateComponent, ColorComponent, DocumentAsnComponent, + DocumentCommentsComponent, TasksComponent, ], imports: [ @@ -185,6 +189,7 @@ function initializeApp(settings: SettingsService) { PdfViewerModule, NgSelectModule, ColorSliderModule, + TourNgBootstrapModule.forRoot(), ], providers: [ { @@ -209,6 +214,7 @@ function initializeApp(settings: SettingsService) { DocumentTitlePipe, { provide: NgbDateAdapter, useClass: ISODateAdapter }, { provide: NgbDateParserFormatter, useClass: LocalizedDateParserFormatter }, + DirtyDocGuard, ], bootstrap: [AppComponent], }) diff --git a/src-ui/src/app/components/app-frame/app-frame.component.html b/src-ui/src/app/components/app-frame/app-frame.component.html index a745f9de4..3700105f3 100644 --- a/src-ui/src/app/components/app-frame/app-frame.component.html +++ b/src-ui/src/app/components/app-frame/app-frame.component.html @@ -4,11 +4,11 @@ (click)="isMenuCollapsed = !isMenuCollapsed"> - + - Paperless-ngx + Paperless-ngx
@@ -21,7 +21,7 @@
diff --git a/src-ui/src/app/components/document-detail/document-detail.component.ts b/src-ui/src/app/components/document-detail/document-detail.component.ts index 2792b6395..3a26c17f7 100644 --- a/src-ui/src/app/components/document-detail/document-detail.component.ts +++ b/src-ui/src/app/components/document-detail/document-detail.component.ts @@ -206,7 +206,7 @@ export class DocumentDetailComponent this.store.getValue().title !== this.documentForm.get('title').value ) { - this.openDocumentService.setDirty(doc.id, true) + this.openDocumentService.setDirty(doc, true) } }, }) @@ -228,12 +228,15 @@ export class DocumentDetailComponent this.store.asObservable() ) - return this.isDirty$.pipe(map((dirty) => ({ doc, dirty }))) + return this.isDirty$.pipe( + takeUntil(this.unsubscribeNotifier), + map((dirty) => ({ doc, dirty })) + ) }) ) .subscribe({ next: ({ doc, dirty }) => { - this.openDocumentService.setDirty(doc.id, dirty) + this.openDocumentService.setDirty(doc, dirty) }, error: (error) => { this.router.navigate(['404']) @@ -334,7 +337,7 @@ export class DocumentDetailComponent }) ) .pipe(takeUntil(this.unsubscribeNotifier)) - .subscribe(({ newStoragePath, documentTypes: storagePaths }) => { + .subscribe(({ newStoragePath, storagePaths }) => { this.storagePaths = storagePaths.results this.documentForm.get('storage_path').setValue(newStoragePath.id) }) @@ -349,7 +352,7 @@ export class DocumentDetailComponent Object.assign(this.document, doc) this.title = doc.title this.documentForm.patchValue(doc) - this.openDocumentService.setDirty(doc.id, false) + this.openDocumentService.setDirty(doc, false) }, error: () => { this.router.navigate(['404']) @@ -472,6 +475,42 @@ export class DocumentDetailComponent ]) } + redoOcr() { + let modal = this.modalService.open(ConfirmDialogComponent, { + backdrop: 'static', + }) + modal.componentInstance.title = $localize`Redo OCR confirm` + modal.componentInstance.messageBold = $localize`This operation will permanently redo OCR for this document.` + modal.componentInstance.message = $localize`This operation cannot be undone.` + modal.componentInstance.btnClass = 'btn-danger' + modal.componentInstance.btnCaption = $localize`Proceed` + modal.componentInstance.confirmClicked.subscribe(() => { + modal.componentInstance.buttonsEnabled = false + this.documentsService + .bulkEdit([this.document.id], 'redo_ocr', {}) + .subscribe({ + next: () => { + this.toastService.showInfo( + $localize`Redo OCR operation will begin in the background.` + ) + if (modal) { + modal.close() + } + }, + error: (error) => { + if (modal) { + modal.componentInstance.buttonsEnabled = true + } + this.toastService.showError( + $localize`Error executing operation: ${JSON.stringify( + error.error + )}` + ) + }, + }) + }) + } + hasNext() { return this.documentListViewService.hasNext(this.documentId) } @@ -512,4 +551,8 @@ export class DocumentDetailComponent this.password = (event.target as HTMLInputElement).value } } + + get commentsEnabled(): boolean { + return this.settings.get(SETTINGS_KEYS.COMMENTS_ENABLED) + } } diff --git a/src-ui/src/app/components/document-list/document-card-small/document-card-small.component.scss b/src-ui/src/app/components/document-list/document-card-small/document-card-small.component.scss index 6ccbba0c2..f64c3f112 100644 --- a/src-ui/src/app/components/document-list/document-card-small/document-card-small.component.scss +++ b/src-ui/src/app/components/document-list/document-card-small/document-card-small.component.scss @@ -80,7 +80,7 @@ a { } .tags { - top: 0; + top: .2rem; right: 0; max-width: 80%; row-gap: .2rem; diff --git a/src-ui/src/app/components/document-list/document-list.component.html b/src-ui/src/app/components/document-list/document-list.component.html index 7895c9a52..ca725b175 100644 --- a/src-ui/src/app/components/document-list/document-list.component.html +++ b/src-ui/src/app/components/document-list/document-list.component.html @@ -60,7 +60,7 @@
- + +

@@ -91,19 +92,20 @@ {list.collectionSize, plural, =1 {One document} other {{{list.collectionSize || 0}} documents}} (filtered)

-
- +
+ +
-
diff --git a/src-ui/src/app/components/document-list/document-list.component.scss b/src-ui/src/app/components/document-list/document-list.component.scss index b2d138d7f..3361d7c3a 100644 --- a/src-ui/src/app/components/document-list/document-list.component.scss +++ b/src-ui/src/app/components/document-list/document-list.component.scss @@ -11,7 +11,7 @@ tr { } $paperless-card-breakpoints: ( - 0: 2, // xs + // 0: 2, // xs is manual for slim-sidebar 768px: 3, //md 992px: 4, //lg 1200px: 5, //xl @@ -22,6 +22,12 @@ $paperless-card-breakpoints: ( ); .row-cols-paperless-cards { + // xs, we dont want in .col-slim block + > * { + flex: 0 0 auto; + width: calc(100% / 2); + } + @each $width, $n_cols in $paperless-card-breakpoints { @media(min-width: $width) { > * { @@ -32,6 +38,17 @@ $paperless-card-breakpoints: ( } } +::ng-deep .col-slim .row-cols-paperless-cards { + @each $width, $n_cols in $paperless-card-breakpoints { + @media(min-width: $width) { + > * { + flex: 0 0 auto; + width: calc(100% / ($n-cols + 1)) !important; + } + } + } +} + .dropdown-menu-right { right: 0 !important; left: auto !important; diff --git a/src-ui/src/app/components/document-list/document-list.component.ts b/src-ui/src/app/components/document-list/document-list.component.ts index cf5cce420..a0c6899f8 100644 --- a/src-ui/src/app/components/document-list/document-list.component.ts +++ b/src-ui/src/app/components/document-list/document-list.component.ts @@ -6,7 +6,7 @@ import { ViewChild, ViewChildren, } from '@angular/core' -import { ActivatedRoute, Router } from '@angular/router' +import { ActivatedRoute, convertToParamMap, Router } from '@angular/router' import { NgbModal } from '@ng-bootstrap/ng-bootstrap' import { filter, first, map, Subject, switchMap, takeUntil } from 'rxjs' import { FilterRule, isFullTextFilterRule } from 'src/app/data/filter-rule' @@ -87,10 +87,6 @@ export class DocumentListComponent implements OnInit, OnDestroy { this.list.setSort(event.column, event.reverse) } - setPage(page: number) { - this.list.currentPage = page - } - get isBulkEditing(): boolean { return this.list.selected.size > 0 } @@ -126,7 +122,11 @@ export class DocumentListComponent implements OnInit, OnDestroy { this.router.navigate(['404']) return } - this.list.activateSavedView(view) + + this.list.activateSavedViewWithQueryParams( + view, + convertToParamMap(this.route.snapshot.queryParams) + ) this.list.reload() this.unmodifiedFilterRules = view.filter_rules }) @@ -154,16 +154,6 @@ export class DocumentListComponent implements OnInit, OnDestroy { this.unsubscribeNotifier.complete() } - loadViewConfig(viewId: number) { - this.savedViewService - .getCached(viewId) - .pipe(first()) - .subscribe((view) => { - this.list.activateSavedView(view) - this.list.reload() - }) - } - saveViewConfig() { if (this.list.activeSavedViewId != null) { let savedView: PaperlessSavedView = { @@ -184,6 +174,16 @@ export class DocumentListComponent implements OnInit, OnDestroy { } } + loadViewConfig(viewID: number) { + this.savedViewService + .getCached(viewID) + .pipe(first()) + .subscribe((view) => { + this.list.activateSavedView(view) + this.list.reload() + }) + } + saveViewConfigAs() { let modal = this.modalService.open(SaveViewConfigDialogComponent, { backdrop: 'static', diff --git a/src-ui/src/app/components/document-list/filter-editor/filter-editor.component.html b/src-ui/src/app/components/document-list/filter-editor/filter-editor.component.html index 6709cfd0e..3ba0623dd 100644 --- a/src-ui/src/app/components/document-list/filter-editor/filter-editor.component.html +++ b/src-ui/src/app/components/document-list/filter-editor/filter-editor.component.html @@ -1,5 +1,5 @@ -
-
+
+
@@ -15,10 +15,10 @@
-
+
-
+
-
-
+
+
diff --git a/src-ui/src/app/components/document-list/filter-editor/filter-editor.component.scss b/src-ui/src/app/components/document-list/filter-editor/filter-editor.component.scss index 6bfe1448d..0e8796b3d 100644 --- a/src-ui/src/app/components/document-list/filter-editor/filter-editor.component.scss +++ b/src-ui/src/app/components/document-list/filter-editor/filter-editor.component.scss @@ -17,3 +17,7 @@ .d-flex.flex-wrap { column-gap: 0.7rem; } + +input[type="text"] { + min-width: 120px; +} diff --git a/src-ui/src/app/components/document-list/popover-preview/popover-preview.scss b/src-ui/src/app/components/document-list/popover-preview/popover-preview.scss index d232930c2..8d31bf2fb 100644 --- a/src-ui/src/app/components/document-list/popover-preview/popover-preview.scss +++ b/src-ui/src/app/components/document-list/popover-preview/popover-preview.scss @@ -1,4 +1,4 @@ -::ng-deep .popover { +::ng-deep app-document-list .popover { max-width: 40rem; .preview { diff --git a/src-ui/src/app/components/manage/settings/settings.component.html b/src-ui/src/app/components/manage/settings/settings.component.html index 002cc4eed..88bf34d36 100644 --- a/src-ui/src/app/components/manage/settings/settings.component.html +++ b/src-ui/src/app/components/manage/settings/settings.component.html @@ -1,5 +1,5 @@ - + @@ -89,6 +89,17 @@
+
+
+ Sidebar +
+
+ + + +
+
+
Dark mode @@ -116,6 +127,21 @@
+

Update checking

+ +
+
+

+ Update checking works by pinging the the public Github API for the latest release to determine whether a new version is available.
+ Actual updating of the app must still be performed manually. +

+

+ No tracking data is collected by the app in any way. +

+ +
+
+

Bulk editing

@@ -125,6 +151,14 @@
+

Comments

+ +
+
+ +
+
+ @@ -186,5 +220,5 @@
- + diff --git a/src-ui/src/app/components/manage/settings/settings.component.ts b/src-ui/src/app/components/manage/settings/settings.component.ts index 22ecfe9bb..51a401e49 100644 --- a/src-ui/src/app/components/manage/settings/settings.component.ts +++ b/src-ui/src/app/components/manage/settings/settings.component.ts @@ -4,7 +4,7 @@ import { LOCALE_ID, OnInit, OnDestroy, - Renderer2, + AfterViewInit, } from '@angular/core' import { FormControl, FormGroup } from '@angular/forms' import { PaperlessSavedView } from 'src/app/data/paperless-saved-view' @@ -16,21 +16,35 @@ import { } from 'src/app/services/settings.service' import { Toast, ToastService } from 'src/app/services/toast.service' import { dirtyCheck, DirtyComponent } from '@ngneat/dirty-check-forms' -import { Observable, Subscription, BehaviorSubject, first } from 'rxjs' +import { + Observable, + Subscription, + BehaviorSubject, + first, + tap, + takeUntil, + Subject, +} from 'rxjs' import { SETTINGS_KEYS } from 'src/app/data/paperless-uisettings' +import { ActivatedRoute } from '@angular/router' +import { ViewportScroller } from '@angular/common' +import { TourService } from 'ngx-ui-tour-ng-bootstrap' @Component({ selector: 'app-settings', templateUrl: './settings.component.html', styleUrls: ['./settings.component.scss'], }) -export class SettingsComponent implements OnInit, OnDestroy, DirtyComponent { +export class SettingsComponent + implements OnInit, AfterViewInit, OnDestroy, DirtyComponent +{ savedViewGroup = new FormGroup({}) settingsForm = new FormGroup({ bulkEditConfirmationDialogs: new FormControl(null), bulkEditApplyOnClose: new FormControl(null), documentListItemPerPage: new FormControl(null), + slimSidebarEnabled: new FormControl(null), darkModeUseSystem: new FormControl(null), darkModeEnabled: new FormControl(null), darkModeInvertThumbs: new FormControl(null), @@ -44,6 +58,8 @@ export class SettingsComponent implements OnInit, OnDestroy, DirtyComponent { notificationsConsumerSuccess: new FormControl(null), notificationsConsumerFailed: new FormControl(null), notificationsConsumerSuppressOnDashboard: new FormControl(null), + commentsEnabled: new FormControl(null), + updateCheckingEnabled: new FormControl(null), }) savedViews: PaperlessSavedView[] @@ -51,7 +67,9 @@ export class SettingsComponent implements OnInit, OnDestroy, DirtyComponent { store: BehaviorSubject storeSub: Subscription isDirty$: Observable - isDirty: Boolean = false + isDirty: boolean = false + unsubscribeNotifier: Subject = new Subject() + savePending: boolean = false get computedDateLocale(): string { return ( @@ -61,104 +79,129 @@ export class SettingsComponent implements OnInit, OnDestroy, DirtyComponent { ) } - get displayLanguageIsDirty(): boolean { - return ( - this.settingsForm.get('displayLanguage').value != - this.store?.getValue()['displayLanguage'] - ) - } - constructor( public savedViewService: SavedViewService, private documentListViewService: DocumentListViewService, private toastService: ToastService, private settings: SettingsService, - @Inject(LOCALE_ID) public currentLocale: string - ) {} + @Inject(LOCALE_ID) public currentLocale: string, + private viewportScroller: ViewportScroller, + private activatedRoute: ActivatedRoute, + public readonly tourService: TourService + ) { + this.settings.settingsSaved.subscribe(() => { + if (!this.savePending) this.initialize() + }) + } + + ngAfterViewInit(): void { + if (this.activatedRoute.snapshot.fragment) { + this.viewportScroller.scrollToAnchor( + this.activatedRoute.snapshot.fragment + ) + } + } + + private getCurrentSettings() { + return { + bulkEditConfirmationDialogs: this.settings.get( + SETTINGS_KEYS.BULK_EDIT_CONFIRMATION_DIALOGS + ), + bulkEditApplyOnClose: this.settings.get( + SETTINGS_KEYS.BULK_EDIT_APPLY_ON_CLOSE + ), + documentListItemPerPage: this.settings.get( + SETTINGS_KEYS.DOCUMENT_LIST_SIZE + ), + slimSidebarEnabled: this.settings.get(SETTINGS_KEYS.SLIM_SIDEBAR), + darkModeUseSystem: this.settings.get(SETTINGS_KEYS.DARK_MODE_USE_SYSTEM), + darkModeEnabled: this.settings.get(SETTINGS_KEYS.DARK_MODE_ENABLED), + darkModeInvertThumbs: this.settings.get( + SETTINGS_KEYS.DARK_MODE_THUMB_INVERTED + ), + themeColor: this.settings.get(SETTINGS_KEYS.THEME_COLOR), + useNativePdfViewer: this.settings.get( + SETTINGS_KEYS.USE_NATIVE_PDF_VIEWER + ), + savedViews: {}, + displayLanguage: this.settings.getLanguage(), + dateLocale: this.settings.get(SETTINGS_KEYS.DATE_LOCALE), + dateFormat: this.settings.get(SETTINGS_KEYS.DATE_FORMAT), + notificationsConsumerNewDocument: this.settings.get( + SETTINGS_KEYS.NOTIFICATIONS_CONSUMER_NEW_DOCUMENT + ), + notificationsConsumerSuccess: this.settings.get( + SETTINGS_KEYS.NOTIFICATIONS_CONSUMER_SUCCESS + ), + notificationsConsumerFailed: this.settings.get( + SETTINGS_KEYS.NOTIFICATIONS_CONSUMER_FAILED + ), + notificationsConsumerSuppressOnDashboard: this.settings.get( + SETTINGS_KEYS.NOTIFICATIONS_CONSUMER_SUPPRESS_ON_DASHBOARD + ), + commentsEnabled: this.settings.get(SETTINGS_KEYS.COMMENTS_ENABLED), + updateCheckingEnabled: this.settings.get( + SETTINGS_KEYS.UPDATE_CHECKING_ENABLED + ), + } + } ngOnInit() { this.savedViewService.listAll().subscribe((r) => { this.savedViews = r.results - let storeData = { - bulkEditConfirmationDialogs: this.settings.get( - SETTINGS_KEYS.BULK_EDIT_CONFIRMATION_DIALOGS - ), - bulkEditApplyOnClose: this.settings.get( - SETTINGS_KEYS.BULK_EDIT_APPLY_ON_CLOSE - ), - documentListItemPerPage: this.settings.get( - SETTINGS_KEYS.DOCUMENT_LIST_SIZE - ), - darkModeUseSystem: this.settings.get( - SETTINGS_KEYS.DARK_MODE_USE_SYSTEM - ), - darkModeEnabled: this.settings.get(SETTINGS_KEYS.DARK_MODE_ENABLED), - darkModeInvertThumbs: this.settings.get( - SETTINGS_KEYS.DARK_MODE_THUMB_INVERTED - ), - themeColor: this.settings.get(SETTINGS_KEYS.THEME_COLOR), - useNativePdfViewer: this.settings.get( - SETTINGS_KEYS.USE_NATIVE_PDF_VIEWER - ), - savedViews: {}, - displayLanguage: this.settings.getLanguage(), - dateLocale: this.settings.get(SETTINGS_KEYS.DATE_LOCALE), - dateFormat: this.settings.get(SETTINGS_KEYS.DATE_FORMAT), - notificationsConsumerNewDocument: this.settings.get( - SETTINGS_KEYS.NOTIFICATIONS_CONSUMER_NEW_DOCUMENT - ), - notificationsConsumerSuccess: this.settings.get( - SETTINGS_KEYS.NOTIFICATIONS_CONSUMER_SUCCESS - ), - notificationsConsumerFailed: this.settings.get( - SETTINGS_KEYS.NOTIFICATIONS_CONSUMER_FAILED - ), - notificationsConsumerSuppressOnDashboard: this.settings.get( - SETTINGS_KEYS.NOTIFICATIONS_CONSUMER_SUPPRESS_ON_DASHBOARD - ), + this.initialize() + }) + } + + initialize() { + this.unsubscribeNotifier.next(true) + + let storeData = this.getCurrentSettings() + + for (let view of this.savedViews) { + storeData.savedViews[view.id.toString()] = { + id: view.id, + name: view.name, + show_on_dashboard: view.show_on_dashboard, + show_in_sidebar: view.show_in_sidebar, } + this.savedViewGroup.addControl( + view.id.toString(), + new FormGroup({ + id: new FormControl(null), + name: new FormControl(null), + show_on_dashboard: new FormControl(null), + show_in_sidebar: new FormControl(null), + }) + ) + } - for (let view of this.savedViews) { - storeData.savedViews[view.id.toString()] = { - id: view.id, - name: view.name, - show_on_dashboard: view.show_on_dashboard, - show_in_sidebar: view.show_in_sidebar, - } - this.savedViewGroup.addControl( - view.id.toString(), - new FormGroup({ - id: new FormControl(null), - name: new FormControl(null), - show_on_dashboard: new FormControl(null), - show_in_sidebar: new FormControl(null), - }) - ) - } + this.store = new BehaviorSubject(storeData) - this.store = new BehaviorSubject(storeData) + this.storeSub = this.store.asObservable().subscribe((state) => { + this.settingsForm.patchValue(state, { emitEvent: false }) + }) - this.storeSub = this.store.asObservable().subscribe((state) => { - this.settingsForm.patchValue(state, { emitEvent: false }) - }) + // Initialize dirtyCheck + this.isDirty$ = dirtyCheck(this.settingsForm, this.store.asObservable()) - // Initialize dirtyCheck - this.isDirty$ = dirtyCheck(this.settingsForm, this.store.asObservable()) - - // Record dirty in case we need to 'undo' appearance settings if not saved on close - this.isDirty$.subscribe((dirty) => { + // Record dirty in case we need to 'undo' appearance settings if not saved on close + this.isDirty$ + .pipe(takeUntil(this.unsubscribeNotifier)) + .subscribe((dirty) => { this.isDirty = dirty }) - // "Live" visual changes prior to save - this.settingsForm.valueChanges.subscribe(() => { + // "Live" visual changes prior to save + this.settingsForm.valueChanges + .pipe(takeUntil(this.unsubscribeNotifier)) + .subscribe(() => { this.settings.updateAppearanceSettings( this.settingsForm.get('darkModeUseSystem').value, this.settingsForm.get('darkModeEnabled').value, this.settingsForm.get('themeColor').value ) }) - }) } ngOnDestroy() { @@ -177,7 +220,14 @@ export class SettingsComponent implements OnInit, OnDestroy, DirtyComponent { } private saveLocalSettings() { - const reloadRequired = this.displayLanguageIsDirty // just this one, for now + this.savePending = true + const reloadRequired = + this.settingsForm.value.displayLanguage != + this.store?.getValue()['displayLanguage'] || // displayLanguage is dirty + (this.settingsForm.value.updateCheckingEnabled != + this.store?.getValue()['updateCheckingEnabled'] && + this.settingsForm.value.updateCheckingEnabled) // update checking was turned on + this.settings.set( SETTINGS_KEYS.BULK_EDIT_APPLY_ON_CLOSE, this.settingsForm.value.bulkEditApplyOnClose @@ -190,6 +240,10 @@ export class SettingsComponent implements OnInit, OnDestroy, DirtyComponent { SETTINGS_KEYS.DOCUMENT_LIST_SIZE, this.settingsForm.value.documentListItemPerPage ) + this.settings.set( + SETTINGS_KEYS.SLIM_SIDEBAR, + this.settingsForm.value.slimSidebarEnabled + ) this.settings.set( SETTINGS_KEYS.DARK_MODE_USE_SYSTEM, this.settingsForm.value.darkModeUseSystem @@ -234,10 +288,19 @@ export class SettingsComponent implements OnInit, OnDestroy, DirtyComponent { SETTINGS_KEYS.NOTIFICATIONS_CONSUMER_SUPPRESS_ON_DASHBOARD, this.settingsForm.value.notificationsConsumerSuppressOnDashboard ) + this.settings.set( + SETTINGS_KEYS.COMMENTS_ENABLED, + this.settingsForm.value.commentsEnabled + ) + this.settings.set( + SETTINGS_KEYS.UPDATE_CHECKING_ENABLED, + this.settingsForm.value.updateCheckingEnabled + ) this.settings.setLanguage(this.settingsForm.value.displayLanguage) this.settings .storeSettings() .pipe(first()) + .pipe(tap(() => (this.savePending = false))) .subscribe({ next: () => { this.store.next(this.settingsForm.value) diff --git a/src-ui/src/app/components/manage/tasks/tasks.component.html b/src-ui/src/app/components/manage/tasks/tasks.component.html index fcffc0ba3..961b8b091 100644 --- a/src-ui/src/app/components/manage/tasks/tasks.component.html +++ b/src-ui/src/app/components/manage/tasks/tasks.component.html @@ -54,8 +54,8 @@
{{ task.name }} - {{ task.created | customDate:'short' }} - + {{ task.date_created | customDate:'short' }} +
{{ task.result | slice:0:50 }}… @@ -74,11 +74,18 @@ - +
+ + +
diff --git a/src-ui/src/app/components/manage/tasks/tasks.component.ts b/src-ui/src/app/components/manage/tasks/tasks.component.ts index 3779e7281..a2601dd8b 100644 --- a/src-ui/src/app/components/manage/tasks/tasks.component.ts +++ b/src-ui/src/app/components/manage/tasks/tasks.component.ts @@ -1,6 +1,7 @@ import { Component, OnInit, OnDestroy } from '@angular/core' +import { Router } from '@angular/router' import { NgbModal } from '@ng-bootstrap/ng-bootstrap' -import { takeUntil, Subject, first } from 'rxjs' +import { Subject, first } from 'rxjs' import { PaperlessTask } from 'src/app/data/paperless-task' import { TasksService } from 'src/app/services/tasks.service' import { ConfirmDialogComponent } from '../../common/confirm-dialog/confirm-dialog.component' @@ -24,7 +25,8 @@ export class TasksComponent implements OnInit, OnDestroy { constructor( public tasksService: TasksService, - private modalService: NgbModal + private modalService: NgbModal, + private readonly router: Router ) {} ngOnInit() { @@ -64,6 +66,11 @@ export class TasksComponent implements OnInit, OnDestroy { } } + dismissAndGo(task: PaperlessTask) { + this.dismissTask(task) + this.router.navigate(['documents', task.related_document]) + } + expandTask(task: PaperlessTask) { this.expandedTask = this.expandedTask == task.id ? undefined : task.id } diff --git a/src-ui/src/app/data/filter-rule-type.ts b/src-ui/src/app/data/filter-rule-type.ts index 35e597ab6..3c115e772 100644 --- a/src-ui/src/app/data/filter-rule-type.ts +++ b/src-ui/src/app/data/filter-rule-type.ts @@ -1,3 +1,4 @@ +// These correspond to src/documents/models.py and changes here require a DB migration (and vice versa) export const FILTER_TITLE = 0 export const FILTER_CONTENT = 1 diff --git a/src-ui/src/app/data/matching-model.ts b/src-ui/src/app/data/matching-model.ts index e228893d6..8ce05528e 100644 --- a/src-ui/src/app/data/matching-model.ts +++ b/src-ui/src/app/data/matching-model.ts @@ -6,6 +6,7 @@ export const MATCH_LITERAL = 3 export const MATCH_REGEX = 4 export const MATCH_FUZZY = 5 export const MATCH_AUTO = 6 +export const DEFAULT_MATCHING_ALGORITHM = MATCH_AUTO export const MATCHING_ALGORITHMS = [ { diff --git a/src-ui/src/app/data/paperless-document-comment.ts b/src-ui/src/app/data/paperless-document-comment.ts new file mode 100644 index 000000000..14085cf32 --- /dev/null +++ b/src-ui/src/app/data/paperless-document-comment.ts @@ -0,0 +1,8 @@ +import { ObjectWithId } from './object-with-id' +import { User } from './user' + +export interface PaperlessDocumentComment extends ObjectWithId { + created?: Date + comment?: string + user?: User +} diff --git a/src-ui/src/app/data/paperless-document-metadata.ts b/src-ui/src/app/data/paperless-document-metadata.ts index 1f9155b3a..152f69046 100644 --- a/src-ui/src/app/data/paperless-document-metadata.ts +++ b/src-ui/src/app/data/paperless-document-metadata.ts @@ -7,5 +7,7 @@ export interface PaperlessDocumentMetadata { media_filename?: string + original_filename?: string + has_archive_version?: boolean } diff --git a/src-ui/src/app/data/paperless-document-suggestions.ts b/src-ui/src/app/data/paperless-document-suggestions.ts index 47d480985..295a1ab0e 100644 --- a/src-ui/src/app/data/paperless-document-suggestions.ts +++ b/src-ui/src/app/data/paperless-document-suggestions.ts @@ -6,4 +6,6 @@ export interface PaperlessDocumentSuggestions { document_types?: number[] storage_paths?: number[] + + dates?: string[] // ISO-formatted date string e.g. 2022-11-03 } diff --git a/src-ui/src/app/data/paperless-document.ts b/src-ui/src/app/data/paperless-document.ts index f5f83868c..8b038d79e 100644 --- a/src-ui/src/app/data/paperless-document.ts +++ b/src-ui/src/app/data/paperless-document.ts @@ -29,8 +29,6 @@ export interface PaperlessDocument extends ObjectWithId { content?: string - file_type?: string - tags$?: Observable tags?: number[] @@ -47,7 +45,7 @@ export interface PaperlessDocument extends ObjectWithId { added?: Date - file_name?: string + original_file_name?: string download_url?: string diff --git a/src-ui/src/app/data/paperless-task.ts b/src-ui/src/app/data/paperless-task.ts index 5984725f9..ccf09bb6f 100644 --- a/src-ui/src/app/data/paperless-task.ts +++ b/src-ui/src/app/data/paperless-task.ts @@ -6,11 +6,10 @@ export enum PaperlessTaskType { } export enum PaperlessTaskStatus { - Queued = 'queued', - Started = 'started', - Complete = 'complete', - Failed = 'failed', - Unknown = 'unknown', + Pending = 'PENDING', + Started = 'STARTED', + Complete = 'SUCCESS', + Failed = 'FAILURE', } export interface PaperlessTask extends ObjectWithId { @@ -24,9 +23,11 @@ export interface PaperlessTask extends ObjectWithId { name: string - created: Date + date_created: Date - started?: Date + done?: Date result: string + + related_document?: number } diff --git a/src-ui/src/app/data/paperless-uisettings.ts b/src-ui/src/app/data/paperless-uisettings.ts index 75aec2a51..403d11f08 100644 --- a/src-ui/src/app/data/paperless-uisettings.ts +++ b/src-ui/src/app/data/paperless-uisettings.ts @@ -36,6 +36,11 @@ export const SETTINGS_KEYS = { 'general-settings:notifications:consumer-failed', NOTIFICATIONS_CONSUMER_SUPPRESS_ON_DASHBOARD: 'general-settings:notifications:consumer-suppress-on-dashboard', + COMMENTS_ENABLED: 'general-settings:comments-enabled', + SLIM_SIDEBAR: 'general-settings:slim-sidebar', + UPDATE_CHECKING_ENABLED: 'general-settings:update-checking:enabled', + UPDATE_CHECKING_BACKEND_SETTING: + 'general-settings:update-checking:backend-setting', } export const SETTINGS: PaperlessUiSetting[] = [ @@ -54,6 +59,11 @@ export const SETTINGS: PaperlessUiSetting[] = [ type: 'boolean', default: false, }, + { + key: SETTINGS_KEYS.SLIM_SIDEBAR, + type: 'boolean', + default: false, + }, { key: SETTINGS_KEYS.DOCUMENT_LIST_SIZE, type: 'number', @@ -114,4 +124,19 @@ export const SETTINGS: PaperlessUiSetting[] = [ type: 'boolean', default: true, }, + { + key: SETTINGS_KEYS.COMMENTS_ENABLED, + type: 'boolean', + default: true, + }, + { + key: SETTINGS_KEYS.UPDATE_CHECKING_ENABLED, + type: 'boolean', + default: false, + }, + { + key: SETTINGS_KEYS.UPDATE_CHECKING_BACKEND_SETTING, + type: 'string', + default: '', + }, ] diff --git a/src-ui/src/app/data/user.ts b/src-ui/src/app/data/user.ts new file mode 100644 index 000000000..adf00e86b --- /dev/null +++ b/src-ui/src/app/data/user.ts @@ -0,0 +1,7 @@ +import { ObjectWithId } from './object-with-id' + +export interface User extends ObjectWithId { + username: string + firstname: string + lastname: string +} diff --git a/src-ui/src/app/guards/dirty-doc.guard.ts b/src-ui/src/app/guards/dirty-doc.guard.ts new file mode 100644 index 000000000..10362db45 --- /dev/null +++ b/src-ui/src/app/guards/dirty-doc.guard.ts @@ -0,0 +1,20 @@ +import { CanDeactivate } from '@angular/router' +import { Injectable } from '@angular/core' +import { Observable } from 'rxjs' + +export interface ComponentCanDeactivate { + canDeactivate: () => boolean | Observable +} + +@Injectable() +export class DirtyDocGuard implements CanDeactivate { + canDeactivate( + component: ComponentCanDeactivate + ): boolean | Observable { + return component.canDeactivate() + ? true + : confirm( + $localize`Warning: You have unsaved changes to your document(s).` + ) + } +} diff --git a/src-ui/src/app/services/document-list-view.service.ts b/src-ui/src/app/services/document-list-view.service.ts index a21ee1312..1dea011c0 100644 --- a/src-ui/src/app/services/document-list-view.service.ts +++ b/src-ui/src/app/services/document-list-view.service.ts @@ -11,7 +11,7 @@ import { PaperlessDocument } from '../data/paperless-document' import { PaperlessSavedView } from '../data/paperless-saved-view' import { SETTINGS_KEYS } from '../data/paperless-uisettings' import { DOCUMENT_LIST_SERVICE } from '../data/storage-keys' -import { generateParams, parseParams } from '../utils/query-params' +import { paramsFromViewState, paramsToViewState } from '../utils/query-params' import { DocumentService, DOCUMENT_SORT_FIELDS } from './rest/document.service' import { SettingsService } from './settings.service' @@ -147,6 +147,15 @@ export class DocumentListViewService { } } + activateSavedViewWithQueryParams( + view: PaperlessSavedView, + queryParams: ParamMap + ) { + const viewState = paramsToViewState(queryParams) + this.activateSavedView(view) + this.currentPage = viewState.currentPage + } + loadSavedView(view: PaperlessSavedView, closeCurrentView: boolean = false) { if (closeCurrentView) { this._activeSavedViewId = null @@ -171,7 +180,7 @@ export class DocumentListViewService { loadFromQueryParams(queryParams: ParamMap) { const paramsEmpty: boolean = queryParams.keys.length == 0 let newState: ListViewState = this.listViewStates.get(null) - if (!paramsEmpty) newState = parseParams(queryParams) + if (!paramsEmpty) newState = paramsToViewState(queryParams) if (newState == undefined) newState = this.defaultListViewState() // if nothing in local storage // only reload if things have changed @@ -212,11 +221,16 @@ export class DocumentListViewService { this.isReloading = false activeListViewState.collectionSize = result.count activeListViewState.documents = result.results - if (updateQueryParams && !this._activeSavedViewId) { let base = ['/documents'] this.router.navigate(base, { - queryParams: generateParams(activeListViewState), + queryParams: paramsFromViewState(activeListViewState), + replaceUrl: !this.router.routerState.snapshot.url.includes('?'), // in case navigating from params-less /documents + }) + } else if (this._activeSavedViewId) { + this.router.navigate([], { + queryParams: paramsFromViewState(activeListViewState, true), + queryParamsHandling: 'merge', }) } @@ -305,7 +319,6 @@ export class DocumentListViewService { set currentPage(page: number) { if (this.activeListViewState.currentPage == page) return - this._activeSavedViewId = null this.activeListViewState.currentPage = page this.reload() this.saveDocumentListView() diff --git a/src-ui/src/app/services/open-documents.service.ts b/src-ui/src/app/services/open-documents.service.ts index d7746d261..8533166c3 100644 --- a/src-ui/src/app/services/open-documents.service.ts +++ b/src-ui/src/app/services/open-documents.service.ts @@ -92,9 +92,14 @@ export class OpenDocumentsService { } } - setDirty(documentId: number, dirty: boolean) { - if (dirty) this.dirtyDocuments.add(documentId) - else this.dirtyDocuments.delete(documentId) + setDirty(doc: PaperlessDocument, dirty: boolean) { + if (!this.openDocuments.find((d) => d.id == doc.id)) return + if (dirty) this.dirtyDocuments.add(doc.id) + else this.dirtyDocuments.delete(doc.id) + } + + hasDirty(): boolean { + return this.dirtyDocuments.size > 0 } closeDocument(doc: PaperlessDocument): Observable { diff --git a/src-ui/src/app/services/rest/document-comments.service.ts b/src-ui/src/app/services/rest/document-comments.service.ts new file mode 100644 index 000000000..a697c0e93 --- /dev/null +++ b/src-ui/src/app/services/rest/document-comments.service.ts @@ -0,0 +1,37 @@ +import { Injectable } from '@angular/core' +import { HttpClient, HttpParams } from '@angular/common/http' +import { PaperlessDocumentComment } from 'src/app/data/paperless-document-comment' +import { AbstractPaperlessService } from './abstract-paperless-service' +import { Observable } from 'rxjs' + +@Injectable({ + providedIn: 'root', +}) +export class DocumentCommentsService extends AbstractPaperlessService { + constructor(http: HttpClient) { + super(http, 'documents') + } + + getComments(documentId: number): Observable { + return this.http.get( + this.getResourceUrl(documentId, 'comments') + ) + } + + addComment(id: number, comment): Observable { + return this.http.post( + this.getResourceUrl(id, 'comments'), + { comment: comment } + ) + } + + deleteComment( + documentId: number, + commentId: number + ): Observable { + return this.http.delete( + this.getResourceUrl(documentId, 'comments'), + { params: new HttpParams({ fromString: `id=${commentId}` }) } + ) + } +} diff --git a/src-ui/src/app/services/rest/remote-version.service.ts b/src-ui/src/app/services/rest/remote-version.service.ts index ab1b5a66b..9b1def363 100644 --- a/src-ui/src/app/services/rest/remote-version.service.ts +++ b/src-ui/src/app/services/rest/remote-version.service.ts @@ -6,7 +6,6 @@ import { environment } from 'src/environments/environment' export interface AppRemoteVersion { version: string update_available: boolean - feature_is_set: boolean } @Injectable({ diff --git a/src-ui/src/app/services/settings.service.ts b/src-ui/src/app/services/settings.service.ts index 14d261789..24b2d67ce 100644 --- a/src-ui/src/app/services/settings.service.ts +++ b/src-ui/src/app/services/settings.service.ts @@ -1,6 +1,7 @@ import { DOCUMENT } from '@angular/common' import { HttpClient } from '@angular/common/http' import { + EventEmitter, Inject, Injectable, LOCALE_ID, @@ -22,6 +23,7 @@ import { SETTINGS, SETTINGS_KEYS, } from '../data/paperless-uisettings' +import { SavedViewService } from './rest/saved-view.service' import { ToastService } from './toast.service' export interface LanguageOption { @@ -46,6 +48,8 @@ export class SettingsService { public displayName: string + public settingsSaved: EventEmitter = new EventEmitter() + constructor( rendererFactory: RendererFactory2, @Inject(DOCUMENT) private document, @@ -53,7 +57,8 @@ export class SettingsService { private meta: Meta, @Inject(LOCALE_ID) private localeId: string, protected http: HttpClient, - private toastService: ToastService + private toastService: ToastService, + private savedViewService: SavedViewService ) { this.renderer = rendererFactory.createRenderer(null, null) } @@ -313,13 +318,7 @@ export class SettingsService { ) } - get(key: string): any { - let setting = SETTINGS.find((s) => s.key == key) - - if (!setting) { - return null - } - + private getSettingRawValue(key: string): any { let value = null // parse key:key:key into nested object const keys = key.replace('general-settings:', '').split(':') @@ -330,6 +329,17 @@ export class SettingsService { if (index == keys.length - 1) value = settingObj[keyPart] else settingObj = settingObj[keyPart] }) + return value + } + + get(key: string): any { + let setting = SETTINGS.find((s) => s.key == key) + + if (!setting) { + return null + } + + let value = this.getSettingRawValue(key) if (value != null) { switch (setting.type) { @@ -359,8 +369,19 @@ export class SettingsService { }) } + private settingIsSet(key: string): boolean { + let value = this.getSettingRawValue(key) + return value != null + } + storeSettings(): Observable { - return this.http.post(this.baseUrl, { settings: this.settings }) + return this.http.post(this.baseUrl, { settings: this.settings }).pipe( + tap((results) => { + if (results.success) { + this.settingsSaved.emit() + } + }) + ) } maybeMigrateSettings() { @@ -400,5 +421,38 @@ export class SettingsService { }, }) } + + if ( + !this.settingIsSet(SETTINGS_KEYS.UPDATE_CHECKING_ENABLED) && + this.get(SETTINGS_KEYS.UPDATE_CHECKING_BACKEND_SETTING) != 'default' + ) { + this.set( + SETTINGS_KEYS.UPDATE_CHECKING_ENABLED, + this.get(SETTINGS_KEYS.UPDATE_CHECKING_BACKEND_SETTING).toString() === + 'true' + ) + + this.storeSettings() + .pipe(first()) + .subscribe({ + error: (e) => { + this.toastService.showError( + 'Error migrating update checking setting' + ) + console.log(e) + }, + }) + } + } + + get updateCheckingIsSet(): boolean { + return this.settingIsSet(SETTINGS_KEYS.UPDATE_CHECKING_ENABLED) + } + + offerTour(): boolean { + return ( + !this.savedViewService.loading && + this.savedViewService.dashboardViews.length == 0 + ) } } diff --git a/src-ui/src/app/services/tasks.service.ts b/src-ui/src/app/services/tasks.service.ts index 8518d6f0e..4607128a1 100644 --- a/src-ui/src/app/services/tasks.service.ts +++ b/src-ui/src/app/services/tasks.service.ts @@ -1,6 +1,6 @@ import { HttpClient } from '@angular/common/http' import { Injectable } from '@angular/core' -import { first, map } from 'rxjs/operators' +import { first } from 'rxjs/operators' import { PaperlessTask, PaperlessTaskStatus, @@ -27,7 +27,7 @@ export class TasksService { } public get queuedFileTasks(): PaperlessTask[] { - return this.fileTasks.filter((t) => t.status == PaperlessTaskStatus.Queued) + return this.fileTasks.filter((t) => t.status == PaperlessTaskStatus.Pending) } public get startedFileTasks(): PaperlessTask[] { diff --git a/src-ui/src/app/utils/query-params.ts b/src-ui/src/app/utils/query-params.ts index 6af44e8c9..9694442be 100644 --- a/src-ui/src/app/utils/query-params.ts +++ b/src-ui/src/app/utils/query-params.ts @@ -7,17 +7,22 @@ const SORT_FIELD_PARAMETER = 'sort' const SORT_REVERSE_PARAMETER = 'reverse' const PAGE_PARAMETER = 'page' -export function generateParams(viewState: ListViewState): Params { +export function paramsFromViewState( + viewState: ListViewState, + pageOnly: boolean = false +): Params { let params = queryParamsFromFilterRules(viewState.filterRules) params[SORT_FIELD_PARAMETER] = viewState.sortField params[SORT_REVERSE_PARAMETER] = viewState.sortReverse ? 1 : undefined + if (pageOnly) params = {} params[PAGE_PARAMETER] = isNaN(viewState.currentPage) ? 1 : viewState.currentPage + if (pageOnly && viewState.currentPage == 1) params[PAGE_PARAMETER] = null return params } -export function parseParams(queryParams: ParamMap): ListViewState { +export function paramsToViewState(queryParams: ParamMap): ListViewState { let filterRules = filterRulesFromQueryParams(queryParams) let sortField = queryParams.get(SORT_FIELD_PARAMETER) let sortReverse = diff --git a/src-ui/src/assets/save-filter.png b/src-ui/src/assets/save-filter.png deleted file mode 100644 index 0f011f812..000000000 Binary files a/src-ui/src/assets/save-filter.png and /dev/null differ diff --git a/src-ui/src/environments/environment.prod.ts b/src-ui/src/environments/environment.prod.ts index 4d64db657..a2c3b2bc9 100644 --- a/src-ui/src/environments/environment.prod.ts +++ b/src-ui/src/environments/environment.prod.ts @@ -5,7 +5,7 @@ export const environment = { apiBaseUrl: document.baseURI + 'api/', apiVersion: '2', appTitle: 'Paperless-ngx', - version: '1.7.1-dev', + version: '1.9.2-dev', webSocketHost: window.location.host, webSocketProtocol: window.location.protocol == 'https:' ? 'wss:' : 'ws:', webSocketBaseUrl: base_url.pathname + 'ws/', diff --git a/src-ui/src/locale/messages.ar_SA.xlf b/src-ui/src/locale/messages.ar_AR.xlf similarity index 95% rename from src-ui/src/locale/messages.ar_SA.xlf rename to src-ui/src/locale/messages.ar_AR.xlf index 1618db6f7..97ae0c13b 100644 --- a/src-ui/src/locale/messages.ar_SA.xlf +++ b/src-ui/src/locale/messages.ar_AR.xlf @@ -1,6 +1,6 @@ - + Close @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Decrement hours @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Increment minutes @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Decrement minutes @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 طرق العرض المحفوظة @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 حفظ @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Searching document with asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Delete @@ -1537,11 +1581,23 @@ تحميل النسخة الأصلية + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 إغلاق @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Previous @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Next @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 تفاصيل @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 الرقم التسلسلي للأرشيف @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 تاريخ الإنشاء @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Default @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 محتوى @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 تاريخ التعديل @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 تاريخ الإضافة @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 اسم ملف الوسائط + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 مجموع MD5 الاختباري للأصل @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 حجم الملف الأصلي @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 نوع mime الأصلي @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 مجموع MD5 الاختباري للأرشيف @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 حجم ملف الأرشيف @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 بيانات التعريف للمستند الأصلي @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 بيانات التعريف للمستند الأصلي @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Enter Password + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 تجاهل @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 حفظ & التالي @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 هل تريد حقاً حذف المستند " @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 ستحذف ملفات هذا المستند بشكل دائم. لا يمكن التراجع عن هذه العملية. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 حذف مستند @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 حدث خطأ أثناء حذف الوثيقة: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + This operation cannot be undone. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ This operation will permanently delete selected document(s). - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - This operation cannot be undone. - Delete document(s) @@ -2159,14 +2279,6 @@ Delete document(s) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 View "" saved successfully. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 View "" created successfully. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Show in sidebar @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Show on dashboard @@ -3083,11 +3187,19 @@ Apply on close + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 الإشعارات @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Document processing @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Show notifications when new documents are detected @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Show notifications when document processing completes successfully @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Show notifications when document processing fails @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Suppress notifications on dashboard @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 This will suppress all messages about document processing status on the dashboard. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Appears on @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 No saved views defined. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Saved view "" deleted. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 استخدم لغة النظام @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 استخدم تنسيق تاريخ لغة العرض @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3501,6 +3613,14 @@ Auto: Learn matching automatically + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Unsaved Changes @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 You have unsaved changes. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Are you sure you want to close this document? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Close document @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Are you sure you want to close all documents? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Close documents diff --git a/src-ui/src/locale/messages.ar_BH.xlf b/src-ui/src/locale/messages.ar_BH.xlf deleted file mode 100644 index aa317ec20..000000000 --- a/src-ui/src/locale/messages.ar_BH.xlf +++ /dev/null @@ -1,2340 +0,0 @@ - - - - - - Document added - - src/app/app.component.ts - 51 - - Document added - - - Document was added to paperless. - - src/app/app.component.ts - 51 - - Document was added to paperless. - - - Open document - - src/app/app.component.ts - 51 - - Open document - - - Could not add : - - src/app/app.component.ts - 59 - - Could not add : - - - New document detected - - src/app/app.component.ts - 65 - - New document detected - - - Document is being processed by paperless. - - src/app/app.component.ts - 65 - - Document is being processed by paperless. - - - Documents - - src/app/components/document-list/document-list.component.ts - 51 - - Documents - - - View "" saved successfully. - - src/app/components/document-list/document-list.component.ts - 116 - - View "" saved successfully. - - - View "" created successfully. - - src/app/components/document-list/document-list.component.ts - 138 - - View "" created successfully. - - - Select - - src/app/components/document-list/document-list.component.html - 7 - - Select - - - Select none - - src/app/components/document-list/document-list.component.html - 10 - - Select none - - - Select page - - src/app/components/document-list/document-list.component.html - 11 - - Select page - - - Select all - - src/app/components/document-list/document-list.component.html - 12 - - Select all - - - Sort - - src/app/components/document-list/document-list.component.html - 39 - - Sort - - - Views - - src/app/components/document-list/document-list.component.html - 64 - - Views - - - Save as... - - src/app/components/document-list/document-list.component.html - 72 - - Save as... - - - Save "" - - src/app/components/document-list/document-list.component.html - 71 - - Save "" - - - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} - - src/app/components/document-list/document-list.component.html - 85 - - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} - - - {VAR_PLURAL, plural, =1 {One document} other { documents}} - - src/app/components/document-list/document-list.component.html - 86 - - {VAR_PLURAL, plural, =1 {One document} other { documents}} - - - (filtered) - - src/app/components/document-list/document-list.component.html - 86 - - (filtered) - - - ASN - - src/app/components/document-list/document-list.component.html - 111 - - ASN - - - Correspondent - - src/app/components/document-list/document-list.component.html - 117 - - Correspondent - - - Title - - src/app/components/document-list/document-list.component.html - 123 - - Title - - - Document type - - src/app/components/document-list/document-list.component.html - 129 - - Document type - - - Created - - src/app/components/document-list/document-list.component.html - 135 - - Created - - - Added - - src/app/components/document-list/document-list.component.html - 141 - - Added - - - Confirm delete - - src/app/components/document-detail/document-detail.component.ts - 206 - - Confirm delete - - - Do you really want to delete document ""? - - src/app/components/document-detail/document-detail.component.ts - 207 - - Do you really want to delete document ""? - - - The files for this document will be deleted permanently. This operation cannot be undone. - - src/app/components/document-detail/document-detail.component.ts - 208 - - The files for this document will be deleted permanently. This operation cannot be undone. - - - Delete document - - src/app/components/document-detail/document-detail.component.ts - 210 - - Delete document - - - Error deleting document: - - src/app/components/document-detail/document-detail.component.ts - 217 - - Error deleting document: - - - Delete - - src/app/components/document-detail/document-detail.component.html - 15 - - Delete - - - Download - - src/app/components/document-detail/document-detail.component.html - 23 - - Download - - - More like this - - src/app/components/document-detail/document-detail.component.html - 38 - - More like this - - - Close - - src/app/components/document-detail/document-detail.component.html - 44 - - Close - - - Details - - src/app/components/document-detail/document-detail.component.html - 56 - - Details - - - Content - - src/app/components/document-detail/document-detail.component.html - 72 - - Content - - - Metadata - - src/app/components/document-detail/document-detail.component.html - 81 - - Metadata - - - Discard - - src/app/components/document-detail/document-detail.component.html - 130 - - Discard - - - Save - - src/app/components/document-detail/document-detail.component.html - 132 - - Save - - - Page - - src/app/components/document-detail/document-detail.component.html - 4 - - Page - - - of - - src/app/components/document-detail/document-detail.component.html - 8 - - of - - - Download original - - src/app/components/document-detail/document-detail.component.html - 29 - - Download original - - - Archive serial number - - src/app/components/document-detail/document-detail.component.html - 60 - - Archive serial number - - - Date created - - src/app/components/document-detail/document-detail.component.html - 61 - - Date created - - - Date modified - - src/app/components/document-detail/document-detail.component.html - 87 - - Date modified - - - Date added - - src/app/components/document-detail/document-detail.component.html - 91 - - Date added - - - Media filename - - src/app/components/document-detail/document-detail.component.html - 95 - - Media filename - - - Original MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 99 - - Original MD5 checksum - - - Original file size - - src/app/components/document-detail/document-detail.component.html - 103 - - Original file size - - - Original mime type - - src/app/components/document-detail/document-detail.component.html - 107 - - Original mime type - - - Archive MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 111 - - Archive MD5 checksum - - - Archive file size - - src/app/components/document-detail/document-detail.component.html - 115 - - Archive file size - - - Original document metadata - - src/app/components/document-detail/document-detail.component.html - 121 - - Original document metadata - - - Archived document metadata - - src/app/components/document-detail/document-detail.component.html - 122 - - Archived document metadata - - - Save & next - - src/app/components/document-detail/document-detail.component.html - 131 - - Save & next - - - Hello , welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 33 - - Hello , welcome to Paperless-ngx! - - - Welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 35 - - Welcome to Paperless-ngx! - - - Dashboard - - src/app/components/dashboard/dashboard.component.html - 1 - - Dashboard - - - Do you really want to delete the tag ""? - - src/app/components/manage/tag-list/tag-list.component.ts - 26 - - Do you really want to delete the tag ""? - - - Tags - - src/app/components/manage/tag-list/tag-list.component.html - 1 - - Tags - - - Create - - src/app/components/manage/tag-list/tag-list.component.html - 2 - - Create - - - Filter by: - - src/app/components/manage/tag-list/tag-list.component.html - 8 - - Filter by: - - - Name - - src/app/components/manage/tag-list/tag-list.component.html - 9 - - Name - - - Color - - src/app/components/manage/tag-list/tag-list.component.html - 20 - - Color - - - Matching - - src/app/components/manage/tag-list/tag-list.component.html - 21 - - Matching - - - Document count - - src/app/components/manage/tag-list/tag-list.component.html - 22 - - Document count - - - Actions - - src/app/components/manage/tag-list/tag-list.component.html - 23 - - Actions - - - Documents - - src/app/components/manage/tag-list/tag-list.component.html - 38 - - Documents - - - Edit - - src/app/components/manage/tag-list/tag-list.component.html - 43 - - Edit - - - Do you really want to delete the document type ""? - - src/app/components/manage/document-type-list/document-type-list.component.ts - 26 - - Do you really want to delete the document type ""? - - - Document types - - src/app/components/manage/document-type-list/document-type-list.component.html - 1 - - Document types - - - Logs - - src/app/components/manage/logs/logs.component.html - 1 - - Logs - - - Saved view "" deleted. - - src/app/components/manage/settings/settings.component.ts - 68 - - Saved view "" deleted. - - - Settings saved successfully. - - src/app/components/manage/settings/settings.component.ts - 89 - - Settings saved successfully. - - - Use system language - - src/app/components/manage/settings/settings.component.ts - 94 - - Use system language - - - Use date format of display language - - src/app/components/manage/settings/settings.component.ts - 100 - - Use date format of display language - - - Error while storing settings on server: - - src/app/components/manage/settings/settings.component.ts - 117 - - Error while storing settings on server: - - - Settings - - src/app/components/manage/settings/settings.component.html - 1 - - Settings - - - General settings - - src/app/components/manage/settings/settings.component.html - 10 - - General settings - - - Notifications - - src/app/components/manage/settings/settings.component.html - 116 - - Notifications - - - Saved views - - src/app/components/manage/settings/settings.component.html - 134 - - Saved views - - - Appearance - - src/app/components/manage/settings/settings.component.html - 13 - - Appearance - - - Display language - - src/app/components/manage/settings/settings.component.html - 17 - - Display language - - - You need to reload the page after applying a new language. - - src/app/components/manage/settings/settings.component.html - 25 - - You need to reload the page after applying a new language. - - - Date display - - src/app/components/manage/settings/settings.component.html - 32 - - Date display - - - Date format - - src/app/components/manage/settings/settings.component.html - 45 - - Date format - - - Short: - - src/app/components/manage/settings/settings.component.html - 51 - - Short: - - - Medium: - - src/app/components/manage/settings/settings.component.html - 55 - - Medium: - - - Long: - - src/app/components/manage/settings/settings.component.html - 59 - - Long: - - - Items per page - - src/app/components/manage/settings/settings.component.html - 67 - - Items per page - - - Document editor - - src/app/components/manage/settings/settings.component.html - 83 - - Document editor - - - Use PDF viewer provided by the browser - - src/app/components/manage/settings/settings.component.html - 87 - - Use PDF viewer provided by the browser - - - This is usually faster for displaying large PDF documents, but it might not work on some browsers. - - src/app/components/manage/settings/settings.component.html - 87 - - This is usually faster for displaying large PDF documents, but it might not work on some browsers. - - - Dark mode - - src/app/components/manage/settings/settings.component.html - 94 - - Dark mode - - - Use system settings - - src/app/components/manage/settings/settings.component.html - 97 - - Use system settings - - - Enable dark mode - - src/app/components/manage/settings/settings.component.html - 98 - - Enable dark mode - - - Invert thumbnails in dark mode - - src/app/components/manage/settings/settings.component.html - 99 - - Invert thumbnails in dark mode - - - Bulk editing - - src/app/components/manage/settings/settings.component.html - 103 - - Bulk editing - - - Show confirmation dialogs - - src/app/components/manage/settings/settings.component.html - 107 - - Show confirmation dialogs - - - Deleting documents will always ask for confirmation. - - src/app/components/manage/settings/settings.component.html - 107 - - Deleting documents will always ask for confirmation. - - - Apply on close - - src/app/components/manage/settings/settings.component.html - 108 - - Apply on close - - - Document processing - - src/app/components/manage/settings/settings.component.html - 119 - - Document processing - - - Show notifications when new documents are detected - - src/app/components/manage/settings/settings.component.html - 123 - - Show notifications when new documents are detected - - - Show notifications when document processing completes successfully - - src/app/components/manage/settings/settings.component.html - 124 - - Show notifications when document processing completes successfully - - - Show notifications when document processing fails - - src/app/components/manage/settings/settings.component.html - 125 - - Show notifications when document processing fails - - - Suppress notifications on dashboard - - src/app/components/manage/settings/settings.component.html - 126 - - Suppress notifications on dashboard - - - This will suppress all messages about document processing status on the dashboard. - - src/app/components/manage/settings/settings.component.html - 126 - - This will suppress all messages about document processing status on the dashboard. - - - Appears on - - src/app/components/manage/settings/settings.component.html - 146 - - Appears on - - - Show on dashboard - - src/app/components/manage/settings/settings.component.html - 149 - - Show on dashboard - - - Show in sidebar - - src/app/components/manage/settings/settings.component.html - 153 - - Show in sidebar - - - No saved views defined. - - src/app/components/manage/settings/settings.component.html - 163 - - No saved views defined. - - - 404 Not Found - - src/app/components/not-found/not-found.component.html - 7 - - 404 Not Found - - - Do you really want to delete the correspondent ""? - - src/app/components/manage/correspondent-list/correspondent-list.component.ts - 26 - - Do you really want to delete the correspondent ""? - - - Correspondents - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 1 - - Correspondents - - - Last correspondence - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 22 - - Last correspondence - - - Confirmation - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 17 - - Confirmation - - - Confirm - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 29 - - Confirm - - - Cancel - - src/app/components/common/confirm-dialog/confirm-dialog.component.html - 12 - - Cancel - - - Create new correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 21 - - Create new correspondent - - - Edit correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 25 - - Edit correspondent - - - Matching algorithm - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 10 - - Matching algorithm - - - Matching pattern - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 11 - - Matching pattern - - - Case insensitive - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 12 - - Case insensitive - - - Create new tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 22 - - Create new tag - - - Edit tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 26 - - Edit tag - - - Inbox tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Inbox tag - - - Inbox tags are automatically assigned to all consumed documents. - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Inbox tags are automatically assigned to all consumed documents. - - - Create new document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 21 - - Create new document type - - - Edit document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 25 - - Edit document type - - - Paperless-ngx - - src/app/components/app-frame/app-frame.component.html - 11 - - app title - Paperless-ngx - - - Search documents - - src/app/components/app-frame/app-frame.component.html - 15 - - Search documents - - - Logout - - src/app/components/app-frame/app-frame.component.html - 45 - - Logout - - - Manage - - src/app/components/app-frame/app-frame.component.html - 112 - - Manage - - - Admin - - src/app/components/app-frame/app-frame.component.html - 154 - - Admin - - - Info - - src/app/components/app-frame/app-frame.component.html - 160 - - Info - - - Documentation - - src/app/components/app-frame/app-frame.component.html - 167 - - Documentation - - - GitHub - - src/app/components/app-frame/app-frame.component.html - 175 - - GitHub - - - Suggest an idea - - src/app/components/app-frame/app-frame.component.html - 181 - - Suggest an idea - - - Logged in as - - src/app/components/app-frame/app-frame.component.html - 34 - - Logged in as - - - Open documents - - src/app/components/app-frame/app-frame.component.html - 87 - - Open documents - - - Close all - - src/app/components/app-frame/app-frame.component.html - 106 - - Close all - - - Correspondent: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 37 - - Correspondent: - - - Without correspondent - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 39 - - Without correspondent - - - Type: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 44 - - Type: - - - Without document type - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 46 - - Without document type - - - Tag: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 50 - - Tag: - - - Without any tag - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 54 - - Without any tag - - - Title: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 58 - - Title: - - - ASN: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 61 - - ASN: - - - Title - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 88 - - Title - - - Title & content - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 89 - - Title & content - - - ASN - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 90 - - ASN - - - Advanced search - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 91 - - Advanced search - - - More like - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 94 - - More like - - - Filter tags - - src/app/components/document-list/filter-editor/filter-editor.component.html - 19 - - Filter tags - - - Filter correspondents - - src/app/components/document-list/filter-editor/filter-editor.component.html - 27 - - Filter correspondents - - - Filter document types - - src/app/components/document-list/filter-editor/filter-editor.component.html - 34 - - Filter document types - - - Reset filters - - src/app/components/document-list/filter-editor/filter-editor.component.html - 57 - - Reset filters - - - Not assigned - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.ts - 166 - - Filter drop down element to filter for documents with no correspondent/type/tag assigned - Not assigned - - - Apply - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.html - 26 - - Apply - - - Last 7 days - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 34 - - Last 7 days - - - Last month - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 35 - - Last month - - - Last 3 months - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 36 - - Last 3 months - - - Last year - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 37 - - Last year - - - After - - src/app/components/common/date-dropdown/date-dropdown.component.html - 13 - - After - - - Before - - src/app/components/common/date-dropdown/date-dropdown.component.html - 38 - - Before - - - Clear - - src/app/components/common/date-dropdown/date-dropdown.component.html - 18 - - Clear - - - View - - src/app/components/document-list/document-card-large/document-card-large.component.html - 51 - - View - - - Filter by correspondent - - src/app/components/document-list/document-card-large/document-card-large.component.html - 20 - - Filter by correspondent - - - Filter by tag - - src/app/components/document-list/document-card-large/document-card-large.component.html - 24 - - Filter by tag - - - Score: - - src/app/components/document-list/document-card-large/document-card-large.component.html - 87 - - Score: - - - Created: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 43 - - Created: - - - Added: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 44 - - Added: - - - Modified: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 45 - - Modified: - - - Error executing bulk operation: - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 74 - - Error executing bulk operation: - - - "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 113 - - "" - - - "" and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 115 - - This is for messages like 'modify "tag1" and "tag2"' - "" and "" - - - , - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 117 - - this is used to separate enumerations and should probably be a comma and a whitespace in most languages - , - - - and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 118 - - this is for messages like 'modify "tag1", "tag2" and "tag3"' - and "" - - - Confirm tags assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 127 - - Confirm tags assignment - - - This operation will add the tag "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 130 - - This operation will add the tag "" to selected document(s). - - - This operation will add the tags to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 132 - - This operation will add the tags to selected document(s). - - - This operation will remove the tag "" from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 135 - - This operation will remove the tag "" from selected document(s). - - - This operation will remove the tags from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 137 - - This operation will remove the tags from selected document(s). - - - This operation will add the tags and remove the tags on selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 139 - - This operation will add the tags and remove the tags on selected document(s). - - - Confirm correspondent assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 159 - - Confirm correspondent assignment - - - This operation will assign the correspondent "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 161 - - This operation will assign the correspondent "" to selected document(s). - - - This operation will remove the correspondent from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 163 - - This operation will remove the correspondent from selected document(s). - - - Confirm document type assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 182 - - Confirm document type assignment - - - This operation will assign the document type "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 184 - - This operation will assign the document type "" to selected document(s). - - - This operation will remove the document type from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 186 - - This operation will remove the document type from selected document(s). - - - Delete confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 201 - - Delete confirm - - - This operation will permanently delete selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 202 - - This operation will permanently delete selected document(s). - - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 203 - - This operation cannot be undone. - - - Delete document(s) - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 205 - - Delete document(s) - - - Select: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 10 - - Select: - - - All - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 20 - - All - - - Edit: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 27 - - Edit: - - - Download originals - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 68 - - Download originals - - - Add item - - src/app/components/common/input/select/select.component.html - 11 - - Used for both types and correspondents - Add item - - - Suggestions: - - src/app/components/common/input/select/select.component.html - 31 - - Suggestions: - - - Save current view - - src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html - 3 - - Save current view - - - Add tag - - src/app/components/common/input/tags/tags.component.html - 11 - - Add tag - - - Show all - - src/app/components/dashboard/widgets/saved-view-widget/saved-view-widget.component.html - 3 - - Show all - - - Statistics - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 1 - - Statistics - - - Total documents: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 4 - - Total documents: - - - Documents in inbox: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 3 - - Documents in inbox: - - - Processing: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 32 - - Processing: - - - Failed: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 35 - - Failed: - - - Added: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 38 - - Added: - - - Connecting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 118 - - Connecting... - - - Uploading... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 123 - - Uploading... - - - Upload complete, waiting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 126 - - Upload complete, waiting... - - - HTTP error: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 136 - - HTTP error: - - - Upload new documents - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 1 - - Upload new documents - - - Drop documents here or - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Drop documents here or - - - Browse files - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Browse files - - - Dismiss completed - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 4 - - This button dismisses all status messages about processed documents on the dashboard (failed and successful) - Dismiss completed - - - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 25 - - This is shown as a summary line when there are more than 5 document in the processing pipeline. - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} - - - Open document - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 45 - - Open document - - - First steps - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 1 - - First steps - - - Paperless is running! :) - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 5 - - Paperless is running! :) - - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 6,7 - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - - Paperless offers some more features that try to make your life easier: - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 8 - - Paperless offers some more features that try to make your life easier: - - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 10 - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. - - - You can configure paperless to read your mails and add documents from attached files. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 11 - - You can configure paperless to read your mails and add documents from attached files. - - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 13 - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - - Metadata - - src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts - 18 - - Metadata - - - Select - - src/app/components/common/select-dialog/select-dialog.component.ts - 18 - - Select - - - Please select an object - - src/app/components/common/select-dialog/select-dialog.component.ts - 21 - - Please select an object - - - Invalid date. - - src/app/components/common/input/date/date.component.html - 14 - - Invalid date. - - - Searching document with asn - - src/app/components/document-asn/document-asn.component.html - 1 - - Searching document with asn - - - Yes - - src/app/pipes/yes-no.pipe.ts - 9 - - Yes - - - No - - src/app/pipes/yes-no.pipe.ts - 9 - - No - - - (no title) - - src/app/pipes/document-title.pipe.ts - 12 - - (no title) - - - English (US) - - src/app/services/settings.service.ts - 90 - - English (US) - - - English (GB) - - src/app/services/settings.service.ts - 91 - - English (GB) - - - German - - src/app/services/settings.service.ts - 92 - - German - - - Dutch - - src/app/services/settings.service.ts - 93 - - Dutch - - - French - - src/app/services/settings.service.ts - 94 - - French - - - Portuguese - - src/app/services/settings.service.ts - 95 - - Portuguese - - - Portuguese (Brazil) - - src/app/services/settings.service.ts - 96 - - Portuguese (Brazil) - - - Italian - - src/app/services/settings.service.ts - 97 - - Italian - - - Romanian - - src/app/services/settings.service.ts - 98 - - Romanian - - - Russian - - src/app/services/settings.service.ts - 99 - - Russian - - - Spanish - - src/app/services/settings.service.ts - 100 - - Spanish - - - Polish - - src/app/services/settings.service.ts - 101 - - Polish - - - Swedish - - src/app/services/settings.service.ts - 102 - - Swedish - - - ISO 8601 - - src/app/services/settings.service.ts - 107 - - ISO 8601 - - - Document already exists. - - src/app/services/consumer-status.service.ts - 15 - - Document already exists. - - - File not found. - - src/app/services/consumer-status.service.ts - 16 - - File not found. - - - Pre-consume script does not exist. - - src/app/services/consumer-status.service.ts - 17 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Pre-consume script does not exist. - - - Error while executing pre-consume script. - - src/app/services/consumer-status.service.ts - 18 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing pre-consume script. - - - Post-consume script does not exist. - - src/app/services/consumer-status.service.ts - 19 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Post-consume script does not exist. - - - Error while executing post-consume script. - - src/app/services/consumer-status.service.ts - 20 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing post-consume script. - - - Received new file. - - src/app/services/consumer-status.service.ts - 21 - - Received new file. - - - File type not supported. - - src/app/services/consumer-status.service.ts - 22 - - File type not supported. - - - Processing document... - - src/app/services/consumer-status.service.ts - 23 - - Processing document... - - - Generating thumbnail... - - src/app/services/consumer-status.service.ts - 24 - - Generating thumbnail... - - - Retrieving date from document... - - src/app/services/consumer-status.service.ts - 25 - - Retrieving date from document... - - - Saving document... - - src/app/services/consumer-status.service.ts - 26 - - Saving document... - - - Finished. - - src/app/services/consumer-status.service.ts - 27 - - Finished. - - - Error - - src/app/services/toast.service.ts - 35 - - Error - - - Information - - src/app/services/toast.service.ts - 39 - - Information - - - Correspondent - - src/app/services/rest/document.service.ts - 18 - - Correspondent - - - Document type - - src/app/services/rest/document.service.ts - 20 - - Document type - - - Created - - src/app/services/rest/document.service.ts - 21 - - Created - - - Added - - src/app/services/rest/document.service.ts - 22 - - Added - - - Modified - - src/app/services/rest/document.service.ts - 23 - - Modified - - - Search score - - src/app/services/rest/document.service.ts - 28 - - Score is a value returned by the full text search engine and specifies how well a result matches the given query - Search score - - - Create new item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 50 - - Create new item - - - Edit item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 54 - - Edit item - - - Could not save element: - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 58 - - Could not save element: - - - Automatic - - src/app/components/manage/generic-list/generic-list.component.ts - 39 - - Automatic - - - Do you really want to delete this element? - - src/app/components/manage/generic-list/generic-list.component.ts - 97 - - Do you really want to delete this element? - - - Associated documents will not be deleted. - - src/app/components/manage/generic-list/generic-list.component.ts - 104 - - Associated documents will not be deleted. - - - Delete - - src/app/components/manage/generic-list/generic-list.component.ts - 106 - - Delete - - - Error while deleting element: - - src/app/components/manage/generic-list/generic-list.component.ts - 114 - - Error while deleting element: - - - Any word - - src/app/data/matching-model.ts - 12 - - Any word - - - Any: Document contains any of these words (space separated) - - src/app/data/matching-model.ts - 12 - - Any: Document contains any of these words (space separated) - - - All words - - src/app/data/matching-model.ts - 13 - - All words - - - All: Document contains all of these words (space separated) - - src/app/data/matching-model.ts - 13 - - All: Document contains all of these words (space separated) - - - Exact match - - src/app/data/matching-model.ts - 14 - - Exact match - - - Exact: Document contains this string - - src/app/data/matching-model.ts - 14 - - Exact: Document contains this string - - - Regular expression - - src/app/data/matching-model.ts - 15 - - Regular expression - - - Regular expression: Document matches this regular expression - - src/app/data/matching-model.ts - 15 - - Regular expression: Document matches this regular expression - - - Fuzzy word - - src/app/data/matching-model.ts - 16 - - Fuzzy word - - - Fuzzy: Document contains a word similar to this word - - src/app/data/matching-model.ts - 16 - - Fuzzy: Document contains a word similar to this word - - - Auto: Learn matching automatically - - src/app/data/matching-model.ts - 17 - - Auto: Learn matching automatically - - - - diff --git a/src-ui/src/locale/messages.ar_EG.xlf b/src-ui/src/locale/messages.ar_EG.xlf deleted file mode 100644 index 06f93f99d..000000000 --- a/src-ui/src/locale/messages.ar_EG.xlf +++ /dev/null @@ -1,2340 +0,0 @@ - - - - - - Document added - - src/app/app.component.ts - 51 - - Document added - - - Document was added to paperless. - - src/app/app.component.ts - 51 - - Document was added to paperless. - - - Open document - - src/app/app.component.ts - 51 - - Open document - - - Could not add : - - src/app/app.component.ts - 59 - - Could not add : - - - New document detected - - src/app/app.component.ts - 65 - - New document detected - - - Document is being processed by paperless. - - src/app/app.component.ts - 65 - - Document is being processed by paperless. - - - Documents - - src/app/components/document-list/document-list.component.ts - 51 - - Documents - - - View "" saved successfully. - - src/app/components/document-list/document-list.component.ts - 116 - - View "" saved successfully. - - - View "" created successfully. - - src/app/components/document-list/document-list.component.ts - 138 - - View "" created successfully. - - - Select - - src/app/components/document-list/document-list.component.html - 7 - - Select - - - Select none - - src/app/components/document-list/document-list.component.html - 10 - - Select none - - - Select page - - src/app/components/document-list/document-list.component.html - 11 - - Select page - - - Select all - - src/app/components/document-list/document-list.component.html - 12 - - Select all - - - Sort - - src/app/components/document-list/document-list.component.html - 39 - - Sort - - - Views - - src/app/components/document-list/document-list.component.html - 64 - - Views - - - Save as... - - src/app/components/document-list/document-list.component.html - 72 - - Save as... - - - Save "" - - src/app/components/document-list/document-list.component.html - 71 - - Save "" - - - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} - - src/app/components/document-list/document-list.component.html - 85 - - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} - - - {VAR_PLURAL, plural, =1 {One document} other { documents}} - - src/app/components/document-list/document-list.component.html - 86 - - {VAR_PLURAL, plural, =1 {One document} other { documents}} - - - (filtered) - - src/app/components/document-list/document-list.component.html - 86 - - (filtered) - - - ASN - - src/app/components/document-list/document-list.component.html - 111 - - ASN - - - Correspondent - - src/app/components/document-list/document-list.component.html - 117 - - Correspondent - - - Title - - src/app/components/document-list/document-list.component.html - 123 - - Title - - - Document type - - src/app/components/document-list/document-list.component.html - 129 - - Document type - - - Created - - src/app/components/document-list/document-list.component.html - 135 - - Created - - - Added - - src/app/components/document-list/document-list.component.html - 141 - - Added - - - Confirm delete - - src/app/components/document-detail/document-detail.component.ts - 206 - - Confirm delete - - - Do you really want to delete document ""? - - src/app/components/document-detail/document-detail.component.ts - 207 - - Do you really want to delete document ""? - - - The files for this document will be deleted permanently. This operation cannot be undone. - - src/app/components/document-detail/document-detail.component.ts - 208 - - The files for this document will be deleted permanently. This operation cannot be undone. - - - Delete document - - src/app/components/document-detail/document-detail.component.ts - 210 - - Delete document - - - Error deleting document: - - src/app/components/document-detail/document-detail.component.ts - 217 - - Error deleting document: - - - Delete - - src/app/components/document-detail/document-detail.component.html - 15 - - Delete - - - Download - - src/app/components/document-detail/document-detail.component.html - 23 - - Download - - - More like this - - src/app/components/document-detail/document-detail.component.html - 38 - - More like this - - - Close - - src/app/components/document-detail/document-detail.component.html - 44 - - Close - - - Details - - src/app/components/document-detail/document-detail.component.html - 56 - - Details - - - Content - - src/app/components/document-detail/document-detail.component.html - 72 - - Content - - - Metadata - - src/app/components/document-detail/document-detail.component.html - 81 - - Metadata - - - Discard - - src/app/components/document-detail/document-detail.component.html - 130 - - Discard - - - Save - - src/app/components/document-detail/document-detail.component.html - 132 - - Save - - - Page - - src/app/components/document-detail/document-detail.component.html - 4 - - Page - - - of - - src/app/components/document-detail/document-detail.component.html - 8 - - of - - - Download original - - src/app/components/document-detail/document-detail.component.html - 29 - - Download original - - - Archive serial number - - src/app/components/document-detail/document-detail.component.html - 60 - - Archive serial number - - - Date created - - src/app/components/document-detail/document-detail.component.html - 61 - - Date created - - - Date modified - - src/app/components/document-detail/document-detail.component.html - 87 - - Date modified - - - Date added - - src/app/components/document-detail/document-detail.component.html - 91 - - Date added - - - Media filename - - src/app/components/document-detail/document-detail.component.html - 95 - - Media filename - - - Original MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 99 - - Original MD5 checksum - - - Original file size - - src/app/components/document-detail/document-detail.component.html - 103 - - Original file size - - - Original mime type - - src/app/components/document-detail/document-detail.component.html - 107 - - Original mime type - - - Archive MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 111 - - Archive MD5 checksum - - - Archive file size - - src/app/components/document-detail/document-detail.component.html - 115 - - Archive file size - - - Original document metadata - - src/app/components/document-detail/document-detail.component.html - 121 - - Original document metadata - - - Archived document metadata - - src/app/components/document-detail/document-detail.component.html - 122 - - Archived document metadata - - - Save & next - - src/app/components/document-detail/document-detail.component.html - 131 - - Save & next - - - Hello , welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 33 - - Hello , welcome to Paperless-ngx! - - - Welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 35 - - Welcome to Paperless-ngx! - - - Dashboard - - src/app/components/dashboard/dashboard.component.html - 1 - - Dashboard - - - Do you really want to delete the tag ""? - - src/app/components/manage/tag-list/tag-list.component.ts - 26 - - Do you really want to delete the tag ""? - - - Tags - - src/app/components/manage/tag-list/tag-list.component.html - 1 - - Tags - - - Create - - src/app/components/manage/tag-list/tag-list.component.html - 2 - - Create - - - Filter by: - - src/app/components/manage/tag-list/tag-list.component.html - 8 - - Filter by: - - - Name - - src/app/components/manage/tag-list/tag-list.component.html - 9 - - Name - - - Color - - src/app/components/manage/tag-list/tag-list.component.html - 20 - - Color - - - Matching - - src/app/components/manage/tag-list/tag-list.component.html - 21 - - Matching - - - Document count - - src/app/components/manage/tag-list/tag-list.component.html - 22 - - Document count - - - Actions - - src/app/components/manage/tag-list/tag-list.component.html - 23 - - Actions - - - Documents - - src/app/components/manage/tag-list/tag-list.component.html - 38 - - Documents - - - Edit - - src/app/components/manage/tag-list/tag-list.component.html - 43 - - Edit - - - Do you really want to delete the document type ""? - - src/app/components/manage/document-type-list/document-type-list.component.ts - 26 - - Do you really want to delete the document type ""? - - - Document types - - src/app/components/manage/document-type-list/document-type-list.component.html - 1 - - Document types - - - Logs - - src/app/components/manage/logs/logs.component.html - 1 - - Logs - - - Saved view "" deleted. - - src/app/components/manage/settings/settings.component.ts - 68 - - Saved view "" deleted. - - - Settings saved successfully. - - src/app/components/manage/settings/settings.component.ts - 89 - - Settings saved successfully. - - - Use system language - - src/app/components/manage/settings/settings.component.ts - 94 - - Use system language - - - Use date format of display language - - src/app/components/manage/settings/settings.component.ts - 100 - - Use date format of display language - - - Error while storing settings on server: - - src/app/components/manage/settings/settings.component.ts - 117 - - Error while storing settings on server: - - - Settings - - src/app/components/manage/settings/settings.component.html - 1 - - Settings - - - General settings - - src/app/components/manage/settings/settings.component.html - 10 - - General settings - - - Notifications - - src/app/components/manage/settings/settings.component.html - 116 - - Notifications - - - Saved views - - src/app/components/manage/settings/settings.component.html - 134 - - Saved views - - - Appearance - - src/app/components/manage/settings/settings.component.html - 13 - - Appearance - - - Display language - - src/app/components/manage/settings/settings.component.html - 17 - - Display language - - - You need to reload the page after applying a new language. - - src/app/components/manage/settings/settings.component.html - 25 - - You need to reload the page after applying a new language. - - - Date display - - src/app/components/manage/settings/settings.component.html - 32 - - Date display - - - Date format - - src/app/components/manage/settings/settings.component.html - 45 - - Date format - - - Short: - - src/app/components/manage/settings/settings.component.html - 51 - - Short: - - - Medium: - - src/app/components/manage/settings/settings.component.html - 55 - - Medium: - - - Long: - - src/app/components/manage/settings/settings.component.html - 59 - - Long: - - - Items per page - - src/app/components/manage/settings/settings.component.html - 67 - - Items per page - - - Document editor - - src/app/components/manage/settings/settings.component.html - 83 - - Document editor - - - Use PDF viewer provided by the browser - - src/app/components/manage/settings/settings.component.html - 87 - - Use PDF viewer provided by the browser - - - This is usually faster for displaying large PDF documents, but it might not work on some browsers. - - src/app/components/manage/settings/settings.component.html - 87 - - This is usually faster for displaying large PDF documents, but it might not work on some browsers. - - - Dark mode - - src/app/components/manage/settings/settings.component.html - 94 - - Dark mode - - - Use system settings - - src/app/components/manage/settings/settings.component.html - 97 - - Use system settings - - - Enable dark mode - - src/app/components/manage/settings/settings.component.html - 98 - - Enable dark mode - - - Invert thumbnails in dark mode - - src/app/components/manage/settings/settings.component.html - 99 - - Invert thumbnails in dark mode - - - Bulk editing - - src/app/components/manage/settings/settings.component.html - 103 - - Bulk editing - - - Show confirmation dialogs - - src/app/components/manage/settings/settings.component.html - 107 - - Show confirmation dialogs - - - Deleting documents will always ask for confirmation. - - src/app/components/manage/settings/settings.component.html - 107 - - Deleting documents will always ask for confirmation. - - - Apply on close - - src/app/components/manage/settings/settings.component.html - 108 - - Apply on close - - - Document processing - - src/app/components/manage/settings/settings.component.html - 119 - - Document processing - - - Show notifications when new documents are detected - - src/app/components/manage/settings/settings.component.html - 123 - - Show notifications when new documents are detected - - - Show notifications when document processing completes successfully - - src/app/components/manage/settings/settings.component.html - 124 - - Show notifications when document processing completes successfully - - - Show notifications when document processing fails - - src/app/components/manage/settings/settings.component.html - 125 - - Show notifications when document processing fails - - - Suppress notifications on dashboard - - src/app/components/manage/settings/settings.component.html - 126 - - Suppress notifications on dashboard - - - This will suppress all messages about document processing status on the dashboard. - - src/app/components/manage/settings/settings.component.html - 126 - - This will suppress all messages about document processing status on the dashboard. - - - Appears on - - src/app/components/manage/settings/settings.component.html - 146 - - Appears on - - - Show on dashboard - - src/app/components/manage/settings/settings.component.html - 149 - - Show on dashboard - - - Show in sidebar - - src/app/components/manage/settings/settings.component.html - 153 - - Show in sidebar - - - No saved views defined. - - src/app/components/manage/settings/settings.component.html - 163 - - No saved views defined. - - - 404 Not Found - - src/app/components/not-found/not-found.component.html - 7 - - 404 Not Found - - - Do you really want to delete the correspondent ""? - - src/app/components/manage/correspondent-list/correspondent-list.component.ts - 26 - - Do you really want to delete the correspondent ""? - - - Correspondents - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 1 - - Correspondents - - - Last correspondence - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 22 - - Last correspondence - - - Confirmation - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 17 - - Confirmation - - - Confirm - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 29 - - Confirm - - - Cancel - - src/app/components/common/confirm-dialog/confirm-dialog.component.html - 12 - - Cancel - - - Create new correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 21 - - Create new correspondent - - - Edit correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 25 - - Edit correspondent - - - Matching algorithm - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 10 - - Matching algorithm - - - Matching pattern - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 11 - - Matching pattern - - - Case insensitive - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 12 - - Case insensitive - - - Create new tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 22 - - Create new tag - - - Edit tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 26 - - Edit tag - - - Inbox tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Inbox tag - - - Inbox tags are automatically assigned to all consumed documents. - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Inbox tags are automatically assigned to all consumed documents. - - - Create new document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 21 - - Create new document type - - - Edit document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 25 - - Edit document type - - - Paperless-ngx - - src/app/components/app-frame/app-frame.component.html - 11 - - app title - Paperless-ngx - - - Search documents - - src/app/components/app-frame/app-frame.component.html - 15 - - Search documents - - - Logout - - src/app/components/app-frame/app-frame.component.html - 45 - - Logout - - - Manage - - src/app/components/app-frame/app-frame.component.html - 112 - - Manage - - - Admin - - src/app/components/app-frame/app-frame.component.html - 154 - - Admin - - - Info - - src/app/components/app-frame/app-frame.component.html - 160 - - Info - - - Documentation - - src/app/components/app-frame/app-frame.component.html - 167 - - Documentation - - - GitHub - - src/app/components/app-frame/app-frame.component.html - 175 - - GitHub - - - Suggest an idea - - src/app/components/app-frame/app-frame.component.html - 181 - - Suggest an idea - - - Logged in as - - src/app/components/app-frame/app-frame.component.html - 34 - - Logged in as - - - Open documents - - src/app/components/app-frame/app-frame.component.html - 87 - - Open documents - - - Close all - - src/app/components/app-frame/app-frame.component.html - 106 - - Close all - - - Correspondent: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 37 - - Correspondent: - - - Without correspondent - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 39 - - Without correspondent - - - Type: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 44 - - Type: - - - Without document type - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 46 - - Without document type - - - Tag: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 50 - - Tag: - - - Without any tag - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 54 - - Without any tag - - - Title: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 58 - - Title: - - - ASN: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 61 - - ASN: - - - Title - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 88 - - Title - - - Title & content - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 89 - - Title & content - - - ASN - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 90 - - ASN - - - Advanced search - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 91 - - Advanced search - - - More like - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 94 - - More like - - - Filter tags - - src/app/components/document-list/filter-editor/filter-editor.component.html - 19 - - Filter tags - - - Filter correspondents - - src/app/components/document-list/filter-editor/filter-editor.component.html - 27 - - Filter correspondents - - - Filter document types - - src/app/components/document-list/filter-editor/filter-editor.component.html - 34 - - Filter document types - - - Reset filters - - src/app/components/document-list/filter-editor/filter-editor.component.html - 57 - - Reset filters - - - Not assigned - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.ts - 166 - - Filter drop down element to filter for documents with no correspondent/type/tag assigned - Not assigned - - - Apply - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.html - 26 - - Apply - - - Last 7 days - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 34 - - Last 7 days - - - Last month - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 35 - - Last month - - - Last 3 months - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 36 - - Last 3 months - - - Last year - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 37 - - Last year - - - After - - src/app/components/common/date-dropdown/date-dropdown.component.html - 13 - - After - - - Before - - src/app/components/common/date-dropdown/date-dropdown.component.html - 38 - - Before - - - Clear - - src/app/components/common/date-dropdown/date-dropdown.component.html - 18 - - Clear - - - View - - src/app/components/document-list/document-card-large/document-card-large.component.html - 51 - - View - - - Filter by correspondent - - src/app/components/document-list/document-card-large/document-card-large.component.html - 20 - - Filter by correspondent - - - Filter by tag - - src/app/components/document-list/document-card-large/document-card-large.component.html - 24 - - Filter by tag - - - Score: - - src/app/components/document-list/document-card-large/document-card-large.component.html - 87 - - Score: - - - Created: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 43 - - Created: - - - Added: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 44 - - Added: - - - Modified: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 45 - - Modified: - - - Error executing bulk operation: - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 74 - - Error executing bulk operation: - - - "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 113 - - "" - - - "" and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 115 - - This is for messages like 'modify "tag1" and "tag2"' - "" and "" - - - , - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 117 - - this is used to separate enumerations and should probably be a comma and a whitespace in most languages - , - - - and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 118 - - this is for messages like 'modify "tag1", "tag2" and "tag3"' - and "" - - - Confirm tags assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 127 - - Confirm tags assignment - - - This operation will add the tag "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 130 - - This operation will add the tag "" to selected document(s). - - - This operation will add the tags to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 132 - - This operation will add the tags to selected document(s). - - - This operation will remove the tag "" from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 135 - - This operation will remove the tag "" from selected document(s). - - - This operation will remove the tags from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 137 - - This operation will remove the tags from selected document(s). - - - This operation will add the tags and remove the tags on selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 139 - - This operation will add the tags and remove the tags on selected document(s). - - - Confirm correspondent assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 159 - - Confirm correspondent assignment - - - This operation will assign the correspondent "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 161 - - This operation will assign the correspondent "" to selected document(s). - - - This operation will remove the correspondent from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 163 - - This operation will remove the correspondent from selected document(s). - - - Confirm document type assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 182 - - Confirm document type assignment - - - This operation will assign the document type "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 184 - - This operation will assign the document type "" to selected document(s). - - - This operation will remove the document type from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 186 - - This operation will remove the document type from selected document(s). - - - Delete confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 201 - - Delete confirm - - - This operation will permanently delete selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 202 - - This operation will permanently delete selected document(s). - - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 203 - - This operation cannot be undone. - - - Delete document(s) - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 205 - - Delete document(s) - - - Select: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 10 - - Select: - - - All - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 20 - - All - - - Edit: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 27 - - Edit: - - - Download originals - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 68 - - Download originals - - - Add item - - src/app/components/common/input/select/select.component.html - 11 - - Used for both types and correspondents - Add item - - - Suggestions: - - src/app/components/common/input/select/select.component.html - 31 - - Suggestions: - - - Save current view - - src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html - 3 - - Save current view - - - Add tag - - src/app/components/common/input/tags/tags.component.html - 11 - - Add tag - - - Show all - - src/app/components/dashboard/widgets/saved-view-widget/saved-view-widget.component.html - 3 - - Show all - - - Statistics - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 1 - - Statistics - - - Total documents: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 4 - - Total documents: - - - Documents in inbox: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 3 - - Documents in inbox: - - - Processing: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 32 - - Processing: - - - Failed: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 35 - - Failed: - - - Added: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 38 - - Added: - - - Connecting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 118 - - Connecting... - - - Uploading... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 123 - - Uploading... - - - Upload complete, waiting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 126 - - Upload complete, waiting... - - - HTTP error: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 136 - - HTTP error: - - - Upload new documents - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 1 - - Upload new documents - - - Drop documents here or - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Drop documents here or - - - Browse files - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Browse files - - - Dismiss completed - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 4 - - This button dismisses all status messages about processed documents on the dashboard (failed and successful) - Dismiss completed - - - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 25 - - This is shown as a summary line when there are more than 5 document in the processing pipeline. - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} - - - Open document - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 45 - - Open document - - - First steps - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 1 - - First steps - - - Paperless is running! :) - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 5 - - Paperless is running! :) - - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 6,7 - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - - Paperless offers some more features that try to make your life easier: - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 8 - - Paperless offers some more features that try to make your life easier: - - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 10 - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. - - - You can configure paperless to read your mails and add documents from attached files. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 11 - - You can configure paperless to read your mails and add documents from attached files. - - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 13 - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - - Metadata - - src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts - 18 - - Metadata - - - Select - - src/app/components/common/select-dialog/select-dialog.component.ts - 18 - - Select - - - Please select an object - - src/app/components/common/select-dialog/select-dialog.component.ts - 21 - - Please select an object - - - Invalid date. - - src/app/components/common/input/date/date.component.html - 14 - - Invalid date. - - - Searching document with asn - - src/app/components/document-asn/document-asn.component.html - 1 - - Searching document with asn - - - Yes - - src/app/pipes/yes-no.pipe.ts - 9 - - Yes - - - No - - src/app/pipes/yes-no.pipe.ts - 9 - - No - - - (no title) - - src/app/pipes/document-title.pipe.ts - 12 - - (no title) - - - English (US) - - src/app/services/settings.service.ts - 90 - - English (US) - - - English (GB) - - src/app/services/settings.service.ts - 91 - - English (GB) - - - German - - src/app/services/settings.service.ts - 92 - - German - - - Dutch - - src/app/services/settings.service.ts - 93 - - Dutch - - - French - - src/app/services/settings.service.ts - 94 - - French - - - Portuguese - - src/app/services/settings.service.ts - 95 - - Portuguese - - - Portuguese (Brazil) - - src/app/services/settings.service.ts - 96 - - Portuguese (Brazil) - - - Italian - - src/app/services/settings.service.ts - 97 - - Italian - - - Romanian - - src/app/services/settings.service.ts - 98 - - Romanian - - - Russian - - src/app/services/settings.service.ts - 99 - - Russian - - - Spanish - - src/app/services/settings.service.ts - 100 - - Spanish - - - Polish - - src/app/services/settings.service.ts - 101 - - Polish - - - Swedish - - src/app/services/settings.service.ts - 102 - - Swedish - - - ISO 8601 - - src/app/services/settings.service.ts - 107 - - ISO 8601 - - - Document already exists. - - src/app/services/consumer-status.service.ts - 15 - - Document already exists. - - - File not found. - - src/app/services/consumer-status.service.ts - 16 - - File not found. - - - Pre-consume script does not exist. - - src/app/services/consumer-status.service.ts - 17 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Pre-consume script does not exist. - - - Error while executing pre-consume script. - - src/app/services/consumer-status.service.ts - 18 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing pre-consume script. - - - Post-consume script does not exist. - - src/app/services/consumer-status.service.ts - 19 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Post-consume script does not exist. - - - Error while executing post-consume script. - - src/app/services/consumer-status.service.ts - 20 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing post-consume script. - - - Received new file. - - src/app/services/consumer-status.service.ts - 21 - - Received new file. - - - File type not supported. - - src/app/services/consumer-status.service.ts - 22 - - File type not supported. - - - Processing document... - - src/app/services/consumer-status.service.ts - 23 - - Processing document... - - - Generating thumbnail... - - src/app/services/consumer-status.service.ts - 24 - - Generating thumbnail... - - - Retrieving date from document... - - src/app/services/consumer-status.service.ts - 25 - - Retrieving date from document... - - - Saving document... - - src/app/services/consumer-status.service.ts - 26 - - Saving document... - - - Finished. - - src/app/services/consumer-status.service.ts - 27 - - Finished. - - - Error - - src/app/services/toast.service.ts - 35 - - Error - - - Information - - src/app/services/toast.service.ts - 39 - - Information - - - Correspondent - - src/app/services/rest/document.service.ts - 18 - - Correspondent - - - Document type - - src/app/services/rest/document.service.ts - 20 - - Document type - - - Created - - src/app/services/rest/document.service.ts - 21 - - Created - - - Added - - src/app/services/rest/document.service.ts - 22 - - Added - - - Modified - - src/app/services/rest/document.service.ts - 23 - - Modified - - - Search score - - src/app/services/rest/document.service.ts - 28 - - Score is a value returned by the full text search engine and specifies how well a result matches the given query - Search score - - - Create new item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 50 - - Create new item - - - Edit item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 54 - - Edit item - - - Could not save element: - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 58 - - Could not save element: - - - Automatic - - src/app/components/manage/generic-list/generic-list.component.ts - 39 - - Automatic - - - Do you really want to delete this element? - - src/app/components/manage/generic-list/generic-list.component.ts - 97 - - Do you really want to delete this element? - - - Associated documents will not be deleted. - - src/app/components/manage/generic-list/generic-list.component.ts - 104 - - Associated documents will not be deleted. - - - Delete - - src/app/components/manage/generic-list/generic-list.component.ts - 106 - - Delete - - - Error while deleting element: - - src/app/components/manage/generic-list/generic-list.component.ts - 114 - - Error while deleting element: - - - Any word - - src/app/data/matching-model.ts - 12 - - Any word - - - Any: Document contains any of these words (space separated) - - src/app/data/matching-model.ts - 12 - - Any: Document contains any of these words (space separated) - - - All words - - src/app/data/matching-model.ts - 13 - - All words - - - All: Document contains all of these words (space separated) - - src/app/data/matching-model.ts - 13 - - All: Document contains all of these words (space separated) - - - Exact match - - src/app/data/matching-model.ts - 14 - - Exact match - - - Exact: Document contains this string - - src/app/data/matching-model.ts - 14 - - Exact: Document contains this string - - - Regular expression - - src/app/data/matching-model.ts - 15 - - Regular expression - - - Regular expression: Document matches this regular expression - - src/app/data/matching-model.ts - 15 - - Regular expression: Document matches this regular expression - - - Fuzzy word - - src/app/data/matching-model.ts - 16 - - Fuzzy word - - - Fuzzy: Document contains a word similar to this word - - src/app/data/matching-model.ts - 16 - - Fuzzy: Document contains a word similar to this word - - - Auto: Learn matching automatically - - src/app/data/matching-model.ts - 17 - - Auto: Learn matching automatically - - - - diff --git a/src-ui/src/locale/messages.ar_YE.xlf b/src-ui/src/locale/messages.ar_YE.xlf deleted file mode 100644 index c6abefe21..000000000 --- a/src-ui/src/locale/messages.ar_YE.xlf +++ /dev/null @@ -1,2340 +0,0 @@ - - - - - - Document added - - src/app/app.component.ts - 51 - - Document added - - - Document was added to paperless. - - src/app/app.component.ts - 51 - - Document was added to paperless. - - - Open document - - src/app/app.component.ts - 51 - - Open document - - - Could not add : - - src/app/app.component.ts - 59 - - Could not add : - - - New document detected - - src/app/app.component.ts - 65 - - New document detected - - - Document is being processed by paperless. - - src/app/app.component.ts - 65 - - Document is being processed by paperless. - - - Documents - - src/app/components/document-list/document-list.component.ts - 51 - - Documents - - - View "" saved successfully. - - src/app/components/document-list/document-list.component.ts - 116 - - View "" saved successfully. - - - View "" created successfully. - - src/app/components/document-list/document-list.component.ts - 138 - - View "" created successfully. - - - Select - - src/app/components/document-list/document-list.component.html - 7 - - Select - - - Select none - - src/app/components/document-list/document-list.component.html - 10 - - Select none - - - Select page - - src/app/components/document-list/document-list.component.html - 11 - - Select page - - - Select all - - src/app/components/document-list/document-list.component.html - 12 - - Select all - - - Sort - - src/app/components/document-list/document-list.component.html - 39 - - Sort - - - Views - - src/app/components/document-list/document-list.component.html - 64 - - Views - - - Save as... - - src/app/components/document-list/document-list.component.html - 72 - - Save as... - - - Save "" - - src/app/components/document-list/document-list.component.html - 71 - - Save "" - - - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} - - src/app/components/document-list/document-list.component.html - 85 - - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} - - - {VAR_PLURAL, plural, =1 {One document} other { documents}} - - src/app/components/document-list/document-list.component.html - 86 - - {VAR_PLURAL, plural, =1 {One document} other { documents}} - - - (filtered) - - src/app/components/document-list/document-list.component.html - 86 - - (filtered) - - - ASN - - src/app/components/document-list/document-list.component.html - 111 - - ASN - - - Correspondent - - src/app/components/document-list/document-list.component.html - 117 - - Correspondent - - - Title - - src/app/components/document-list/document-list.component.html - 123 - - Title - - - Document type - - src/app/components/document-list/document-list.component.html - 129 - - Document type - - - Created - - src/app/components/document-list/document-list.component.html - 135 - - Created - - - Added - - src/app/components/document-list/document-list.component.html - 141 - - Added - - - Confirm delete - - src/app/components/document-detail/document-detail.component.ts - 206 - - Confirm delete - - - Do you really want to delete document ""? - - src/app/components/document-detail/document-detail.component.ts - 207 - - Do you really want to delete document ""? - - - The files for this document will be deleted permanently. This operation cannot be undone. - - src/app/components/document-detail/document-detail.component.ts - 208 - - The files for this document will be deleted permanently. This operation cannot be undone. - - - Delete document - - src/app/components/document-detail/document-detail.component.ts - 210 - - Delete document - - - Error deleting document: - - src/app/components/document-detail/document-detail.component.ts - 217 - - Error deleting document: - - - Delete - - src/app/components/document-detail/document-detail.component.html - 15 - - Delete - - - Download - - src/app/components/document-detail/document-detail.component.html - 23 - - Download - - - More like this - - src/app/components/document-detail/document-detail.component.html - 38 - - More like this - - - Close - - src/app/components/document-detail/document-detail.component.html - 44 - - Close - - - Details - - src/app/components/document-detail/document-detail.component.html - 56 - - Details - - - Content - - src/app/components/document-detail/document-detail.component.html - 72 - - Content - - - Metadata - - src/app/components/document-detail/document-detail.component.html - 81 - - Metadata - - - Discard - - src/app/components/document-detail/document-detail.component.html - 130 - - Discard - - - Save - - src/app/components/document-detail/document-detail.component.html - 132 - - Save - - - Page - - src/app/components/document-detail/document-detail.component.html - 4 - - Page - - - of - - src/app/components/document-detail/document-detail.component.html - 8 - - of - - - Download original - - src/app/components/document-detail/document-detail.component.html - 29 - - Download original - - - Archive serial number - - src/app/components/document-detail/document-detail.component.html - 60 - - Archive serial number - - - Date created - - src/app/components/document-detail/document-detail.component.html - 61 - - Date created - - - Date modified - - src/app/components/document-detail/document-detail.component.html - 87 - - Date modified - - - Date added - - src/app/components/document-detail/document-detail.component.html - 91 - - Date added - - - Media filename - - src/app/components/document-detail/document-detail.component.html - 95 - - Media filename - - - Original MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 99 - - Original MD5 checksum - - - Original file size - - src/app/components/document-detail/document-detail.component.html - 103 - - Original file size - - - Original mime type - - src/app/components/document-detail/document-detail.component.html - 107 - - Original mime type - - - Archive MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 111 - - Archive MD5 checksum - - - Archive file size - - src/app/components/document-detail/document-detail.component.html - 115 - - Archive file size - - - Original document metadata - - src/app/components/document-detail/document-detail.component.html - 121 - - Original document metadata - - - Archived document metadata - - src/app/components/document-detail/document-detail.component.html - 122 - - Archived document metadata - - - Save & next - - src/app/components/document-detail/document-detail.component.html - 131 - - Save & next - - - Hello , welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 33 - - Hello , welcome to Paperless-ngx! - - - Welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 35 - - Welcome to Paperless-ngx! - - - Dashboard - - src/app/components/dashboard/dashboard.component.html - 1 - - Dashboard - - - Do you really want to delete the tag ""? - - src/app/components/manage/tag-list/tag-list.component.ts - 26 - - Do you really want to delete the tag ""? - - - Tags - - src/app/components/manage/tag-list/tag-list.component.html - 1 - - Tags - - - Create - - src/app/components/manage/tag-list/tag-list.component.html - 2 - - Create - - - Filter by: - - src/app/components/manage/tag-list/tag-list.component.html - 8 - - Filter by: - - - Name - - src/app/components/manage/tag-list/tag-list.component.html - 9 - - Name - - - Color - - src/app/components/manage/tag-list/tag-list.component.html - 20 - - Color - - - Matching - - src/app/components/manage/tag-list/tag-list.component.html - 21 - - Matching - - - Document count - - src/app/components/manage/tag-list/tag-list.component.html - 22 - - Document count - - - Actions - - src/app/components/manage/tag-list/tag-list.component.html - 23 - - Actions - - - Documents - - src/app/components/manage/tag-list/tag-list.component.html - 38 - - Documents - - - Edit - - src/app/components/manage/tag-list/tag-list.component.html - 43 - - Edit - - - Do you really want to delete the document type ""? - - src/app/components/manage/document-type-list/document-type-list.component.ts - 26 - - Do you really want to delete the document type ""? - - - Document types - - src/app/components/manage/document-type-list/document-type-list.component.html - 1 - - Document types - - - Logs - - src/app/components/manage/logs/logs.component.html - 1 - - Logs - - - Saved view "" deleted. - - src/app/components/manage/settings/settings.component.ts - 68 - - Saved view "" deleted. - - - Settings saved successfully. - - src/app/components/manage/settings/settings.component.ts - 89 - - Settings saved successfully. - - - Use system language - - src/app/components/manage/settings/settings.component.ts - 94 - - Use system language - - - Use date format of display language - - src/app/components/manage/settings/settings.component.ts - 100 - - Use date format of display language - - - Error while storing settings on server: - - src/app/components/manage/settings/settings.component.ts - 117 - - Error while storing settings on server: - - - Settings - - src/app/components/manage/settings/settings.component.html - 1 - - Settings - - - General settings - - src/app/components/manage/settings/settings.component.html - 10 - - General settings - - - Notifications - - src/app/components/manage/settings/settings.component.html - 116 - - Notifications - - - Saved views - - src/app/components/manage/settings/settings.component.html - 134 - - Saved views - - - Appearance - - src/app/components/manage/settings/settings.component.html - 13 - - Appearance - - - Display language - - src/app/components/manage/settings/settings.component.html - 17 - - Display language - - - You need to reload the page after applying a new language. - - src/app/components/manage/settings/settings.component.html - 25 - - You need to reload the page after applying a new language. - - - Date display - - src/app/components/manage/settings/settings.component.html - 32 - - Date display - - - Date format - - src/app/components/manage/settings/settings.component.html - 45 - - Date format - - - Short: - - src/app/components/manage/settings/settings.component.html - 51 - - Short: - - - Medium: - - src/app/components/manage/settings/settings.component.html - 55 - - Medium: - - - Long: - - src/app/components/manage/settings/settings.component.html - 59 - - Long: - - - Items per page - - src/app/components/manage/settings/settings.component.html - 67 - - Items per page - - - Document editor - - src/app/components/manage/settings/settings.component.html - 83 - - Document editor - - - Use PDF viewer provided by the browser - - src/app/components/manage/settings/settings.component.html - 87 - - Use PDF viewer provided by the browser - - - This is usually faster for displaying large PDF documents, but it might not work on some browsers. - - src/app/components/manage/settings/settings.component.html - 87 - - This is usually faster for displaying large PDF documents, but it might not work on some browsers. - - - Dark mode - - src/app/components/manage/settings/settings.component.html - 94 - - Dark mode - - - Use system settings - - src/app/components/manage/settings/settings.component.html - 97 - - Use system settings - - - Enable dark mode - - src/app/components/manage/settings/settings.component.html - 98 - - Enable dark mode - - - Invert thumbnails in dark mode - - src/app/components/manage/settings/settings.component.html - 99 - - Invert thumbnails in dark mode - - - Bulk editing - - src/app/components/manage/settings/settings.component.html - 103 - - Bulk editing - - - Show confirmation dialogs - - src/app/components/manage/settings/settings.component.html - 107 - - Show confirmation dialogs - - - Deleting documents will always ask for confirmation. - - src/app/components/manage/settings/settings.component.html - 107 - - Deleting documents will always ask for confirmation. - - - Apply on close - - src/app/components/manage/settings/settings.component.html - 108 - - Apply on close - - - Document processing - - src/app/components/manage/settings/settings.component.html - 119 - - Document processing - - - Show notifications when new documents are detected - - src/app/components/manage/settings/settings.component.html - 123 - - Show notifications when new documents are detected - - - Show notifications when document processing completes successfully - - src/app/components/manage/settings/settings.component.html - 124 - - Show notifications when document processing completes successfully - - - Show notifications when document processing fails - - src/app/components/manage/settings/settings.component.html - 125 - - Show notifications when document processing fails - - - Suppress notifications on dashboard - - src/app/components/manage/settings/settings.component.html - 126 - - Suppress notifications on dashboard - - - This will suppress all messages about document processing status on the dashboard. - - src/app/components/manage/settings/settings.component.html - 126 - - This will suppress all messages about document processing status on the dashboard. - - - Appears on - - src/app/components/manage/settings/settings.component.html - 146 - - Appears on - - - Show on dashboard - - src/app/components/manage/settings/settings.component.html - 149 - - Show on dashboard - - - Show in sidebar - - src/app/components/manage/settings/settings.component.html - 153 - - Show in sidebar - - - No saved views defined. - - src/app/components/manage/settings/settings.component.html - 163 - - No saved views defined. - - - 404 Not Found - - src/app/components/not-found/not-found.component.html - 7 - - 404 Not Found - - - Do you really want to delete the correspondent ""? - - src/app/components/manage/correspondent-list/correspondent-list.component.ts - 26 - - Do you really want to delete the correspondent ""? - - - Correspondents - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 1 - - Correspondents - - - Last correspondence - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 22 - - Last correspondence - - - Confirmation - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 17 - - Confirmation - - - Confirm - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 29 - - Confirm - - - Cancel - - src/app/components/common/confirm-dialog/confirm-dialog.component.html - 12 - - Cancel - - - Create new correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 21 - - Create new correspondent - - - Edit correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 25 - - Edit correspondent - - - Matching algorithm - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 10 - - Matching algorithm - - - Matching pattern - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 11 - - Matching pattern - - - Case insensitive - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 12 - - Case insensitive - - - Create new tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 22 - - Create new tag - - - Edit tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 26 - - Edit tag - - - Inbox tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Inbox tag - - - Inbox tags are automatically assigned to all consumed documents. - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Inbox tags are automatically assigned to all consumed documents. - - - Create new document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 21 - - Create new document type - - - Edit document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 25 - - Edit document type - - - Paperless-ngx - - src/app/components/app-frame/app-frame.component.html - 11 - - app title - Paperless-ngx - - - Search documents - - src/app/components/app-frame/app-frame.component.html - 15 - - Search documents - - - Logout - - src/app/components/app-frame/app-frame.component.html - 45 - - Logout - - - Manage - - src/app/components/app-frame/app-frame.component.html - 112 - - Manage - - - Admin - - src/app/components/app-frame/app-frame.component.html - 154 - - Admin - - - Info - - src/app/components/app-frame/app-frame.component.html - 160 - - Info - - - Documentation - - src/app/components/app-frame/app-frame.component.html - 167 - - Documentation - - - GitHub - - src/app/components/app-frame/app-frame.component.html - 175 - - GitHub - - - Suggest an idea - - src/app/components/app-frame/app-frame.component.html - 181 - - Suggest an idea - - - Logged in as - - src/app/components/app-frame/app-frame.component.html - 34 - - Logged in as - - - Open documents - - src/app/components/app-frame/app-frame.component.html - 87 - - Open documents - - - Close all - - src/app/components/app-frame/app-frame.component.html - 106 - - Close all - - - Correspondent: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 37 - - Correspondent: - - - Without correspondent - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 39 - - Without correspondent - - - Type: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 44 - - Type: - - - Without document type - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 46 - - Without document type - - - Tag: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 50 - - Tag: - - - Without any tag - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 54 - - Without any tag - - - Title: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 58 - - Title: - - - ASN: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 61 - - ASN: - - - Title - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 88 - - Title - - - Title & content - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 89 - - Title & content - - - ASN - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 90 - - ASN - - - Advanced search - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 91 - - Advanced search - - - More like - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 94 - - More like - - - Filter tags - - src/app/components/document-list/filter-editor/filter-editor.component.html - 19 - - Filter tags - - - Filter correspondents - - src/app/components/document-list/filter-editor/filter-editor.component.html - 27 - - Filter correspondents - - - Filter document types - - src/app/components/document-list/filter-editor/filter-editor.component.html - 34 - - Filter document types - - - Reset filters - - src/app/components/document-list/filter-editor/filter-editor.component.html - 57 - - Reset filters - - - Not assigned - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.ts - 166 - - Filter drop down element to filter for documents with no correspondent/type/tag assigned - Not assigned - - - Apply - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.html - 26 - - Apply - - - Last 7 days - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 34 - - Last 7 days - - - Last month - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 35 - - Last month - - - Last 3 months - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 36 - - Last 3 months - - - Last year - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 37 - - Last year - - - After - - src/app/components/common/date-dropdown/date-dropdown.component.html - 13 - - After - - - Before - - src/app/components/common/date-dropdown/date-dropdown.component.html - 38 - - Before - - - Clear - - src/app/components/common/date-dropdown/date-dropdown.component.html - 18 - - Clear - - - View - - src/app/components/document-list/document-card-large/document-card-large.component.html - 51 - - View - - - Filter by correspondent - - src/app/components/document-list/document-card-large/document-card-large.component.html - 20 - - Filter by correspondent - - - Filter by tag - - src/app/components/document-list/document-card-large/document-card-large.component.html - 24 - - Filter by tag - - - Score: - - src/app/components/document-list/document-card-large/document-card-large.component.html - 87 - - Score: - - - Created: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 43 - - Created: - - - Added: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 44 - - Added: - - - Modified: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 45 - - Modified: - - - Error executing bulk operation: - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 74 - - Error executing bulk operation: - - - "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 113 - - "" - - - "" and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 115 - - This is for messages like 'modify "tag1" and "tag2"' - "" and "" - - - , - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 117 - - this is used to separate enumerations and should probably be a comma and a whitespace in most languages - , - - - and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 118 - - this is for messages like 'modify "tag1", "tag2" and "tag3"' - and "" - - - Confirm tags assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 127 - - Confirm tags assignment - - - This operation will add the tag "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 130 - - This operation will add the tag "" to selected document(s). - - - This operation will add the tags to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 132 - - This operation will add the tags to selected document(s). - - - This operation will remove the tag "" from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 135 - - This operation will remove the tag "" from selected document(s). - - - This operation will remove the tags from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 137 - - This operation will remove the tags from selected document(s). - - - This operation will add the tags and remove the tags on selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 139 - - This operation will add the tags and remove the tags on selected document(s). - - - Confirm correspondent assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 159 - - Confirm correspondent assignment - - - This operation will assign the correspondent "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 161 - - This operation will assign the correspondent "" to selected document(s). - - - This operation will remove the correspondent from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 163 - - This operation will remove the correspondent from selected document(s). - - - Confirm document type assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 182 - - Confirm document type assignment - - - This operation will assign the document type "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 184 - - This operation will assign the document type "" to selected document(s). - - - This operation will remove the document type from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 186 - - This operation will remove the document type from selected document(s). - - - Delete confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 201 - - Delete confirm - - - This operation will permanently delete selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 202 - - This operation will permanently delete selected document(s). - - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 203 - - This operation cannot be undone. - - - Delete document(s) - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 205 - - Delete document(s) - - - Select: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 10 - - Select: - - - All - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 20 - - All - - - Edit: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 27 - - Edit: - - - Download originals - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 68 - - Download originals - - - Add item - - src/app/components/common/input/select/select.component.html - 11 - - Used for both types and correspondents - Add item - - - Suggestions: - - src/app/components/common/input/select/select.component.html - 31 - - Suggestions: - - - Save current view - - src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html - 3 - - Save current view - - - Add tag - - src/app/components/common/input/tags/tags.component.html - 11 - - Add tag - - - Show all - - src/app/components/dashboard/widgets/saved-view-widget/saved-view-widget.component.html - 3 - - Show all - - - Statistics - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 1 - - Statistics - - - Total documents: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 4 - - Total documents: - - - Documents in inbox: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 3 - - Documents in inbox: - - - Processing: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 32 - - Processing: - - - Failed: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 35 - - Failed: - - - Added: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 38 - - Added: - - - Connecting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 118 - - Connecting... - - - Uploading... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 123 - - Uploading... - - - Upload complete, waiting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 126 - - Upload complete, waiting... - - - HTTP error: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 136 - - HTTP error: - - - Upload new documents - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 1 - - Upload new documents - - - Drop documents here or - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Drop documents here or - - - Browse files - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Browse files - - - Dismiss completed - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 4 - - This button dismisses all status messages about processed documents on the dashboard (failed and successful) - Dismiss completed - - - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 25 - - This is shown as a summary line when there are more than 5 document in the processing pipeline. - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} - - - Open document - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 45 - - Open document - - - First steps - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 1 - - First steps - - - Paperless is running! :) - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 5 - - Paperless is running! :) - - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 6,7 - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - - Paperless offers some more features that try to make your life easier: - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 8 - - Paperless offers some more features that try to make your life easier: - - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 10 - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. - - - You can configure paperless to read your mails and add documents from attached files. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 11 - - You can configure paperless to read your mails and add documents from attached files. - - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 13 - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - - Metadata - - src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts - 18 - - Metadata - - - Select - - src/app/components/common/select-dialog/select-dialog.component.ts - 18 - - Select - - - Please select an object - - src/app/components/common/select-dialog/select-dialog.component.ts - 21 - - Please select an object - - - Invalid date. - - src/app/components/common/input/date/date.component.html - 14 - - Invalid date. - - - Searching document with asn - - src/app/components/document-asn/document-asn.component.html - 1 - - Searching document with asn - - - Yes - - src/app/pipes/yes-no.pipe.ts - 9 - - Yes - - - No - - src/app/pipes/yes-no.pipe.ts - 9 - - No - - - (no title) - - src/app/pipes/document-title.pipe.ts - 12 - - (no title) - - - English (US) - - src/app/services/settings.service.ts - 90 - - English (US) - - - English (GB) - - src/app/services/settings.service.ts - 91 - - English (GB) - - - German - - src/app/services/settings.service.ts - 92 - - German - - - Dutch - - src/app/services/settings.service.ts - 93 - - Dutch - - - French - - src/app/services/settings.service.ts - 94 - - French - - - Portuguese - - src/app/services/settings.service.ts - 95 - - Portuguese - - - Portuguese (Brazil) - - src/app/services/settings.service.ts - 96 - - Portuguese (Brazil) - - - Italian - - src/app/services/settings.service.ts - 97 - - Italian - - - Romanian - - src/app/services/settings.service.ts - 98 - - Romanian - - - Russian - - src/app/services/settings.service.ts - 99 - - Russian - - - Spanish - - src/app/services/settings.service.ts - 100 - - Spanish - - - Polish - - src/app/services/settings.service.ts - 101 - - Polish - - - Swedish - - src/app/services/settings.service.ts - 102 - - Swedish - - - ISO 8601 - - src/app/services/settings.service.ts - 107 - - ISO 8601 - - - Document already exists. - - src/app/services/consumer-status.service.ts - 15 - - Document already exists. - - - File not found. - - src/app/services/consumer-status.service.ts - 16 - - File not found. - - - Pre-consume script does not exist. - - src/app/services/consumer-status.service.ts - 17 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Pre-consume script does not exist. - - - Error while executing pre-consume script. - - src/app/services/consumer-status.service.ts - 18 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing pre-consume script. - - - Post-consume script does not exist. - - src/app/services/consumer-status.service.ts - 19 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Post-consume script does not exist. - - - Error while executing post-consume script. - - src/app/services/consumer-status.service.ts - 20 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing post-consume script. - - - Received new file. - - src/app/services/consumer-status.service.ts - 21 - - Received new file. - - - File type not supported. - - src/app/services/consumer-status.service.ts - 22 - - File type not supported. - - - Processing document... - - src/app/services/consumer-status.service.ts - 23 - - Processing document... - - - Generating thumbnail... - - src/app/services/consumer-status.service.ts - 24 - - Generating thumbnail... - - - Retrieving date from document... - - src/app/services/consumer-status.service.ts - 25 - - Retrieving date from document... - - - Saving document... - - src/app/services/consumer-status.service.ts - 26 - - Saving document... - - - Finished. - - src/app/services/consumer-status.service.ts - 27 - - Finished. - - - Error - - src/app/services/toast.service.ts - 35 - - Error - - - Information - - src/app/services/toast.service.ts - 39 - - Information - - - Correspondent - - src/app/services/rest/document.service.ts - 18 - - Correspondent - - - Document type - - src/app/services/rest/document.service.ts - 20 - - Document type - - - Created - - src/app/services/rest/document.service.ts - 21 - - Created - - - Added - - src/app/services/rest/document.service.ts - 22 - - Added - - - Modified - - src/app/services/rest/document.service.ts - 23 - - Modified - - - Search score - - src/app/services/rest/document.service.ts - 28 - - Score is a value returned by the full text search engine and specifies how well a result matches the given query - Search score - - - Create new item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 50 - - Create new item - - - Edit item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 54 - - Edit item - - - Could not save element: - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 58 - - Could not save element: - - - Automatic - - src/app/components/manage/generic-list/generic-list.component.ts - 39 - - Automatic - - - Do you really want to delete this element? - - src/app/components/manage/generic-list/generic-list.component.ts - 97 - - Do you really want to delete this element? - - - Associated documents will not be deleted. - - src/app/components/manage/generic-list/generic-list.component.ts - 104 - - Associated documents will not be deleted. - - - Delete - - src/app/components/manage/generic-list/generic-list.component.ts - 106 - - Delete - - - Error while deleting element: - - src/app/components/manage/generic-list/generic-list.component.ts - 114 - - Error while deleting element: - - - Any word - - src/app/data/matching-model.ts - 12 - - Any word - - - Any: Document contains any of these words (space separated) - - src/app/data/matching-model.ts - 12 - - Any: Document contains any of these words (space separated) - - - All words - - src/app/data/matching-model.ts - 13 - - All words - - - All: Document contains all of these words (space separated) - - src/app/data/matching-model.ts - 13 - - All: Document contains all of these words (space separated) - - - Exact match - - src/app/data/matching-model.ts - 14 - - Exact match - - - Exact: Document contains this string - - src/app/data/matching-model.ts - 14 - - Exact: Document contains this string - - - Regular expression - - src/app/data/matching-model.ts - 15 - - Regular expression - - - Regular expression: Document matches this regular expression - - src/app/data/matching-model.ts - 15 - - Regular expression: Document matches this regular expression - - - Fuzzy word - - src/app/data/matching-model.ts - 16 - - Fuzzy word - - - Fuzzy: Document contains a word similar to this word - - src/app/data/matching-model.ts - 16 - - Fuzzy: Document contains a word similar to this word - - - Auto: Learn matching automatically - - src/app/data/matching-model.ts - 17 - - Auto: Learn matching automatically - - - - diff --git a/src-ui/src/locale/messages.be_BY.xlf b/src-ui/src/locale/messages.be_BY.xlf index 3cedbe4d7..2256207cd 100644 --- a/src-ui/src/locale/messages.be_BY.xlf +++ b/src-ui/src/locale/messages.be_BY.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Decrement hours @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Increment minutes @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Decrement minutes @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Захаваныя выгляды @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Захаваць @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Пошук дакумента з asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Выдаліць @@ -1537,11 +1581,23 @@ Спампаваць арыгінал + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Закрыць @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Previous @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Next @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Падрабязнасці @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Парадкавы нумар архіва @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Дата стварэння @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Default @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Змест @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Дата змянення @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Дата дадання @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Імя медыяфайла + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Арыгінальная кантрольная сума MD5 @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Арыгінальны памер файла @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Арыгінальны MIME тып @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 MD5 сума архіва @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Памер файла архіва @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Арыгінальныя метададзеныя дакумента @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Метададзеныя архіўнага дакумента @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Enter Password + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Адхіліць @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Захаваць & наступны @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Вы сапраўды хочаце выдаліць дакумент ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Файлы для гэтага дакумента будуць выдалены назаўсёды. Гэтую аперацыю нельга адмяніць. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Выдаліць дакумент @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Памылка выдалення дакумента: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Гэтую аперацыю нельга адмяніць. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ Гэтая аперацыя назаўжды выдаліць абраных дакументаў. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Гэтую аперацыю нельга адмяніць. - Delete document(s) @@ -2159,14 +2279,6 @@ Выдаліць дакумент(ы) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Прагляд "" паспяхова захаваны. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Прагляд "" створаны паспяхова. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Паказаць у бакавой панэлі @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Паказаць на панэлі @@ -3083,11 +3187,19 @@ Ужыць пры зачыненні + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Апавяшчэнні @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Апрацоўка дакумента @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Паказваць апавяшчэнні пры выяўленні новых дакументаў @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Паказваць апавяшчэнні, калі апрацоўка дакумента завершана паспяхова @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Паказваць апавяшчэнні, калі апрацоўка дакумента няўдалая @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Схаваць апавяшчэння на галоўнай панэлі @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Гэта адключыць усе паведамленні аб статуце апрацоўкі дакументаў на галоўнай панэлі. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 З'яўляецца на @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Няма захаваных праглядаў. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Захаваны выгляд "" выдалены. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Выкарыстоўваць мову сістэмы @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Выкарыстоўваць фармат даты мовы адлюстравання @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3501,6 +3613,14 @@ Аўтаматычны: вучыцеся аўтаматычна + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Незахаваныя змены @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 У вас ёсць незахаваныя змены. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Вы ўпэўнены, што хочаце закрыць гэты дакумент? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Закрыць дакумент @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Вы ўпэўнены, што хочаце закрыць усе дакументы? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Закрыць дакументы diff --git a/src-ui/src/locale/messages.cs_CZ.xlf b/src-ui/src/locale/messages.cs_CZ.xlf index 72b82e843..f5809a659 100644 --- a/src-ui/src/locale/messages.cs_CZ.xlf +++ b/src-ui/src/locale/messages.cs_CZ.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Decrement hours @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Increment minutes @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Decrement minutes @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Uložené pohledy @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Uložit @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Hledání dokumentu s ASN + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Odstranit @@ -1537,11 +1581,23 @@ Stáhnout originál + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Zavřít @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Previous @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Next @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Podrobnosti @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Sériové číslo archivu @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Vytvořeno @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Default @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Obsah @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Upraveno @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Přidána @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Název souboru + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Původní kontrolní součet MD5 @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Původní velikost souboru @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Původní typ mime @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Kontrolní součet MD5 archivu @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Velikost souboru archivu @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Metadata původního dokumentu @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Metadata archivovaného dokumentu @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Enter Password + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Zrušit @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Uložit & další @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Opravdu chcete smazat dokument ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Soubory tohoto dokumentu budou trvale smazány. Tuto operaci nelze vrátit zpět. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Smazat dokument @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Chyba při mazání dokumentu: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Tuto operaci nelze vrátit zpět. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ Tato operace trvale odstraní vybraných dokumentů. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Tuto operaci nelze vrátit zpět. - Delete document(s) @@ -2159,14 +2279,6 @@ Smazat dokument(y) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Zobrazení "" bylo úspěšně uloženo. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Zobrazení "" bylo úspěšně vytvořeno. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Zobrazit na postranním panelu @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Zobrazit na nástěnce @@ -3083,11 +3187,19 @@ Aplikovat při zavření + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Oznámení @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Zpracovávání dokumentu @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Zobrazit oznámení, když jsou zjištěny nové dokumenty @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Zobrazit oznámení při úspěšném dokončení zpracování dokumentu @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Zobrazit oznámení, když zpracování dokumentu selže @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Potlačit oznámení na nástěnce @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Toto potlačí všechny zprávy o stavu zpracování dokumentu na nástěnce. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Výskyt @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Nejsou definovány žádné uložené pohledy. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Uložený pohled "" odstraněn. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Použít systémový jazyk @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Použít formát data zobrazeného jazyka @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3501,6 +3613,14 @@ Auto: Automaticky se učit hledat shody + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Unsaved Changes @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 You have unsaved changes. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Are you sure you want to close this document? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Close document @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Are you sure you want to close all documents? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Close documents diff --git a/src-ui/src/locale/messages.da_DK.xlf b/src-ui/src/locale/messages.da_DK.xlf index b060b66b1..26fe800fb 100644 --- a/src-ui/src/locale/messages.da_DK.xlf +++ b/src-ui/src/locale/messages.da_DK.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Reducer timer @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Forøg minutter @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Reducer minutter @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Gemte visninger @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Gem @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Søger efter dokument med asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Slet @@ -1537,11 +1581,23 @@ Download original + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Luk @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Forrige @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Næste @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Detaljer @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Arkiv serienummer @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Oprettelsesdato @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Default @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Indhold @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Ændringsdato @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Tilføjelsesdato @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Filnavn for medie + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Original MD5 kontrolsum @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Original filstørrelse @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Original mimetype @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Arkiv MD5 kontrolsum @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Arkiv filstørrelse @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Original dokumentmetadata @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Arkiveret dokumentmetadata @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Indtast adgangskode + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Forkast @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Gem & næste @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Er du sikker på, at du vil slette dokument ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Filerne for dette dokument vil blive slettet permanent. Denne handling kan ikke fortrydes. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Slet dokument @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Fejl ved sletning af dokument: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Denne handling kan ikke fortrydes. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ Denne handling vil permanent slette valgte dokument(er). - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Denne handling kan ikke fortrydes. - Delete document(s) @@ -2159,14 +2279,6 @@ Slet dokument(er) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Visning "" er gemt. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Visning "" er oprettet. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Vis i sidebjælke @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Vis på betjeningspanel @@ -3083,11 +3187,19 @@ Anvend ved lukning + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notifikationer @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Dokumentbehandling @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Vis notifikationer når nye dokumenter registreres @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Vis notifikationer når dokumentbehandling er fuldført @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Vis notifikationer når dokumentbehandling fejler @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Undertryk notifikationer på betjeningspanelet @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Dette vil undertrykke alle meddelelser om dokumentbehandlingsstatus på betjeningspanelet. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Vises på @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Ingen gemte visninger. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Gemt visning "" slettet. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Benyt systemsprog @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Benyt datoformat for visningssprog @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3501,6 +3613,14 @@ Auto: Lær automatisk at matche + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Ugemte Ændringer @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Du har ugemte ændringer. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Er du sikker på, at du vil lukke dette dokument? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Luk dokument @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Er du sikker på, at du vil lukke alle dokumenter? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Luk dokumenter diff --git a/src-ui/src/locale/messages.de_DE.xlf b/src-ui/src/locale/messages.de_DE.xlf index 2d3997ef9..37760766e 100644 --- a/src-ui/src/locale/messages.de_DE.xlf +++ b/src-ui/src/locale/messages.de_DE.xlf @@ -17,7 +17,7 @@ 157,166 Currently selected slide number read by screen reader - Slide of + Folie von Previous @@ -33,7 +33,7 @@ node_modules/src/carousel/carousel.ts 209,211 - Weiter + Nächste Select month @@ -155,7 +155,7 @@ node_modules/src/progressbar/progressbar.ts 23,26 - + HH @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Stunden verringern @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Minuten erhöhen @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Minuten verringern @@ -345,7 +345,7 @@ src/app/app.component.ts 146 - Starte Upload... + Beginne Upload... Paperless-ngx @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Gespeicherte Ansichten @@ -522,7 +522,7 @@ src/app/components/app-frame/app-frame.component.html 148 - File Tasks + Dateiaufgaben Logs @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Speichern @@ -1086,7 +1090,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 23 - Any + Irgendeines Apply @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Dokument mit ASN wird gesucht + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Kommentar eingeben + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Bitte geben Sie einen Kommentar ein. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Kommentar hinzufügen + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Fehler beim Speichern des Kommentars: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Fehler beim Löschen des Kommentars: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Löschen @@ -1537,11 +1581,23 @@ Original herunterladen + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + OCR wiederholen + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Schließen @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Zurück @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Weiter @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Details @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Archiv-Seriennummer @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Ausgestellt am @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Standard @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Inhalt @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Geändert am @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Hinzugefügt am @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Media-Dateiname + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Dateiname Original + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 MD5-Prüfsumme Original @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Dateigröße Original @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 MIME-Typ Original @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 MD5-Prüfsumme Archiv @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Dateigröße Archiv @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Metadaten Original @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Metadaten Archiv @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Passwort eingeben + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Kommentare + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Verwerfen @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Speichern & weiter @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Möchten Sie das Dokument "" wirklich löschen? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Die Dateien dieses Dokuments werden permanent gelöscht. Diese Aktion kann nicht rückgängig gemacht werden. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Dokument löschen @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Fehler beim Löschen des Dokuments: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + OCR wiederholen + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + Diese Aktion wird die Texterkennung für das Dokument wiederholen. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Diese Aktion kann nicht rückgängig gemacht werden. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Fortfahren + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Die erneute Texterkennung wird im Hintergrund gestartet. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Fehler beim Ausführen der Aktion: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1947,7 +2087,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 78,82 - Download Preparing download... + Herunterladen Herunterladen wird vorbereitet... Download originals Preparing download... @@ -1955,15 +2095,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 84,88 - Download originals Preparing download... - - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR + Originale herunterladen Download wird vorbereitet... Error executing bulk operation: @@ -2025,7 +2157,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 209,211 - Dieser Vorgang wird die folgenden Tags hinzufügen zu ausgewählten Dokument(en). + Diese Aktion wird die folgenden Tags hinzufügen zu ausgewählten Dokument(en). This operation will remove the tag "" from selected document(s). @@ -2041,7 +2173,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 222,224 - Dieser Vorgang wird die folgenden Tags entfernen von ausgewählten Dokument(en). + Diese Aktion wird die folgenden Tags von ausgewählten Dokument(en) entfernen. This operation will add the tags and remove the tags on selected document(s). @@ -2049,7 +2181,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 226,230 - Dieser Vorgang wird die folgenden Tags hinzufügen und die folgenden entfernen von ausgewählten Dokumenten(en). + Diese Aktion wird die Tags hinzufügen und die Tags ertfernen von ausgewählten Dokument(en). Confirm correspondent assignment @@ -2139,18 +2271,6 @@ Diese Aktion wird ausgewählte Dokumente unwiderruflich löschen. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Diese Aktion kann nicht rückgängig gemacht werden. - Delete document(s) @@ -2159,29 +2279,13 @@ Dokument(e) löschen - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts 388 - This operation will permanently redo OCR for selected document(s). - - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed + Diese Aktion wird die Texterkennung für ausgewählte(s) Dokument(e) wiederholen. Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Ansicht "" erfolgreich gespeichert. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Ansicht "" erfolgreich erstellt. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 In Seitenleiste zeigen @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Auf Startseite zeigen @@ -3083,11 +3187,19 @@ Anwenden beim Schließen + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Kommentare aktivieren + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Benachrichtigungen @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Dokumentverarbeitung @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Zeige Benachrichtigungen wenn neue Dokumente erkannt werden @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Zeige Benachrichtigungen wenn neue Dokumente erfolgreich hinzugefügt wurden @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Zeige Benachrichtigungen wenn Dokumente nicht hinzugefügt werden konnten @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Unterdrücke Benachrichtigungen auf der Startseite @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Dadurch werden alle Benachrichtigungen über die Dokumentenverarbeitung auf der Startseite unterdrückt. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Erscheint auf @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Keine gespeicherten Ansichten vorhanden. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Gespeicherte Ansicht "" gelöscht. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Einstellungen gespeichert @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Einstellungen wurden erfolgreich gespeichert. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Einstellungen wurden erfolgreich gespeichert. Neuladen ist erforderlich, um einige Änderungen zu übernehmen. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Jetzt neuladen @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 Ein Fehler ist beim Speichern der Einstellungen aufgetreten. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Benutze Systemsprache @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Benutze Datumsformat der Anzeigesprache @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Fehler beim Speichern der Einstellungen auf dem Server: @@ -3281,7 +3393,7 @@ src/app/components/manage/tasks/tasks.component.html 1 - File Tasks + Dateiaufgaben Clear selection @@ -3289,7 +3401,7 @@ src/app/components/manage/tasks/tasks.component.html 6 - Clear selection + Auswahl leeren @@ -3299,7 +3411,7 @@ src/app/components/manage/tasks/tasks.component.html 11 - + Refresh @@ -3307,7 +3419,7 @@ src/app/components/manage/tasks/tasks.component.html 20 - Refresh + Aktualisieren Results @@ -3315,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + Ergebnisse click for full output @@ -3323,7 +3435,7 @@ src/app/components/manage/tasks/tasks.component.html 66 - click for full output + für vollständige Ausgabe anklicken Dismiss @@ -3335,7 +3447,7 @@ src/app/components/manage/tasks/tasks.component.ts 54 - Dismiss + Verwerfen Failed  @@ -3343,7 +3455,7 @@ src/app/components/manage/tasks/tasks.component.html 96 - Failed  + Fehlgeschlagen  Complete  @@ -3351,7 +3463,7 @@ src/app/components/manage/tasks/tasks.component.html 102 - Complete  + Erledigt Started  @@ -3359,7 +3471,7 @@ src/app/components/manage/tasks/tasks.component.html 108 - Started  + Gestartet  Queued  @@ -3367,7 +3479,7 @@ src/app/components/manage/tasks/tasks.component.html 114 - Queued  + In der Warteschlange  Dismiss selected @@ -3375,7 +3487,7 @@ src/app/components/manage/tasks/tasks.component.ts 21 - Dismiss selected + Auswahl verwerfen Dismiss all @@ -3387,7 +3499,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - Dismiss all + Alle Confirm Dismiss All @@ -3395,7 +3507,7 @@ src/app/components/manage/tasks/tasks.component.ts 50 - Confirm Dismiss All + Alle verwerfen bestätigen tasks? @@ -3403,7 +3515,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - tasks? + Aufgaben verwerfen? 404 Not Found @@ -3501,6 +3613,14 @@ Auto: Zuweisung automatisch erlernen + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warnung: Sie haben nicht gespeicherte Änderungen an Ihren Dokument(en). + Unsaved Changes @@ -3509,13 +3629,13 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 - Ungespeicherte Änderungen + Nicht gespeicherte Änderungen You have unsaved changes. @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Sie haben ungespeicherte Änderungen. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 Sie haben ungespeicherte Änderungen am Dokument @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Sind Sie sicher, dass Sie dieses Dokument schließen möchten? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Dokument schließen @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Sind Sie sicher, dass Sie alle Dokumente schließen möchten? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Alle Dokumente schließen diff --git a/src-ui/src/locale/messages.es_ES.xlf b/src-ui/src/locale/messages.es_ES.xlf index d4bc50d7e..e79268171 100644 --- a/src-ui/src/locale/messages.es_ES.xlf +++ b/src-ui/src/locale/messages.es_ES.xlf @@ -195,31 +195,31 @@ node_modules/src/timepicker/timepicker.ts 218,219 - Increment hours + Incrementar horas Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 - Decrement hours + Decrementar horas Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 - Increment minutes + Incrementar minutos Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 - Decrement minutes + Decrementar minutos SS @@ -235,7 +235,7 @@ node_modules/src/timepicker/timepicker.ts 295 - Seconds + Segundos Increment seconds @@ -243,7 +243,7 @@ node_modules/src/timepicker/timepicker.ts 295 - Increment seconds + Incrementar segundos Decrement seconds @@ -251,7 +251,7 @@ node_modules/src/timepicker/timepicker.ts 295 - Decrement seconds + Decrementar segundos @@ -277,7 +277,7 @@ node_modules/src/toast/toast.ts 70,71 - Close + Cerrar Drop files to begin upload @@ -285,7 +285,7 @@ src/app/app.component.html 7 - Drop files to begin upload + Arrastra archivos para subirlos Document added @@ -345,7 +345,7 @@ src/app/app.component.ts 146 - Initiating upload... + Iniciando subida... Paperless-ngx @@ -370,7 +370,7 @@ src/app/components/app-frame/app-frame.component.html 34 - Logged in as + Sesión iniciada como Settings @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Vistas guardadas @@ -514,7 +514,7 @@ src/app/components/app-frame/app-frame.component.html 141 - Storage paths + Rutas de almacenamiento File Tasks @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -586,7 +590,7 @@ src/app/components/app-frame/app-frame.component.html 205 - is available. + está disponible. Click to view. @@ -594,7 +598,7 @@ src/app/components/app-frame/app-frame.component.html 205 - Click to view. + Haz clic para ver. Checking for updates is disabled. @@ -602,7 +606,7 @@ src/app/components/app-frame/app-frame.component.html 208 - Checking for updates is disabled. + La comprobación de actualizaciones está desactivada. Click for more information. @@ -610,7 +614,7 @@ src/app/components/app-frame/app-frame.component.html 208 - Click for more information. + Pulse para más información. Update available @@ -618,7 +622,7 @@ src/app/components/app-frame/app-frame.component.html 216 - Update available + Actualización disponible Cancel @@ -626,7 +630,7 @@ src/app/components/common/confirm-dialog/confirm-dialog.component.html 12 - Cancel + Cancelar Confirmation @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Salvar @@ -914,7 +918,7 @@ src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts 24 - Crear nuevo tipo de documento + Crear nuevo interlocutor Edit correspondent @@ -922,7 +926,7 @@ src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts 28 - Editar tipo de documento + Editar interlocutor Create new document type @@ -970,7 +974,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html 10 - Note that editing a path does not apply changes to stored files until you have run the 'document_renamer' utility. See the documentation. + Tenga en cuenta que editar una ruta no aplica los cambios a los archivos almacenados hasta que ejecute la utilidad 'document_renamer'. Vea la documentación. Path @@ -982,7 +986,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 35 - Path + Ruta e.g. @@ -990,7 +994,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 25 - e.g. + por ejemplo. or use slashes to add directories e.g. @@ -998,7 +1002,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 27 - or use slashes to add directories e.g. + o utilice barras para añadir directorios p.ej. See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. @@ -1006,7 +1010,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 29 - See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. + Vea la <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentación</a> para la lista completa. Create new storage path @@ -1014,7 +1018,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 34 - Create new storage path + Crear nueva ruta de almacenamiento Edit storage path @@ -1022,7 +1026,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 38 - Edit storage path + Editar ruta de almacenamiento Color @@ -1086,7 +1090,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 23 - Any + Cualquiera Apply @@ -1204,7 +1208,7 @@ src/app/components/dashboard/dashboard.component.ts 19 - Hello , welcome to Paperless-ngx! + Hola , bienvenido a Paperless-ngx! Welcome to Paperless-ngx! @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Buscando documento con NSA + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Introducir comentario + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Por favor, introduzca un comentario. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Añadir comentario + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error guardando el comentario: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error borrando el comentario: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Borrar @@ -1537,11 +1581,23 @@ Documento original + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Rehacer OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Cerrar @@ -1561,23 +1617,23 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 - Previous + Anterior Next src/app/components/document-detail/document-detail.component.html - 49 + 55 - Next + Siguiente Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Detalles @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Número de serie del archivo @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Fecha de creación @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1619,13 +1675,13 @@ src/app/services/rest/document.service.ts 19 - Correspondencia + Interlocutor Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1663,21 +1719,21 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 44 - Storage path + Ruta de almacenamiento Default src/app/components/document-detail/document-detail.component.html - 77 + 83 - Default + Por defecto Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Contenido @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Fecha de modificación @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Fecha de subida @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Nombre del fichero + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Nombre del archivo original + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Comprobación MD5 original @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Tamaño del fichero original @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Tipo MIME original @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Comprobación MD5 del archivo @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Tamaño del archivo @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Metadatos originales @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Metadatos archivados @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 - Enter Password + Introducir contraseña + + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comentarios Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Descartar @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Guardar y continuar @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 ¿Estás seguro de querer borrar el documento ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Los archivos para este documento serán borrados permanentemente. Esta operación no se puede deshacer. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Borrar documento @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Error borrando el documento: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Rehacer confirmación de OCR + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + Esta operación rehará permanentemente el OCR de este documento. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Esta operación no se puede deshacer. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Continuar + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + La operación de rehacer OCR comenzará en segundo plano. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1883,7 +2023,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 31 - Filtrar tipos de documento + Filtrar interlocutores Filter document types @@ -1907,7 +2047,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 45 - Filter storage paths + Filtrar rutas de almacenamiento Actions @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1947,7 +2087,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 78,82 - Download Preparing download... + Descargar Preparando descarga... Download originals Preparing download... @@ -1955,15 +2095,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 84,88 - Download originals Preparing download... - - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR + Descargar originales Preparando descarga... Error executing bulk operation: @@ -1971,7 +2103,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 103,105 - Error executing bulk operation: + Error ejecutando operación múltiple: "" @@ -2025,7 +2157,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 209,211 - This operation will add the tags to selected document(s). + Esta operación agregará las etiquetas a documento(s) seleccionado(s). This operation will remove the tag "" from selected document(s). @@ -2041,7 +2173,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 222,224 - This operation will remove the tags from selected document(s). + Esta operacion eliminará las etiquetas de documento(s) seleccionado(s). This operation will add the tags and remove the tags on selected document(s). @@ -2049,7 +2181,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 226,230 - This operation will add the tags and remove the tags on selected document(s). + Esta operacion agregará las etiquetas y eliminará las etiquetas en documento(s) seleccionado(s). Confirm correspondent assignment @@ -2057,7 +2189,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 265 - Confirmar asignación correspondiente + Confirmar asignación interlocutor This operation will assign the correspondent "" to selected document(s). @@ -2065,7 +2197,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 267 - Esta operacion asignará el tipo de documento "" a documento(s) seleccionado(s). + Esta operación asignará el interlocutor "" a documento(s) seleccionado(s). This operation will remove the correspondent from selected document(s). @@ -2073,7 +2205,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 269 - Esta operación eliminará el tipo de documento de documento(s) seleccionado(s). + Esta operación eliminará el interlocutor de documento(s) seleccionado(s). Confirm document type assignment @@ -2105,7 +2237,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 337 - Confirm storage path assignment + Confirmar asignación de ruta de almacenamiento This operation will assign the storage path "" to selected document(s). @@ -2113,7 +2245,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 339 - This operation will assign the storage path "" to selected document(s). + Esta operación asignará la ruta de almacenamiento "" a documento(s) seleccionados. This operation will remove the storage path from selected document(s). @@ -2121,7 +2253,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 341 - This operation will remove the storage path from selected document(s). + Esta operación eliminará la ruta de almacenamiento de documento(s) seleccionados. Delete confirm @@ -2139,18 +2271,6 @@ Esta operación borrará permanentemente documento(s) seleccionado(s). - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Esta operación no se puede deshacer. - Delete document(s) @@ -2159,29 +2279,13 @@ Borrar documento(s) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts 388 - This operation will permanently redo OCR for selected document(s). - - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed + Esta operación rehará permanentemente OCR para documento(s) seleccionados. Filter by correspondent @@ -2193,7 +2297,7 @@ src/app/components/document-list/document-list.component.html 171 - Filtrar por tipo de documento + Filtrar por interlocutor Filter by tag @@ -2269,7 +2373,7 @@ src/app/components/document-list/document-list.component.html 180 - Filter by document type + Filtrar por tipo de documento Filter by storage path @@ -2281,7 +2385,7 @@ src/app/components/document-list/document-list.component.html 185 - Filter by storage path + Filtrar por ruta de almacenamiento Created: @@ -2293,7 +2397,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 48 - Created: + Creado: Added: @@ -2305,7 +2409,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 49 - Added: + Añadido: Modified: @@ -2317,7 +2421,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 50 - Modified: + Modificado: Score: @@ -2333,7 +2437,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 14 - Toggle tag filter + Activar filtro de etiquetas Toggle correspondent filter @@ -2341,7 +2445,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 24 - Toggle correspondent filter + Cambiar filtro de interlocutores Toggle document type filter @@ -2349,7 +2453,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 31 - Toggle document type filter + Activar filtro de tipo de documento Toggle storage path filter @@ -2357,7 +2461,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 38 - Toggle storage path filter + Activar filtro de ruta de almacenamiento Select none @@ -2445,7 +2549,7 @@ src/app/components/document-list/document-list.component.html 102 - Error while loading documents + Error al cargar los documentos ASN @@ -2485,13 +2589,13 @@ src/app/components/document-list/document-list.component.html 175 - Edit document + Editar documento View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Ver "" guardado satisfactoriamente. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Ver "" creado satisfactoriamente. @@ -2525,7 +2629,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 76 - Sin tipo de documento + Sin interlocutor Type: @@ -2533,7 +2637,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 81,83 - Type: + Tipo: Without document type @@ -2549,7 +2653,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 89,91 - Tag: + Etiqueta: Without any tag @@ -2605,7 +2709,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 164 - equals + es igual a is empty @@ -2613,7 +2717,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 168 - is empty + está vacío is not empty @@ -2621,7 +2725,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 172 - is not empty + no está vacío greater than @@ -2629,7 +2733,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 176 - greater than + es mayor que less than @@ -2637,7 +2741,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 180 - less than + es menor que Save current view @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Mostrar barra lateral @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Mostrar en el panel de control @@ -2677,7 +2781,7 @@ src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html 12 - Filter rules error occurred while saving this view + Error en las reglas de filtro al guardar esta vista The error returned was @@ -2685,7 +2789,7 @@ src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html 13 - The error returned was + El error devuelto fue correspondent @@ -2701,7 +2805,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 34 - correspondents + interlocutores Last used @@ -2717,7 +2821,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 48 - ¿Estás seguro de querer borrar el tipo de documento ""? + ¿Estás seguro de querer borrar el interlocutor ""? document type @@ -2725,7 +2829,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 30 - document type + tipo de documento document types @@ -2733,7 +2837,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 31 - document types + tipos de documento Do you really want to delete the document type ""? @@ -2841,7 +2945,7 @@ src/app/components/manage/management-list/management-list.component.html 44 - Filter Documents + Filtrar documentos {VAR_PLURAL, plural, =1 {One } other { total }} @@ -2881,7 +2985,7 @@ src/app/components/manage/management-list/management-list.component.ts 140 - Do you really want to delete the ? + ¿Estás seguro de que quieres eliminar ? Associated documents will not be deleted. @@ -2897,7 +3001,7 @@ src/app/components/manage/management-list/management-list.component.ts 168,170 - Error while deleting element: + Error borrando el elemento: General @@ -2905,7 +3009,7 @@ src/app/components/manage/settings/settings.component.html 10 - General + General Appearance @@ -3041,7 +3145,7 @@ src/app/components/manage/settings/settings.component.html 105 - Theme Color + Color del tema Reset @@ -3049,7 +3153,7 @@ src/app/components/manage/settings/settings.component.html 114 - Reset + Reiniciar Bulk editing @@ -3083,11 +3187,19 @@ Aplicar al cerrar + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Activar comentarios + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notificaciones @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Procesado de documentos @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Mostrar notificaciones cuando nuevos documentos sean borrados @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Mostrar notificaciones cuando el procesado se complete satisfactoriamente @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Mostrar notificaciones cuando el procesado falle @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 No mostrar notificaciones en el panel de control @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Esto suprimirá todos los mensajes de estado de procesamiento en el panel de control. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Aparece en @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 No hay ninguna vista guardada definida @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Vista guardada "" borrada. @@ -3167,47 +3279,47 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 - Settings saved + Configuración guardada Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 - Settings were saved successfully. + La configuración se ha guardado correctamente. Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 - Settings were saved successfully. Reload is required to apply some changes. + La configuración se ha guardado con éxito. Es necesario recargar para aplicar algunos cambios. Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 - Reload now + Recargar ahora An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 - An error occurred while saving settings. + Se produjo un error al guardar la configuración. Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Usar idioma del sistema @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Usar formato de fechas del idioma seleccionado @@ -3223,9 +3335,9 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 - Error while storing settings on server: + Error al almacenar la configuración en el servidor: storage path @@ -3233,7 +3345,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 30 - storage path + ruta de almacenamiento storage paths @@ -3241,7 +3353,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 31 - storage paths + rutas de almacenamiento Do you really want to delete the storage path ""? @@ -3249,7 +3361,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 45 - Do you really want to delete the storage path ""? + ¿Realmente desea eliminar la ruta de almacenamiento ""? tag @@ -3257,7 +3369,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 30 - tag + etiqueta tags @@ -3265,7 +3377,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 31 - tags + etiquetas Do you really want to delete the tag ""? @@ -3281,7 +3393,7 @@ src/app/components/manage/tasks/tasks.component.html 1 - File Tasks + Tareas de archivo Clear selection @@ -3289,7 +3401,7 @@ src/app/components/manage/tasks/tasks.component.html 6 - Clear selection + Borrar selección @@ -3307,7 +3419,7 @@ src/app/components/manage/tasks/tasks.component.html 20 - Refresh + Actualizar Results @@ -3315,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + Resultados click for full output @@ -3323,7 +3435,7 @@ src/app/components/manage/tasks/tasks.component.html 66 - click for full output + haz clic para obtener una salida completa Dismiss @@ -3335,7 +3447,7 @@ src/app/components/manage/tasks/tasks.component.ts 54 - Dismiss + Descartar Failed  @@ -3343,7 +3455,7 @@ src/app/components/manage/tasks/tasks.component.html 96 - Failed  + Error Complete  @@ -3375,7 +3487,7 @@ src/app/components/manage/tasks/tasks.component.ts 21 - Dismiss selected + Descartar seleccionados Dismiss all @@ -3387,7 +3499,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - Dismiss all + Descartar todo Confirm Dismiss All @@ -3395,7 +3507,7 @@ src/app/components/manage/tasks/tasks.component.ts 50 - Confirm Dismiss All + Confirmar Descartar Todo tasks? @@ -3403,7 +3515,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - tasks? + tareas? 404 Not Found @@ -3501,6 +3613,14 @@ Automático: Aprender automáticamente + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Advertencia: Tiene cambios sin guardar en su documento(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Cambios sin guardar @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Tiene cambios sin guardar. @@ -3681,15 +3801,15 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 - You have unsaved changes to the document + Tienes cambios sin guardar en este documento Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 ¿Está seguro de querer cerrar este documento? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Cerrar documento @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 ¿Está seguro de querer cerrar todos los documentos? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Cerrar documentos @@ -3748,7 +3868,7 @@ src/app/services/settings.service.ts 146 - Belarusian + Bielorruso Czech @@ -3868,7 +3988,7 @@ src/app/services/settings.service.ts 236 - Slovenian + Esloveno Serbian @@ -3876,7 +3996,7 @@ src/app/services/settings.service.ts 242 - Serbian + Serbio Swedish @@ -3892,7 +4012,7 @@ src/app/services/settings.service.ts 254 - Turkish + Turco Chinese Simplified @@ -3900,7 +4020,7 @@ src/app/services/settings.service.ts 260 - Chinese Simplified + Chino simplificado ISO 8601 @@ -3916,7 +4036,7 @@ src/app/services/settings.service.ts 372 - Successfully completed one-time migratration of settings to the database! + ¡Se completó con éxito la migración única de la configuración a la base de datos! Unable to migrate settings to the database, please try saving manually. @@ -3924,7 +4044,7 @@ src/app/services/settings.service.ts 373 - Unable to migrate settings to the database, please try saving manually. + No se puede migrar la configuración a la base de datos, por favor intente guardarla manualmente. Error diff --git a/src-ui/src/locale/messages.fi_FI.xlf b/src-ui/src/locale/messages.fi_FI.xlf index 33b6e0d04..149e76d8c 100644 --- a/src-ui/src/locale/messages.fi_FI.xlf +++ b/src-ui/src/locale/messages.fi_FI.xlf @@ -8,7 +8,7 @@ node_modules/src/alert/alert.ts 42,44 - Close + Sulje Slide of @@ -17,7 +17,7 @@ 157,166 Currently selected slide number read by screen reader - Slide of + Liu'uta / Previous @@ -25,7 +25,7 @@ node_modules/src/carousel/carousel.ts 188,191 - Previous + Edellinen Next @@ -33,7 +33,7 @@ node_modules/src/carousel/carousel.ts 209,211 - Next + Seuraava Select month @@ -45,7 +45,7 @@ node_modules/src/datepicker/datepicker-navigation-select.ts 41,42 - Select month + Valitse kuukausi Select year @@ -57,7 +57,7 @@ node_modules/src/datepicker/datepicker-navigation-select.ts 41,42 - Select year + Valitse vuosi Previous month @@ -69,7 +69,7 @@ node_modules/src/datepicker/datepicker-navigation.ts 43,46 - Previous month + Edellinen kuukausi Next month @@ -81,7 +81,7 @@ node_modules/src/datepicker/datepicker-navigation.ts 43,46 - Next month + Seuraava kuukausi «« @@ -121,7 +121,7 @@ node_modules/src/pagination/pagination.ts 224,226 - First + Ensimmäinen Previous @@ -129,7 +129,7 @@ node_modules/src/pagination/pagination.ts 224,226 - Previous + Edellinen Next @@ -137,7 +137,7 @@ node_modules/src/pagination/pagination.ts 224,225 - Next + Seuraava Last @@ -145,7 +145,7 @@ node_modules/src/pagination/pagination.ts 224,225 - Last + Viimeinen @@ -155,7 +155,7 @@ node_modules/src/progressbar/progressbar.ts 23,26 - + HH @@ -163,7 +163,7 @@ node_modules/src/timepicker/timepicker.ts 138,141 - HH + HH Hours @@ -171,7 +171,7 @@ node_modules/src/timepicker/timepicker.ts 161 - Hours + Tuntia MM @@ -179,7 +179,7 @@ node_modules/src/timepicker/timepicker.ts 182 - MM + MM Minutes @@ -187,7 +187,7 @@ node_modules/src/timepicker/timepicker.ts 199 - Minutes + Minuuttia Increment hours @@ -195,31 +195,31 @@ node_modules/src/timepicker/timepicker.ts 218,219 - Increment hours + Lisää tunteja Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 - Decrement hours + Pienennä tunteja Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 - Increment minutes + Lisää minuutteja Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 - Decrement minutes + Pienennä minuutteja SS @@ -227,7 +227,7 @@ node_modules/src/timepicker/timepicker.ts 295 - SS + SS Seconds @@ -329,7 +329,7 @@ src/app/app.component.ts 109 - New document detected + Uusi asiakirja havaittu Document is being processed by paperless. @@ -337,7 +337,7 @@ src/app/app.component.ts 111 - Document is being processed by paperless. + Paperless käsittelee asiakirjaa . Initiating upload... @@ -345,7 +345,7 @@ src/app/app.component.ts 146 - Initiating upload... + Aloittaa latausta... Paperless-ngx @@ -354,7 +354,7 @@ 11 app title - Paperless-ngx + Paperless-ngx Search documents @@ -362,7 +362,7 @@ src/app/components/app-frame/app-frame.component.html 18 - Search documents + Etsi dokumentteja Logged in as @@ -370,7 +370,7 @@ src/app/components/app-frame/app-frame.component.html 34 - Logged in as + Kirjautunut käyttäjänä Settings @@ -386,7 +386,7 @@ src/app/components/manage/settings/settings.component.html 1 - Settings + Asetukset Logout @@ -394,7 +394,7 @@ src/app/components/app-frame/app-frame.component.html 45 - Logout + Kirjaudu ulos Dashboard @@ -406,7 +406,7 @@ src/app/components/dashboard/dashboard.component.html 1 - Dashboard + Hallintapaneeli Documents @@ -434,7 +434,7 @@ src/app/components/manage/management-list/management-list.component.html 54 - Documents + Dokumentit Saved views @@ -444,9 +444,9 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 - Saved views + Tallennetut näkymät Open documents @@ -454,7 +454,7 @@ src/app/components/app-frame/app-frame.component.html 88 - Open documents + Avaa asiakirjat Close all @@ -462,7 +462,7 @@ src/app/components/app-frame/app-frame.component.html 107 - Close all + Sulje kaikki Manage @@ -470,7 +470,7 @@ src/app/components/app-frame/app-frame.component.html 113 - Manage + Hallitse Correspondents @@ -478,7 +478,7 @@ src/app/components/app-frame/app-frame.component.html 120 - Correspondents + Yhteyshenkilöt Tags @@ -498,7 +498,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 22 - Tags + Tunnisteet Document types @@ -506,7 +506,7 @@ src/app/components/app-frame/app-frame.component.html 134 - Document types + Dokumenttityypit Storage paths @@ -514,7 +514,7 @@ src/app/components/app-frame/app-frame.component.html 141 - Storage paths + Tallennustilan polut File Tasks @@ -522,7 +522,7 @@ src/app/components/app-frame/app-frame.component.html 148 - File Tasks + Tietostotoiminnot Logs @@ -534,7 +534,7 @@ src/app/components/manage/logs/logs.component.html 1 - Logs + Lokit Admin @@ -542,7 +542,7 @@ src/app/components/app-frame/app-frame.component.html 169 - Admin + Ylläpito Info @@ -554,7 +554,7 @@ src/app/components/manage/tasks/tasks.component.html 43 - Info + Info Documentation @@ -562,7 +562,7 @@ src/app/components/app-frame/app-frame.component.html 182 - Documentation + Dokumentaatio GitHub @@ -570,15 +570,19 @@ src/app/components/app-frame/app-frame.component.html 190 - GitHub + GitHub Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 - Suggest an idea + Ehdota ideaa is available. @@ -586,7 +590,7 @@ src/app/components/app-frame/app-frame.component.html 205 - is available. + on saatavilla. Click to view. @@ -594,7 +598,7 @@ src/app/components/app-frame/app-frame.component.html 205 - Click to view. + Näytä klikkaamalla. Checking for updates is disabled. @@ -602,7 +606,7 @@ src/app/components/app-frame/app-frame.component.html 208 - Checking for updates is disabled. + Päivitysten tarkistus on poistettu käytöstä. Click for more information. @@ -610,7 +614,7 @@ src/app/components/app-frame/app-frame.component.html 208 - Click for more information. + Lisätietoja klikkaamalla. Update available @@ -618,7 +622,7 @@ src/app/components/app-frame/app-frame.component.html 216 - Update available + Päivitys saatavilla Cancel @@ -626,7 +630,7 @@ src/app/components/common/confirm-dialog/confirm-dialog.component.html 12 - Cancel + Peruuta Confirmation @@ -634,7 +638,7 @@ src/app/components/common/confirm-dialog/confirm-dialog.component.ts 17 - Confirmation + Vahvistus Confirm @@ -658,7 +662,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 344 - Confirm + Vahvista After @@ -666,7 +670,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.html 13 - After + Jälkeen Clear @@ -678,7 +682,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.html 41 - Clear + Tyhjennä Before @@ -686,7 +690,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.html 36 - Before + Ennen Last 7 days @@ -694,7 +698,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.ts 38 - Last 7 days + Viimeiset 7 päivää Last month @@ -702,7 +706,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.ts 39 - Last month + Viime kuussa Last 3 months @@ -710,7 +714,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.ts 40 - Last 3 months + Viimeiset 3kk Last year @@ -718,7 +722,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.ts 41 - Last year + Edellinen vuosi Name @@ -776,13 +780,13 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html 40 - Name + Nimi Matching algorithm @@ -802,7 +806,7 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html 13 - Matching algorithm + Tunnistusalgoritmi Matching pattern @@ -822,7 +826,7 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html 14 - Matching pattern + Hakumalli Case insensitive @@ -842,7 +846,7 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html 15 - Case insensitive + Kirjainkoko ei vaikuta Cancel @@ -874,7 +878,7 @@ src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html 18 - Cancel + Peruuta Save @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,9 +908,9 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 - Save + Tallenna Create new correspondent @@ -914,7 +918,7 @@ src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts 24 - Create new correspondent + Luo uusi yhteyshenkilö Edit correspondent @@ -922,7 +926,7 @@ src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts 28 - Edit correspondent + Muokkaa yhteyshenkilöä Create new document type @@ -930,7 +934,7 @@ src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.ts 24 - Create new document type + Luo uusi asiakirjatyyppi Edit document type @@ -938,7 +942,7 @@ src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.ts 28 - Edit document type + Muokkaa asiakirjatyyppiä Create new item @@ -946,7 +950,7 @@ src/app/components/common/edit-dialog/edit-dialog.component.ts 52 - Create new item + Luo uusi Edit item @@ -954,7 +958,7 @@ src/app/components/common/edit-dialog/edit-dialog.component.ts 56 - Edit item + Muokkaa Could not save element: @@ -962,7 +966,7 @@ src/app/components/common/edit-dialog/edit-dialog.component.ts 60 - Could not save element: + Elementtiä ei voitu tallentaa: Note that editing a path does not apply changes to stored files until you have run the 'document_renamer' utility. See the documentation. @@ -970,7 +974,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html 10 - Note that editing a path does not apply changes to stored files until you have run the 'document_renamer' utility. See the documentation. + Huomaa, että polun muokkaaminen ei tallenna muutoksia tiedostoon ennenkuin olet suorittanut asiakirjan_renamer-apuohjelman. Katso dokumentaatio. Path @@ -982,7 +986,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 35 - Path + Polku e.g. @@ -990,7 +994,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 25 - e.g. + esim. or use slashes to add directories e.g. @@ -998,7 +1002,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 27 - or use slashes to add directories e.g. + tai käytä kauttaviivoja lisätäksesi hakemistoja, esim. See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. @@ -1006,7 +1010,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 29 - See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. + Katso <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">dokumentaatio</a>. Create new storage path @@ -1014,7 +1018,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 34 - Create new storage path + Luo uusi tallennuspolku Edit storage path @@ -1022,7 +1026,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 38 - Edit storage path + Muokkaa tallennustilan polkua Color @@ -1034,7 +1038,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 35 - Color + Väri Inbox tag @@ -1042,7 +1046,7 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html 12 - Inbox tag + Saapuneiden tagi Inbox tags are automatically assigned to all consumed documents. @@ -1050,7 +1054,7 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html 12 - Inbox tags are automatically assigned to all consumed documents. + Saapuneet-tagi annetaan automaattisesti kaikille löydetyille asiakirjoille. Create new tag @@ -1058,7 +1062,7 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.ts 25 - Create new tag + Luo uusi tägi Edit tag @@ -1066,7 +1070,7 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.ts 29 - Edit tag + Muokkaa tagia All @@ -1078,7 +1082,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 20 - All + Kaikki Any @@ -1086,7 +1090,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 23 - Any + Mikä tahansa Apply @@ -1094,7 +1098,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 37 - Apply + Käytä Click again to exclude items. @@ -1102,7 +1106,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 43 - Click again to exclude items. + Klikkaa uudelleen jättääksesi pois kohteita. Not assigned @@ -1111,7 +1115,7 @@ 261 Filter drop down element to filter for documents with no correspondent/type/tag assigned - Not assigned + Ei määritetty Invalid date. @@ -1119,7 +1123,7 @@ src/app/components/common/input/date/date.component.html 13 - Invalid date. + Virheellinen päivämäärä. Add item @@ -1128,7 +1132,7 @@ 11 Used for both types, correspondents, storage paths - Add item + Lisää kohde Suggestions: @@ -1140,7 +1144,7 @@ src/app/components/common/input/tags/tags.component.html 42 - Suggestions: + Ehdotukset: Add tag @@ -1148,7 +1152,7 @@ src/app/components/common/input/tags/tags.component.html 11 - Add tag + Lisää tunniste Select @@ -1164,7 +1168,7 @@ src/app/components/document-list/document-list.component.html 8 - Select + Valitse Please select an object @@ -1172,7 +1176,7 @@ src/app/components/common/select-dialog/select-dialog.component.ts 20 - Please select an object + Valitse kohde Loading... @@ -1196,7 +1200,7 @@ src/app/components/manage/tasks/tasks.component.html 27 - Loading... + Ladataan... Hello , welcome to Paperless-ngx! @@ -1204,7 +1208,7 @@ src/app/components/dashboard/dashboard.component.ts 19 - Hello , welcome to Paperless-ngx! + Moi , tervetuloa Paperless-ngx:ään! Welcome to Paperless-ngx! @@ -1212,7 +1216,7 @@ src/app/components/dashboard/dashboard.component.ts 21 - Welcome to Paperless-ngx! + Tervetuloa Paperless-ngxiin! Show all @@ -1224,7 +1228,7 @@ src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html 27 - Show all + Näytä kaikki Created @@ -1248,7 +1252,7 @@ src/app/services/rest/document.service.ts 22 - Created + Luotu Title @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1272,7 +1276,7 @@ src/app/services/rest/document.service.ts 20 - Title + Otsikko Statistics @@ -1280,7 +1284,7 @@ src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html 1 - Statistics + Tilastot Documents in inbox: @@ -1288,7 +1292,7 @@ src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html 3 - Documents in inbox: + Saapuneet-kansiossa olevat asiakirjat Total documents: @@ -1296,7 +1300,7 @@ src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html 4 - Total documents: + Asiakirjoja yhteensä: Upload new documents @@ -1304,7 +1308,7 @@ src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html 1 - Upload new documents + Lataa uusia dokumentteja Dismiss completed @@ -1313,7 +1317,7 @@ 4 This button dismisses all status messages about processed documents on the dashboard (failed and successful) - Dismiss completed + Tyhjennä valmistuneet Drop documents here or @@ -1321,7 +1325,7 @@ src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html 13 - Drop documents here or + Pudota asiakirjoja tähän tai Browse files @@ -1329,7 +1333,7 @@ src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html 13 - Browse files + Selaa tiedostoja {VAR_PLURAL, plural, =1 {One more document} other { more documents}} @@ -1338,7 +1342,7 @@ 25 This is shown as a summary line when there are more than 5 document in the processing pipeline. - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} + {VAR_PLURAL, plural, one {} =1 {Vielä yksi dokumentti} other { lisää dokumentteja}} Processing: @@ -1346,7 +1350,7 @@ src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts 37 - Processing: + Käsittelyssä: Failed: @@ -1354,7 +1358,7 @@ src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts 40 - Failed: + Epäonnistui: Added: @@ -1362,7 +1366,7 @@ src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts 43 - Added: + Lisätty: , @@ -1375,7 +1379,7 @@ 179 this string is used to separate processing, failed and added on the file upload widget - , + , First steps @@ -1383,7 +1387,7 @@ src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html 1 - First steps + Ensimmäiset askeleet Paperless is running! :) @@ -1391,7 +1395,7 @@ src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html 5 - Paperless is running! :) + Paperless on käynnissä! :) You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. @@ -1399,7 +1403,7 @@ src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html 6,7 - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. + Voit aloittaa asiakirjojen lataamisen pudottamalla ne tiedostolaatikkoon oikealle tai pudottamalla ne määritettyyn kulutuskansioon. Näistä tiedostot alkavat ilmestymään dokumenttilistaan. Kun olet lisännyt joitakin metatietoja asiakirjoihisi, voit luoda mukautettuja näkymiä (kuten 'Äskettäin lisätty', 'Tagged TODO') käyttämällä Paperlessin suodatusmekanismeja. Ne näkyvät Dashboardissa tämän viestin sijaan. Paperless offers some more features that try to make your life easier: @@ -1407,7 +1411,7 @@ src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html 8 - Paperless offers some more features that try to make your life easier: + Paperless tarjoaa lisää ominaisuuksia, jotka yrittävät tehdä elämästäsi helpompaa: Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. @@ -1415,7 +1419,7 @@ src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html 10 - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. + Kun olet saanut lisättyä muutaman dokumentin Paperlessiin, ja lisännyt niihin metadatan, ohjelma voi pyrkii lisäämään uusiin dokumentteihin metadatan automaattisesti. You can configure paperless to read your mails and add documents from attached files. @@ -1423,7 +1427,7 @@ src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html 11 - You can configure paperless to read your mails and add documents from attached files. + Voit määrittää Paperlessin lukemaan sähköpostejasi ja lisäämään asiakirjoja liitetyistä tiedostoista. Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. @@ -1431,7 +1435,7 @@ src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html 13 - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. + Lue dokumentaatiosta, miten näitä ominaisuuksia käytetään. Peruskäyttöä koskevassa osiossa on myös tietoa Paperlessin käytön yleisestä käytöstä. Searching document with asn @@ -1439,7 +1443,47 @@ src/app/components/document-asn/document-asn.component.html 1 - Searching document with asn + Etsitään asiakirjaa asn-tiedolla + + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Syötä kommentti + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Kirjoita kommentti. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Lisää kommentti + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Virhe tallennettaessa kommenttia: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Virhe poistettaessa kommenttia: Page @@ -1451,7 +1495,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 15 - Page + Sivu of @@ -1459,7 +1503,7 @@ src/app/components/document-detail/document-detail.component.html 5 - of + sivusta Delete @@ -1509,9 +1553,9 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 - Delete + Poista Download @@ -1527,7 +1571,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 86 - Download + Lataa Download original @@ -1535,73 +1579,85 @@ src/app/components/document-detail/document-detail.component.html 25 - Download original + Lataa alkuperäinen - - More like this + + Redo OCR src/app/components/document-detail/document-detail.component.html 34 + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Tee OCR Uudelleen + + + More like this + + src/app/components/document-detail/document-detail.component.html + 40 + src/app/components/document-list/document-card-large/document-card-large.component.html 38 - More like this + Enemmän tällaisia Close src/app/components/document-detail/document-detail.component.html - 37 + 43 - Close + Sulje Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 - Previous + Edellinen Next src/app/components/document-detail/document-detail.component.html - 49 + 55 - Next + Seuraava Details src/app/components/document-detail/document-detail.component.html - 66 + 72 - Details + Tarkemmat tiedot Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 - Archive serial number + Arkistointisarjanumero Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 - Date created + Luontipäivä Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1619,13 +1675,13 @@ src/app/services/rest/document.service.ts 19 - Correspondent + Yhteyshenkilö Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1643,13 +1699,13 @@ src/app/services/rest/document.service.ts 21 - Document type + Asiakirjatyyppi Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1663,187 +1719,271 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 44 - Storage path + Tallennustilan polku Default src/app/components/document-detail/document-detail.component.html - 77 + 83 - Default + Oletusarvo Content src/app/components/document-detail/document-detail.component.html - 84 + 90 - Content + Sisältö Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts 17 - Metadata + Metatiedot Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 - Date modified + Muokkauspäivämäärä Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 - Date added + Lisäyspäivämäärä Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 - Media filename + Median tiedostonimi + + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Alkuperäinen tiedoston nimi Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 - Original MD5 checksum + Alkuperäinen MD5-tarkistussumma Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 - Original file size + Alkuperäinen tiedostokoko Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 - Original mime type + Alkuperäinen mime-tyyppi Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 - Archive MD5 checksum + Arkistoidun MD5-tarkistussumma Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 - Archive file size + Arkistoidun tiedostokoko Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 - Original document metadata + Alkuperäisen asiakirjan metatiedot Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 - Archived document metadata + Arkistoidun dokumentin metatiedot Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 - Enter Password + Syötä salasana + + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Kommentit Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 - Discard + Hylkää Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 - Save & next + Tallenna & Lopeta Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts 153 - Confirm delete + Vahvista poisto Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 - Do you really want to delete document ""? + Haluatko varmasti poistaa asiakirjan ""? The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 - The files for this document will be deleted permanently. This operation cannot be undone. + Tämän asiakirjan tiedostot poistetaan pysyvästi. Tätä toimintoa ei voi peruuttaa. Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 - Delete document + Poista asiakirja Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 - Error deleting document: + Virhe poistettaessa asiakirjaa: + + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Vahvista OCR:n uudelleenteko + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + Tämä toiminto suorittaa OCR:n uudelleen. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Toimintoa ei voi peruuttaa. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Jatka + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Tee OCR uudelleen -operaatio alkaa taustalla. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Virhe suoritettaessa toimintoa: Select: @@ -1851,7 +1991,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 10 - Select: + Valitse: Edit: @@ -1859,7 +1999,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 27 - Edit: + Muokkaa: Filter tags @@ -1871,7 +2011,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 23 - Filter tags + Suodata tunnisteita Filter correspondents @@ -1883,7 +2023,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 31 - Filter correspondents + Suodata yhteyshenkilöt Filter document types @@ -1895,7 +2035,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 38 - Filter document types + Suodata asiakirjatyyppejä Filter storage paths @@ -1907,7 +2047,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 45 - Filter storage paths + Suodata tallennuspolkuja Actions @@ -1933,13 +2073,13 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html 44 - Actions + Toiminnot Download Preparing download... @@ -1947,7 +2087,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 78,82 - Download Preparing download... + Lataa Valmistellaan latausta... Download originals Preparing download... @@ -1955,15 +2095,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 84,88 - Download originals Preparing download... - - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR + Lataa alkuperäiset Latausta valmistellaan... Error executing bulk operation: @@ -1971,7 +2103,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 103,105 - Error executing bulk operation: + Virhe suoritettaessa toimintoa: "" @@ -1983,7 +2115,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 177 - "" + "" "" and "" @@ -1992,7 +2124,7 @@ 173 This is for messages like 'modify "tag1" and "tag2"' - "" and "" + "" ja "" and "" @@ -2001,7 +2133,7 @@ 181,183 this is for messages like 'modify "tag1", "tag2" and "tag3"' - and "" + ja "" Confirm tags assignment @@ -2009,7 +2141,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 198 - Confirm tags assignment + Varmista tagien asetus This operation will add the tag "" to selected document(s). @@ -2017,7 +2149,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 204 - This operation will add the tag "" to selected document(s). + Tämä toiminto lisää tagin "" valittuun tai valittuihin asiakirjoihin. This operation will add the tags to selected document(s). @@ -2025,7 +2157,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 209,211 - This operation will add the tags to selected document(s). + Tämä toiminto lisää tunnisteet valittuun tai valittuihin asiakirjoihin. This operation will remove the tag "" from selected document(s). @@ -2033,7 +2165,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 217 - This operation will remove the tag "" from selected document(s). + Tämä toiminto poistaa tagin "" valitusta dokumentista. This operation will remove the tags from selected document(s). @@ -2041,7 +2173,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 222,224 - This operation will remove the tags from selected document(s). + Tämä toiminto tulee poistamaan tagit valitusta dokumentista. This operation will add the tags and remove the tags on selected document(s). @@ -2049,7 +2181,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 226,230 - This operation will add the tags and remove the tags on selected document(s). + Tämä toiminto lisää tagit ja poistaa tagit :sta valiltusta dokumentista. Confirm correspondent assignment @@ -2057,7 +2189,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 265 - Confirm correspondent assignment + Vahvista yhteyshenkilön asetus This operation will assign the correspondent "" to selected document(s). @@ -2065,7 +2197,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 267 - This operation will assign the correspondent "" to selected document(s). + Tämä toiminto lisää yhteyshenkilön "" valittuun tai valittuihin asiakirjoihin. This operation will remove the correspondent from selected document(s). @@ -2073,7 +2205,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 269 - This operation will remove the correspondent from selected document(s). + Tämä toiminto poistaa yhteyshenkilön "":sta valitusta asiakirjasta. Confirm document type assignment @@ -2081,7 +2213,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 301 - Confirm document type assignment + Vahvista asiakirjan tyypin määritys This operation will assign the document type "" to selected document(s). @@ -2089,7 +2221,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 303 - This operation will assign the document type "" to selected document(s). + Tämä toiminto lisää dokumenttityypin "" :een valittuun asiakirjaan. This operation will remove the document type from selected document(s). @@ -2097,7 +2229,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 305 - This operation will remove the document type from selected document(s). + Tämä toiminto poistaa dokumenttityypin "":sta valitusta asiakirjasta. Confirm storage path assignment @@ -2105,7 +2237,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 337 - Confirm storage path assignment + Vahvista tallennuspolun asetus This operation will assign the storage path "" to selected document(s). @@ -2113,7 +2245,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 339 - This operation will assign the storage path "" to selected document(s). + Tämä toiminto asettaa tallennuspolun "" :een valittuun asiakirjaan. This operation will remove the storage path from selected document(s). @@ -2121,7 +2253,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 341 - This operation will remove the storage path from selected document(s). + Tämä toiminto poistaa tallennuspolun "":sta valitusta asiakirjasta. Delete confirm @@ -2129,7 +2261,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 362 - Delete confirm + Vahvista poisto This operation will permanently delete selected document(s). @@ -2137,19 +2269,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 363 - This operation will permanently delete selected document(s). - - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - This operation cannot be undone. + Tämä toiminto poistaa pysyvästi "" valittua dokumenttia. Delete document(s) @@ -2157,15 +2277,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 366 - Delete document(s) - - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm + Poista asiakirja(t) This operation will permanently redo OCR for selected document(s). @@ -2173,15 +2285,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 388 - This operation will permanently redo OCR for selected document(s). - - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed + Tämä toiminto tekee pysyvästi uudelleen OCR-haun valitulle dokumentille. Filter by correspondent @@ -2193,7 +2297,7 @@ src/app/components/document-list/document-list.component.html 171 - Filter by correspondent + Suodata yhteyshenkilön mukaan Filter by tag @@ -2205,7 +2309,7 @@ src/app/components/document-list/document-list.component.html 176 - Filter by tag + Suodata tagien mukaan Edit @@ -2249,7 +2353,7 @@ src/app/components/manage/management-list/management-list.component.html 59 - Edit + Muokkaa View @@ -2257,7 +2361,7 @@ src/app/components/document-list/document-card-large/document-card-large.component.html 50 - View + Näytä Filter by document type @@ -2269,7 +2373,7 @@ src/app/components/document-list/document-list.component.html 180 - Filter by document type + Suodata dokumenttityypin mukaan Filter by storage path @@ -2281,7 +2385,7 @@ src/app/components/document-list/document-list.component.html 185 - Filter by storage path + Suodata tallennuspolun mukaan Created: @@ -2293,7 +2397,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 48 - Created: + Luotu: Added: @@ -2305,7 +2409,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 49 - Added: + Lisätty: Modified: @@ -2317,7 +2421,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 50 - Modified: + Muokattu: Score: @@ -2325,7 +2429,7 @@ src/app/components/document-list/document-card-large/document-card-large.component.html 98 - Score: + Pisteet: Toggle tag filter @@ -2333,7 +2437,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 14 - Toggle tag filter + Vaihda tagin suodatin Toggle correspondent filter @@ -2341,7 +2445,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 24 - Toggle correspondent filter + Vaihda yhteyshenkilön suodatin Toggle document type filter @@ -2349,7 +2453,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 31 - Toggle document type filter + Vaihda asiakirjatyypin suodatin Toggle storage path filter @@ -2357,7 +2461,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 38 - Toggle storage path filter + Vaihda tallennustilan polun suodatin Select none @@ -2365,7 +2469,7 @@ src/app/components/document-list/document-list.component.html 11 - Select none + Tyhjennä valinnat Select page @@ -2373,7 +2477,7 @@ src/app/components/document-list/document-list.component.html 12 - Select page + Valitse sivu Select all @@ -2381,7 +2485,7 @@ src/app/components/document-list/document-list.component.html 13 - Select all + Valitse kaikki Sort @@ -2389,7 +2493,7 @@ src/app/components/document-list/document-list.component.html 38 - Sort + Lajittele Views @@ -2397,7 +2501,7 @@ src/app/components/document-list/document-list.component.html 63 - Views + Näkymät Save "" @@ -2405,7 +2509,7 @@ src/app/components/document-list/document-list.component.html 70 - Save "" + Tallenna "" Save as... @@ -2413,7 +2517,7 @@ src/app/components/document-list/document-list.component.html 71 - Save as... + Tallenna nimellä... {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} @@ -2421,7 +2525,7 @@ src/app/components/document-list/document-list.component.html 89 - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} + {VAR_PLURAL, plural, one {}=1 {Valittu yhdestä asiakirjasta} other {Valitut asiakirjasta}} {VAR_PLURAL, plural, =1 {One document} other { documents}} @@ -2429,7 +2533,7 @@ src/app/components/document-list/document-list.component.html 91 - {VAR_PLURAL, plural, =1 {One document} other { documents}} + {VAR_PLURAL, plural, one {}=1 {Yksi dokumentti} other { dokumenttia}} (filtered) @@ -2437,7 +2541,7 @@ src/app/components/document-list/document-list.component.html 91 - (filtered) + (suodatettu) Error while loading documents @@ -2445,7 +2549,7 @@ src/app/components/document-list/document-list.component.html 102 - Error while loading documents + Virhe ladattaessa asiakirjoja ASN @@ -2461,7 +2565,7 @@ src/app/services/rest/document.service.ts 18 - ASN + ASN Added @@ -2477,7 +2581,7 @@ src/app/services/rest/document.service.ts 23 - Added + Lisätty Edit document @@ -2485,23 +2589,23 @@ src/app/components/document-list/document-list.component.html 175 - Edit document + Muokkaa asiakirjaa View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 - View "" saved successfully. + Näkymä "" tallennettu onnistuneesti. View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 - View "" created successfully. + Näkymä "" luotu onnistuneesti. Reset filters @@ -2509,7 +2613,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 71 - Reset filters + Tyhjennä suodattimet Correspondent: @@ -2517,7 +2621,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 72,74 - Correspondent: + Vastaava: Without correspondent @@ -2525,7 +2629,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 76 - Without correspondent + Ilman kirjeenvaihtajaa Type: @@ -2533,7 +2637,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 81,83 - Type: + Tyyppi: Without document type @@ -2541,7 +2645,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 85 - Without document type + Ilman asiakirjatyyppiä Tag: @@ -2549,7 +2653,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 89,91 - Tag: + Tunniste: Without any tag @@ -2557,7 +2661,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 95 - Without any tag + Ilman tunnistetta Title: @@ -2565,7 +2669,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 99 - Title: + Otsikko: ASN: @@ -2573,7 +2677,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 102 - ASN: + ASN: Title & content @@ -2581,7 +2685,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 134 - Title & content + Otsikko & sisältö Advanced search @@ -2589,7 +2693,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 139 - Advanced search + Laajennettu haku More like @@ -2597,7 +2701,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 145 - More like + Enemmän kuin equals @@ -2605,7 +2709,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 164 - equals + on yhtä kuin is empty @@ -2613,7 +2717,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 168 - is empty + on tyhjä is not empty @@ -2621,7 +2725,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 172 - is not empty + ei ole tyhjä greater than @@ -2629,7 +2733,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 176 - greater than + suurempi kuin less than @@ -2637,7 +2741,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 180 - less than + pienempi kuin Save current view @@ -2645,7 +2749,7 @@ src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html 3 - Save current view + Tallenna nykyinen näkymä Show in sidebar @@ -2655,9 +2759,9 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 - Show in sidebar + Näytä sivupalkissa Show on dashboard @@ -2667,9 +2771,9 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 - Show on dashboard + Näytä Dashboardissa Filter rules error occurred while saving this view @@ -2677,7 +2781,7 @@ src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html 12 - Filter rules error occurred while saving this view + Suodatinsääntövirhe tallentaessa tätä näkymää The error returned was @@ -2685,7 +2789,7 @@ src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html 13 - The error returned was + Tapahtui virhe correspondent @@ -2693,7 +2797,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 33 - correspondent + yhteyshenkilö correspondents @@ -2701,7 +2805,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 34 - correspondents + yhteyshenkilöt Last used @@ -2709,7 +2813,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 38 - Last used + Viimeksi käytetty Do you really want to delete the correspondent ""? @@ -2717,7 +2821,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 48 - Do you really want to delete the correspondent ""? + Haluatko varmasti poistaa kirjeenvaihtajan ""? document type @@ -2725,7 +2829,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 30 - document type + asiakirjatyyppi document types @@ -2733,7 +2837,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 31 - document types + asiakirjatyypit Do you really want to delete the document type ""? @@ -2741,7 +2845,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 37 - Do you really want to delete the document type ""? + Haluatko varmasti poistaa asiakirjan tyypin ""? Create @@ -2761,7 +2865,7 @@ src/app/components/manage/management-list/management-list.component.html 2 - Create + Luo Filter by: @@ -2781,7 +2885,7 @@ src/app/components/manage/management-list/management-list.component.html 8 - Filter by: + Suodata: Matching @@ -2801,7 +2905,7 @@ src/app/components/manage/management-list/management-list.component.html 20 - Matching + Vastaavuus Document count @@ -2821,7 +2925,7 @@ src/app/components/manage/management-list/management-list.component.html 21 - Document count + Dokumenttien määrä Filter Documents @@ -2841,7 +2945,7 @@ src/app/components/manage/management-list/management-list.component.html 44 - Filter Documents + Suodata Asiakirjat {VAR_PLURAL, plural, =1 {One } other { total }} @@ -2861,7 +2965,7 @@ src/app/components/manage/management-list/management-list.component.html 74 - {VAR_PLURAL, plural, =1 {One } other { total }} + {VAR_PLURAL, plural, one {}=1 {Yksi } other { yhteensä }} Automatic @@ -2873,7 +2977,7 @@ src/app/data/matching-model.ts 38 - Automatic + Automaattinen Do you really want to delete the ? @@ -2881,7 +2985,7 @@ src/app/components/manage/management-list/management-list.component.ts 140 - Do you really want to delete the ? + Haluatko varmasti poistaa "? Associated documents will not be deleted. @@ -2889,7 +2993,7 @@ src/app/components/manage/management-list/management-list.component.ts 155 - Associated documents will not be deleted. + Liittyviä asiakirjoja ei poisteta. Error while deleting element: @@ -2897,7 +3001,7 @@ src/app/components/manage/management-list/management-list.component.ts 168,170 - Error while deleting element: + Virhe poistettaessa elementtiä: General @@ -2905,7 +3009,7 @@ src/app/components/manage/settings/settings.component.html 10 - General + Yleiset Appearance @@ -2913,7 +3017,7 @@ src/app/components/manage/settings/settings.component.html 13 - Appearance + Ulkoasu Display language @@ -2921,7 +3025,7 @@ src/app/components/manage/settings/settings.component.html 17 - Display language + Näyttökieli You need to reload the page after applying a new language. @@ -2929,7 +3033,7 @@ src/app/components/manage/settings/settings.component.html 25 - You need to reload the page after applying a new language. + Sinun täytyy ladata sivu uudelleen uuden kielen käyttöönoton jälkeen. Date display @@ -2937,7 +3041,7 @@ src/app/components/manage/settings/settings.component.html 32 - Date display + Päivämäärän näyttö Date format @@ -2945,7 +3049,7 @@ src/app/components/manage/settings/settings.component.html 45 - Date format + Päivämäärän esitystapa Short: @@ -2953,7 +3057,7 @@ src/app/components/manage/settings/settings.component.html 51 - Short: + Lyhyt: Medium: @@ -2961,7 +3065,7 @@ src/app/components/manage/settings/settings.component.html 55 - Medium: + Keskipitkä: Long: @@ -2969,7 +3073,7 @@ src/app/components/manage/settings/settings.component.html 59 - Long: + Pitkä: Items per page @@ -2977,7 +3081,7 @@ src/app/components/manage/settings/settings.component.html 67 - Items per page + Kohteita sivulla Document editor @@ -2985,7 +3089,7 @@ src/app/components/manage/settings/settings.component.html 83 - Document editor + Asiakirjan muokkain Use PDF viewer provided by the browser @@ -2993,7 +3097,7 @@ src/app/components/manage/settings/settings.component.html 87 - Use PDF viewer provided by the browser + Käytä selaimen PDF-katselinta This is usually faster for displaying large PDF documents, but it might not work on some browsers. @@ -3001,7 +3105,7 @@ src/app/components/manage/settings/settings.component.html 87 - This is usually faster for displaying large PDF documents, but it might not work on some browsers. + Tämä on yleensä nopeampi suurten PDF-asiakirjojen näyttämiseen, mutta se ei välttämättä toimi joissakin selaimissa. Dark mode @@ -3009,7 +3113,7 @@ src/app/components/manage/settings/settings.component.html 94 - Dark mode + Tumma tila Use system settings @@ -3017,7 +3121,7 @@ src/app/components/manage/settings/settings.component.html 97 - Use system settings + Käytä järjestelmän asetuksia Enable dark mode @@ -3025,7 +3129,7 @@ src/app/components/manage/settings/settings.component.html 98 - Enable dark mode + Käytä tummaa tilaa Invert thumbnails in dark mode @@ -3033,7 +3137,7 @@ src/app/components/manage/settings/settings.component.html 99 - Invert thumbnails in dark mode + Käännä pikkukuvat pimeässä tilassa Theme Color @@ -3041,7 +3145,7 @@ src/app/components/manage/settings/settings.component.html 105 - Theme Color + Teeman väri Reset @@ -3049,7 +3153,7 @@ src/app/components/manage/settings/settings.component.html 114 - Reset + Nollaa Bulk editing @@ -3057,7 +3161,7 @@ src/app/components/manage/settings/settings.component.html 119 - Bulk editing + Massamuokkaus Show confirmation dialogs @@ -3065,7 +3169,7 @@ src/app/components/manage/settings/settings.component.html 123 - Show confirmation dialogs + Näytä vahvistukset Deleting documents will always ask for confirmation. @@ -3073,7 +3177,7 @@ src/app/components/manage/settings/settings.component.html 123 - Deleting documents will always ask for confirmation. + Asiakirjojen poistaminen pyytää aina vahvistusta. Apply on close @@ -3081,151 +3185,159 @@ src/app/components/manage/settings/settings.component.html 124 - Apply on close + Tallenna suljettaessa + + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Ota kommentit käyttöön Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 - Notifications + Ilmoitukset Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 - Document processing + Asiakirjan käsittely Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 - Show notifications when new documents are detected + Näytä ilmoitukset kun uusia asiakirjoja havaitaan Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 - Show notifications when document processing completes successfully + Näytä ilmoitukset, kun asiakirjan käsittely valmistuu onnistuneesti Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 - Show notifications when document processing fails + Näytä ilmoitukset kun asiakirjan käsittely epäonnistuu Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 - Suppress notifications on dashboard + Älä näytä ilmoituksia hallintapaneelissa This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 - This will suppress all messages about document processing status on the dashboard. + Tämä estää hallintapaneelissa kaikki viestit, jotka koskevat asiakirjojen käsittelyn tilaa. Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 - Appears on + Esiintyy No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 - No saved views defined. + Tallennettuja näkymiä ei ole määritelty. Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 - Saved view "" deleted. + Tallennettu näkymä "" poistettu. Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 - Settings saved + Asetukset tallennettu Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 - Settings were saved successfully. + Asetukset tallennettiin onnistuneesti. Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 - Settings were saved successfully. Reload is required to apply some changes. + Asetukset on tallennettu onnistuneesti. Uudelleenlataus vaaditaan joidenkin muutosten käyttöönottamiseksi. Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 - Reload now + Lataa uudelleen An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 - An error occurred while saving settings. + Virhe tallennettaessa asetuksia. Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 - Use system language + Käytä järjestelmän kieltä Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 - Use date format of display language + Käytä näyttökielen päivämäärämuotoa Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 - Error while storing settings on server: + Virhe tallennettaessa asetuksia palvelimelle: storage path @@ -3233,7 +3345,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 30 - storage path + tallennustilan polku storage paths @@ -3241,7 +3353,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 31 - storage paths + tallennustilan polut Do you really want to delete the storage path ""? @@ -3249,7 +3361,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 45 - Do you really want to delete the storage path ""? + Haluatko varmasti poistaa asiakirjapolun ""? tag @@ -3257,7 +3369,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 30 - tag + tunniste tags @@ -3265,7 +3377,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 31 - tags + tunnisteet Do you really want to delete the tag ""? @@ -3273,7 +3385,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 46 - Do you really want to delete the tag ""? + Haluatko varmasti poistaa asiakirjatagin ""? File Tasks @@ -3281,7 +3393,7 @@ src/app/components/manage/tasks/tasks.component.html 1 - File Tasks + Tiedostotehtävät Clear selection @@ -3289,7 +3401,7 @@ src/app/components/manage/tasks/tasks.component.html 6 - Clear selection + Tyhjennä valinta @@ -3299,7 +3411,7 @@ src/app/components/manage/tasks/tasks.component.html 11 - + Refresh @@ -3307,7 +3419,7 @@ src/app/components/manage/tasks/tasks.component.html 20 - Refresh + Päivitä Results @@ -3315,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + Tulokset click for full output @@ -3323,7 +3435,7 @@ src/app/components/manage/tasks/tasks.component.html 66 - click for full output + klikkaa saadaksesi täyden tulosteen Dismiss @@ -3335,7 +3447,7 @@ src/app/components/manage/tasks/tasks.component.ts 54 - Dismiss + Hylkää Failed  @@ -3343,7 +3455,7 @@ src/app/components/manage/tasks/tasks.component.html 96 - Failed  + Epäonnistui  Complete  @@ -3351,7 +3463,7 @@ src/app/components/manage/tasks/tasks.component.html 102 - Complete  + Onnistui  Started  @@ -3359,7 +3471,7 @@ src/app/components/manage/tasks/tasks.component.html 108 - Started  + Aloitettu  Queued  @@ -3367,7 +3479,7 @@ src/app/components/manage/tasks/tasks.component.html 114 - Queued  + Jonossa  Dismiss selected @@ -3375,7 +3487,7 @@ src/app/components/manage/tasks/tasks.component.ts 21 - Dismiss selected + Poista valitut Dismiss all @@ -3387,7 +3499,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - Dismiss all + Poista kaikki Confirm Dismiss All @@ -3395,7 +3507,7 @@ src/app/components/manage/tasks/tasks.component.ts 50 - Confirm Dismiss All + Vahvista "poista kaikki" tasks? @@ -3403,7 +3515,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - tasks? + tehtävät? 404 Not Found @@ -3411,7 +3523,7 @@ src/app/components/not-found/not-found.component.html 7 - 404 Not Found + 404 Ei löytynyt Any word @@ -3419,7 +3531,7 @@ src/app/data/matching-model.ts 13 - Any word + Mikä tahansa sana Any: Document contains any of these words (space separated) @@ -3427,7 +3539,7 @@ src/app/data/matching-model.ts 14 - Any: Document contains any of these words (space separated) + Mikä tahansa: Asiakirja saa sisältää mitä tahansa näistä sanoista (erotettu välilyönnillä) All words @@ -3435,7 +3547,7 @@ src/app/data/matching-model.ts 18 - All words + Kaikki sanat All: Document contains all of these words (space separated) @@ -3443,7 +3555,7 @@ src/app/data/matching-model.ts 19 - All: Document contains all of these words (space separated) + Kaikki: Asiakirja sisältää kaikki nämä sanat (erotettu välilyönnillä) Exact match @@ -3451,7 +3563,7 @@ src/app/data/matching-model.ts 23 - Exact match + Tarkka osuma Exact: Document contains this string @@ -3459,7 +3571,7 @@ src/app/data/matching-model.ts 24 - Exact: Document contains this string + Tarkka osuma: Asiakirja sisältää tämän merkkijonon Regular expression @@ -3467,7 +3579,7 @@ src/app/data/matching-model.ts 28 - Regular expression + Säännöllinen lauseke (regex) Regular expression: Document matches this regular expression @@ -3475,7 +3587,7 @@ src/app/data/matching-model.ts 29 - Regular expression: Document matches this regular expression + Säännöllinen lauseke: Asiakirja vastaa tätä säännöllistä lauseketta (regex) Fuzzy word @@ -3483,7 +3595,7 @@ src/app/data/matching-model.ts 33 - Fuzzy word + Sumea sana Fuzzy: Document contains a word similar to this word @@ -3491,7 +3603,7 @@ src/app/data/matching-model.ts 34 - Fuzzy: Document contains a word similar to this word + Sumea: Asiakirja sisältää tämän sanan kaltaisen sanan Auto: Learn matching automatically @@ -3499,7 +3611,15 @@ src/app/data/matching-model.ts 39 - Auto: Learn matching automatically + Automaatti: Opi vastaavat automaattisesti + + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Varoitus: Sinulla on tallentamattomia muutoksia asiakirjoihisi. Unsaved Changes @@ -3509,13 +3629,13 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 - Unsaved Changes + Tallentamattomia muutoksia You have unsaved changes. @@ -3525,9 +3645,9 @@ src/app/services/open-documents.service.ts - 139 + 144 - You have unsaved changes. + Sinulla on tallentamattomia muutoksia. Are you sure you want to leave? @@ -3535,7 +3655,7 @@ src/app/guards/dirty-form.guard.ts 20 - Are you sure you want to leave? + Haluatko varmasti poistua? Leave page @@ -3543,7 +3663,7 @@ src/app/guards/dirty-form.guard.ts 22 - Leave page + Poistu sivulta (no title) @@ -3551,7 +3671,7 @@ src/app/pipes/document-title.pipe.ts 11 - (no title) + (Ei otsikkoa) Yes @@ -3559,7 +3679,7 @@ src/app/pipes/yes-no.pipe.ts 8 - Yes + Kyllä No @@ -3567,7 +3687,7 @@ src/app/pipes/yes-no.pipe.ts 8 - No + Ei Document already exists. @@ -3575,7 +3695,7 @@ src/app/services/consumer-status.service.ts 15 - Document already exists. + Asiakirja on jo olemassa. File not found. @@ -3583,7 +3703,7 @@ src/app/services/consumer-status.service.ts 16 - File not found. + Tiedostoa ei löydy. Pre-consume script does not exist. @@ -3592,7 +3712,7 @@ 17 Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Pre-consume script does not exist. + Esikulutusskriptiä ei ole olemassa. Error while executing pre-consume script. @@ -3601,7 +3721,7 @@ 18 Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing pre-consume script. + Virhe suoritettaessa pre-consume skriptiä. Post-consume script does not exist. @@ -3610,7 +3730,7 @@ 19 Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Post-consume script does not exist. + Kulutuksen jälkeistä skriptiä ei ole olemassa. Error while executing post-consume script. @@ -3619,7 +3739,7 @@ 20 Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing post-consume script. + Virhe suoritettaessa post-consume skriptiä. Received new file. @@ -3627,7 +3747,7 @@ src/app/services/consumer-status.service.ts 21 - Received new file. + Uusi tiedosto vastaanotettu. File type not supported. @@ -3635,7 +3755,7 @@ src/app/services/consumer-status.service.ts 22 - File type not supported. + Tiedostotyyppiä ei tueta. Processing document... @@ -3643,7 +3763,7 @@ src/app/services/consumer-status.service.ts 23 - Processing document... + Asiakirjaa käsitellään... Generating thumbnail... @@ -3651,7 +3771,7 @@ src/app/services/consumer-status.service.ts 24 - Generating thumbnail... + Thumbnailia luodaan... Retrieving date from document... @@ -3659,7 +3779,7 @@ src/app/services/consumer-status.service.ts 25 - Retrieving date from document... + Haetaan päivämäärää asiakirjasta... Saving document... @@ -3667,7 +3787,7 @@ src/app/services/consumer-status.service.ts 26 - Saving document... + Asiakirjan tallennus käynnissä... Finished. @@ -3675,47 +3795,47 @@ src/app/services/consumer-status.service.ts 27 - Finished. + Valmis. You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 - You have unsaved changes to the document + Sinulla on tallentamattomia muutoksia asiakirjaan Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 - Are you sure you want to close this document? + Haluatko varmasti sulkea tämän dokumentin? Close document src/app/services/open-documents.service.ts - 119 + 124 - Close document + Sulje asiakirja Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 - Are you sure you want to close all documents? + Haluatko varmasti sulkea kaikki dokumentit? Close documents src/app/services/open-documents.service.ts - 142 + 147 - Close documents + Sulje dokumentit Modified @@ -3723,7 +3843,7 @@ src/app/services/rest/document.service.ts 24 - Modified + Muokattu Search score @@ -3732,7 +3852,7 @@ 31 Score is a value returned by the full text search engine and specifies how well a result matches the given query - Search score + Haun pisteet English (US) @@ -3740,7 +3860,7 @@ src/app/services/settings.service.ts 140 - English (US) + Englanti (US) Belarusian @@ -3748,7 +3868,7 @@ src/app/services/settings.service.ts 146 - Belarusian + Valkovenäjä Czech @@ -3756,7 +3876,7 @@ src/app/services/settings.service.ts 152 - Czech + Tšekki Danish @@ -3764,7 +3884,7 @@ src/app/services/settings.service.ts 158 - Danish + Tanska German @@ -3772,7 +3892,7 @@ src/app/services/settings.service.ts 164 - German + Saksa English (GB) @@ -3780,7 +3900,7 @@ src/app/services/settings.service.ts 170 - English (GB) + Englanti (GB) Spanish @@ -3788,7 +3908,7 @@ src/app/services/settings.service.ts 176 - Spanish + Espanja French @@ -3796,7 +3916,7 @@ src/app/services/settings.service.ts 182 - French + Ranska Italian @@ -3804,7 +3924,7 @@ src/app/services/settings.service.ts 188 - Italian + Italia Luxembourgish @@ -3812,7 +3932,7 @@ src/app/services/settings.service.ts 194 - Luxembourgish + Luxemburg Dutch @@ -3820,7 +3940,7 @@ src/app/services/settings.service.ts 200 - Dutch + Hollanti Polish @@ -3828,7 +3948,7 @@ src/app/services/settings.service.ts 206 - Polish + Puola Portuguese (Brazil) @@ -3836,7 +3956,7 @@ src/app/services/settings.service.ts 212 - Portuguese (Brazil) + Portugali (Brasilia) Portuguese @@ -3844,7 +3964,7 @@ src/app/services/settings.service.ts 218 - Portuguese + Portugali Romanian @@ -3852,7 +3972,7 @@ src/app/services/settings.service.ts 224 - Romanian + Romania Russian @@ -3860,7 +3980,7 @@ src/app/services/settings.service.ts 230 - Russian + Venäjä Slovenian @@ -3868,7 +3988,7 @@ src/app/services/settings.service.ts 236 - Slovenian + Slovenia Serbian @@ -3876,7 +3996,7 @@ src/app/services/settings.service.ts 242 - Serbian + Serbia Swedish @@ -3884,7 +4004,7 @@ src/app/services/settings.service.ts 248 - Swedish + Ruotsi Turkish @@ -3892,7 +4012,7 @@ src/app/services/settings.service.ts 254 - Turkish + Turkki Chinese Simplified @@ -3900,7 +4020,7 @@ src/app/services/settings.service.ts 260 - Chinese Simplified + Kiina (yksinkertaistettu) ISO 8601 @@ -3908,7 +4028,7 @@ src/app/services/settings.service.ts 277 - ISO 8601 + ISO 8601 Successfully completed one-time migratration of settings to the database! @@ -3916,7 +4036,7 @@ src/app/services/settings.service.ts 372 - Successfully completed one-time migratration of settings to the database! + Kertaluontoinen asetusten migratointi tietokantaan suoritettu onnistuneesti! Unable to migrate settings to the database, please try saving manually. @@ -3924,7 +4044,7 @@ src/app/services/settings.service.ts 373 - Unable to migrate settings to the database, please try saving manually. + Asetuksia ei saatu migratoitua tietokantaan. Yritä tallennusta manuaalisesti. Error @@ -3932,7 +4052,7 @@ src/app/services/toast.service.ts 32 - Error + Virhe Information @@ -3940,7 +4060,7 @@ src/app/services/toast.service.ts 36 - Information + Tietoa Connecting... @@ -3948,7 +4068,7 @@ src/app/services/upload-documents.service.ts 31 - Connecting... + Yhdistetään... Uploading... @@ -3956,7 +4076,7 @@ src/app/services/upload-documents.service.ts 43 - Uploading... + Ladataan... Upload complete, waiting... @@ -3964,7 +4084,7 @@ src/app/services/upload-documents.service.ts 46 - Upload complete, waiting... + Lataus valmis, odotetaan... HTTP error: @@ -3972,7 +4092,7 @@ src/app/services/upload-documents.service.ts 62 - HTTP error: + HTTP-virhe: diff --git a/src-ui/src/locale/messages.fr_FR.xlf b/src-ui/src/locale/messages.fr_FR.xlf index 87e411f81..5bccc1308 100644 --- a/src-ui/src/locale/messages.fr_FR.xlf +++ b/src-ui/src/locale/messages.fr_FR.xlf @@ -17,7 +17,7 @@ 157,166 Currently selected slide number read by screen reader - Slide of + Diapositive sur Previous @@ -45,7 +45,7 @@ node_modules/src/datepicker/datepicker-navigation-select.ts 41,42 - Sélectionner un mois + Sélectionner le mois Select year @@ -57,7 +57,7 @@ node_modules/src/datepicker/datepicker-navigation-select.ts 41,42 - Sélectionnez l'année + Sélectionner l'année Previous month @@ -155,7 +155,7 @@ node_modules/src/progressbar/progressbar.ts 23,26 - + HH @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Décrémenter les heures @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Incrémenter les minutes @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Décrémenter les minutes @@ -285,7 +285,7 @@ src/app/app.component.html 7 - Déposez des fichiers pour lancer le téléchargement + Déposez des fichiers pour lancer l'envoi Document added @@ -345,7 +345,7 @@ src/app/app.component.ts 146 - Début du téléchargement... + Début du téléversement... Paperless-ngx @@ -370,7 +370,7 @@ src/app/components/app-frame/app-frame.component.html 34 - Logged in as + Connecté en tant que Settings @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Vues enregistrées @@ -514,7 +514,7 @@ src/app/components/app-frame/app-frame.component.html 141 - Storage paths + Chemins de stockage File Tasks @@ -522,7 +522,7 @@ src/app/components/app-frame/app-frame.component.html 148 - File Tasks + Traitement des fichiers Logs @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -594,7 +598,7 @@ src/app/components/app-frame/app-frame.component.html 205 - Cliquez pour voir. + Cliquer pour visualiser. Checking for updates is disabled. @@ -610,7 +614,7 @@ src/app/components/app-frame/app-frame.component.html 208 - Cliquez pour plus d'informations. + Cliquer pour plus d'informations. Update available @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Enregistrer @@ -970,7 +974,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html 10 - Note that editing a path does not apply changes to stored files until you have run the 'document_renamer' utility. See the documentation. + Notez que l'édition d'un chemin ne modifie pas les fichiers stockés jusqu'à ce que vous ayez exécuté l'utilitaire 'document_renamer'. Voir la documentation . Path @@ -982,7 +986,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 35 - Path + Chemin e.g. @@ -990,7 +994,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 25 - e.g. + par ex. or use slashes to add directories e.g. @@ -998,7 +1002,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 27 - or use slashes to add directories e.g. + ou utilisez des barres obliques pour ajouter des répertoires, comme See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. @@ -1006,7 +1010,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 29 - See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. + Voir <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> pour la liste complète. Create new storage path @@ -1014,7 +1018,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 34 - Create new storage path + Créer un nouveau chemin de stockage Edit storage path @@ -1022,7 +1026,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 38 - Edit storage path + Modifier le chemin de stockage Color @@ -1086,7 +1090,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 23 - Any + Tous Apply @@ -1102,7 +1106,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 43 - Cliquez à nouveau pour exclure des éléments. + Cliquer à nouveau pour exclure des éléments. Not assigned @@ -1204,7 +1208,7 @@ src/app/components/dashboard/dashboard.component.ts 19 - Hello , welcome to Paperless-ngx! + Bonjour , bienvenue dans Paperless-ngx ! Welcome to Paperless-ngx! @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Recherche de document avec NSA + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Saisir un commentaire + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Veuillez saisir un commentaire. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Ajouter un commentaire + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Erreur lors de l'enregistrement du commentaire : + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Erreur lors de la suppression du commentaire : + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Supprimer @@ -1537,11 +1581,23 @@ Télécharger l'original + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Relancer la ROC + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Fermer @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Précédent @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Suivant @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Détails @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Numéro de série de l'archive @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Date de création @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1663,21 +1719,21 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 44 - Storage path + Chemin de stockage Default src/app/components/document-detail/document-detail.component.html - 77 + 83 - Default + Par défaut Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Contenu @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Modifié le @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Date d'ajout @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Nom de fichier du média + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Nom de fichier d'origine + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Somme de contrôle MD5 de l'original @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Taille de fichier de l'original @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Type mime de l'original @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Somme de contrôle MD5 de l'archive @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Taille de fichier de l'archive @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Métadonnées du document original @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Métadonnées du document archivé @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 - Entrez le mot de passe + Saisir le mot de passe + + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Commentaires Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Abandonner @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Enregistrer & suivant @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Voulez-vous vraiment supprimer le document "" ? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Les fichiers liés à ce document seront supprimés définitivement. Cette action est irréversible. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Supprimer le document @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Une erreur s'est produite lors de la suppression du document : + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Confirmer la relance de la ROC + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + Cette opération écrasera la ROC pour ce document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Cette action est irréversible. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Continuer + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + La relance de la ROC commencera en arrière-plan. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Erreur lors de l'exécution de l'opération : + Select: @@ -1907,7 +2047,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 45 - Filter storage paths + Filtrer les chemins de stockage Actions @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1947,7 +2087,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 78,82 - Download Preparing download... + Télécharger Préparation du téléchargement… Download originals Preparing download... @@ -1955,15 +2095,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 84,88 - Download originals Preparing download... - - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR + Télécharger les originauxPréparation du téléchargement… Error executing bulk operation: @@ -2105,7 +2237,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 337 - Confirm storage path assignment + Confirmez le chemin de stockage This operation will assign the storage path "" to selected document(s). @@ -2113,7 +2245,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 339 - This operation will assign the storage path "" to selected document(s). + Cette opération assignera le chemin de stockage "" aux document(s) sélectionné(s). This operation will remove the storage path from selected document(s). @@ -2121,7 +2253,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 341 - This operation will remove the storage path from selected document(s). + Cette opération assignera le chemin de stockage des "" document(s) sélectionné(s). Delete confirm @@ -2139,18 +2271,6 @@ Cette action supprimera définitivement document(s) sélectionné(s). - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Cette action est irréversible. - Delete document(s) @@ -2159,29 +2279,13 @@ Supprimer le(s) document(s) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts 388 - This operation will permanently redo OCR for selected document(s). - - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed + Cette opération écrasera la ROC pour les document(s) sélectionné(s). Filter by correspondent @@ -2269,7 +2373,7 @@ src/app/components/document-list/document-list.component.html 180 - Filter by document type + Filtrer par type de document Filter by storage path @@ -2281,7 +2385,7 @@ src/app/components/document-list/document-list.component.html 185 - Filter by storage path + Filtrer par chemin de stockage Created: @@ -2293,7 +2397,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 48 - Created: + Création : Added: @@ -2305,7 +2409,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 49 - Added: + Ajout : Modified: @@ -2317,7 +2421,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 50 - Modified: + Modification : Score: @@ -2333,7 +2437,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 14 - Toggle tag filter + (Dés)activer filtre d'étiquette Toggle correspondent filter @@ -2341,7 +2445,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 24 - Toggle correspondent filter + (Dés)activer le filtre correspondant Toggle document type filter @@ -2349,7 +2453,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 31 - Toggle document type filter + Activer/désactiver le filtre par type de document Toggle storage path filter @@ -2357,7 +2461,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 38 - Toggle storage path filter + Activer/désactiver le filtre sur le chemin de stockage Select none @@ -2485,13 +2589,13 @@ src/app/components/document-list/document-list.component.html 175 - Edit document + Éditer le document View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Vue "" enregistrée avec succès. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Vue "" créée avec succès. @@ -2605,7 +2709,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 164 - equals + est égal à is empty @@ -2613,7 +2717,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 168 - is empty + est vide is not empty @@ -2621,7 +2725,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 172 - is not empty + n'est pas vide greater than @@ -2629,7 +2733,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 176 - greater than + est supérieur à less than @@ -2637,7 +2741,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 180 - less than + est inférieur à Save current view @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Montrer dans la barre latérale @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Montrer sur le tableau de bord @@ -2733,7 +2837,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 31 - document types + types de document Do you really want to delete the document type ""? @@ -2861,7 +2965,7 @@ src/app/components/manage/management-list/management-list.component.html 74 - {VAR_PLURAL, plural, =1 {One } other { total }} + {VAR_PLURAL, plural, one {}=1 {Un } other { total }} Automatic @@ -3083,11 +3187,19 @@ Appliquer lors de la fermeture + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Activer les commentaires + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notifications @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Traitement de documents @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Afficher des notifications lorsque de nouveaux documents sont détectés @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Afficher des notifications lorsque le traitement des documents se termine avec succès @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Afficher des notifications en cas d'échec du traitement des documents @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Supprimer les notifications du tableau de bord @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Cela supprimera tous les messages liés au traitement de documents sur le tableau de bord. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Apparaît sur @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Aucune vue sauvegardée n'est définie. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Vue "" supprimée. @@ -3167,47 +3279,47 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 - Settings saved + Paramètres enregistrés Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 - Settings were saved successfully. + Les paramètres ont été enregistrés avec succès. Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 - Settings were saved successfully. Reload is required to apply some changes. + Les paramètres ont été enregistrés avec succès. Un rechargement est nécessaire pour appliquer certains changements. Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 - Reload now + Recharger maintenant An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 - An error occurred while saving settings. + Une erreur est survenue lors de la sauvegarde des paramètres. Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Utiliser la langue du système @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Utiliser le format de date de la langue d'affichage @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Une erreur s'est produite lors de l'enregistrement des paramètres sur le serveur : @@ -3233,7 +3345,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 30 - storage path + chemin de stockage storage paths @@ -3241,7 +3353,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 31 - storage paths + chemins de stockage Do you really want to delete the storage path ""? @@ -3249,7 +3361,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 45 - Do you really want to delete the storage path ""? + Voulez-vous vraiment supprimer le chemin de stockage " " ? tag @@ -3265,7 +3377,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 31 - tags + étiquettes Do you really want to delete the tag ""? @@ -3281,7 +3393,7 @@ src/app/components/manage/tasks/tasks.component.html 1 - File Tasks + Tâches sur les fichiers Clear selection @@ -3289,7 +3401,7 @@ src/app/components/manage/tasks/tasks.component.html 6 - Clear selection + Effacer la sélection @@ -3299,7 +3411,7 @@ src/app/components/manage/tasks/tasks.component.html 11 - + Refresh @@ -3307,7 +3419,7 @@ src/app/components/manage/tasks/tasks.component.html 20 - Refresh + Rafraîchir Results @@ -3315,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + Résultats click for full output @@ -3323,7 +3435,7 @@ src/app/components/manage/tasks/tasks.component.html 66 - click for full output + cliquer pour obtenir l'affichage complet Dismiss @@ -3335,7 +3447,7 @@ src/app/components/manage/tasks/tasks.component.ts 54 - Dismiss + Ignorer Failed  @@ -3343,7 +3455,7 @@ src/app/components/manage/tasks/tasks.component.html 96 - Failed  + Échouées  Complete  @@ -3351,7 +3463,7 @@ src/app/components/manage/tasks/tasks.component.html 102 - Complete  + Réussies  Started  @@ -3359,7 +3471,7 @@ src/app/components/manage/tasks/tasks.component.html 108 - Started  + Commencées  Queued  @@ -3367,7 +3479,7 @@ src/app/components/manage/tasks/tasks.component.html 114 - Queued  + En attente  Dismiss selected @@ -3375,7 +3487,7 @@ src/app/components/manage/tasks/tasks.component.ts 21 - Dismiss selected + Ignorer la sélection Dismiss all @@ -3387,7 +3499,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - Dismiss all + Ignorer tout Confirm Dismiss All @@ -3395,7 +3507,7 @@ src/app/components/manage/tasks/tasks.component.ts 50 - Confirm Dismiss All + Confirmer « ignorer tout » tasks? @@ -3403,7 +3515,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - tasks? + tâches ? 404 Not Found @@ -3501,6 +3613,14 @@ Automatique : apprentissage automatique du rapprochement + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Attention : Des modifications non sauvegardées ont été apportées à votre/vos document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Modifications non enregistrées @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Vous avez des changements non enregistrés. @@ -3681,15 +3801,15 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 - You have unsaved changes to the document + Vous avez des modifications non enregistrées sur ce document Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Voulez-vous vraiment fermer ce document ? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Fermer le document @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Voulez-vous vraiment fermer tous les documents ? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Fermer tous les documents @@ -3916,7 +4036,7 @@ src/app/services/settings.service.ts 372 - Successfully completed one-time migratration of settings to the database! + La migration des paramètres vers la base de données a été effectuée avec succès ! Unable to migrate settings to the database, please try saving manually. @@ -3924,7 +4044,7 @@ src/app/services/settings.service.ts 373 - Unable to migrate settings to the database, please try saving manually. + Impossible de migrer les paramètres vers la base de données, veuillez essayer d’enregistrer manuellement. Error diff --git a/src-ui/src/locale/messages.he_IL.xlf b/src-ui/src/locale/messages.he_IL.xlf index 4a16a6998..7cd8ae0e1 100644 --- a/src-ui/src/locale/messages.he_IL.xlf +++ b/src-ui/src/locale/messages.he_IL.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 הקטנת שעות @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 הגדלת דקות @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 הקטנת דקות @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 תצוגות שמורות @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 שמור @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ מחפש מסמכים עם מס"ד + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 מחק @@ -1537,11 +1581,23 @@ הורדת קובץ המקור + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 סגור @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 הקודם @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 הבא @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 פרטים @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 מספר סידורי בארכיון @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 תאריך יצירה @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 ברירת המחדל @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 תוכן @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 תאריך שינוי @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 תאריך הוספה @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 שם קובץ המסמך + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 סכום בדיקה MD5 לקובץ המקורי @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 גודל הקובץ המקורי @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 סוג ה-mime המקורי @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 סכום בדיקה MD5 לקובץ בארכיון @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 גודל הקובץ בארכיון @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 מטא-נתונים של המסמך המקורי @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 מטא-נתונים של המסמך בארכיון @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 הזן סיסמה + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 בטל @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 שמור & הבא @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 בטוח שברצנך למחוק את המסמך ? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 הקבצים עבור מסמך זה יימחקו לצמיתות. לא ניתן לבטל פעולה זו. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 מחק מסמך @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 שגיאה במחיקת מסמך: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + This operation cannot be undone. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ This operation will permanently delete selected document(s). - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - This operation cannot be undone. - Delete document(s) @@ -2159,14 +2279,6 @@ Delete document(s) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 View "" saved successfully. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 View "" created successfully. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 הצג בסרגל צידי @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 הצג בדשבורד @@ -3083,11 +3187,19 @@ Apply on close + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notifications @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Document processing @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Show notifications when new documents are detected @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Show notifications when document processing completes successfully @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Show notifications when document processing fails @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Suppress notifications on dashboard @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 This will suppress all messages about document processing status on the dashboard. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Appears on @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 No saved views defined. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Saved view "" deleted. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Use system language @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Use date format of display language @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3501,6 +3613,14 @@ Auto: Learn matching automatically + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Unsaved Changes @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 You have unsaved changes. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 ישנם שינויים שלא נשמרו במסמך @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 בטוח שברצונך לסגור מסמך זה? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 סגור מסמך @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 בטוח שברצונך לסגור את כל המסמכים? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 סגור מסמכים diff --git a/src-ui/src/locale/messages.hr_HR.xlf b/src-ui/src/locale/messages.hr_HR.xlf index 563bde4a0..256eba745 100644 --- a/src-ui/src/locale/messages.hr_HR.xlf +++ b/src-ui/src/locale/messages.hr_HR.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Smanjenje sati @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Povečanje minuta @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Smanjenje minuta @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Spremljeni prikazi @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Spremi @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Searching document with asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Delete @@ -1537,11 +1581,23 @@ Download original + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Close @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Previous @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Next @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Details @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Archive serial number @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Date created @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Default @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Content @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Date modified @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Date added @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Media filename + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Original MD5 checksum @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Original file size @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Original mime type @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Archive MD5 checksum @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Archive file size @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Original document metadata @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Archived document metadata @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Enter Password + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Discard @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Save & next @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Do you really want to delete document ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 The files for this document will be deleted permanently. This operation cannot be undone. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Delete document @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Error deleting document: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + This operation cannot be undone. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ This operation will permanently delete selected document(s). - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - This operation cannot be undone. - Delete document(s) @@ -2159,14 +2279,6 @@ Delete document(s) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 View "" saved successfully. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 View "" created successfully. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Show in sidebar @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Show on dashboard @@ -3083,11 +3187,19 @@ Apply on close + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notifications @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Document processing @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Show notifications when new documents are detected @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Show notifications when document processing completes successfully @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Show notifications when document processing fails @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Suppress notifications on dashboard @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 This will suppress all messages about document processing status on the dashboard. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Appears on @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 No saved views defined. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Saved view "" deleted. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Use system language @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Use date format of display language @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3501,6 +3613,14 @@ Auto: Learn matching automatically + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Unsaved Changes @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 You have unsaved changes. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Are you sure you want to close this document? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Close document @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Are you sure you want to close all documents? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Close documents diff --git a/src-ui/src/locale/messages.hu_HU.xlf b/src-ui/src/locale/messages.hu_HU.xlf deleted file mode 100644 index 5e19822ac..000000000 --- a/src-ui/src/locale/messages.hu_HU.xlf +++ /dev/null @@ -1,2340 +0,0 @@ - - - - - - Document added - - src/app/app.component.ts - 51 - - Document added - - - Document was added to paperless. - - src/app/app.component.ts - 51 - - Document was added to paperless. - - - Open document - - src/app/app.component.ts - 51 - - Open document - - - Could not add : - - src/app/app.component.ts - 59 - - Could not add : - - - New document detected - - src/app/app.component.ts - 65 - - New document detected - - - Document is being processed by paperless. - - src/app/app.component.ts - 65 - - Document is being processed by paperless. - - - Documents - - src/app/components/document-list/document-list.component.ts - 51 - - Dokumentumok - - - View "" saved successfully. - - src/app/components/document-list/document-list.component.ts - 116 - - View "" saved successfully. - - - View "" created successfully. - - src/app/components/document-list/document-list.component.ts - 138 - - Nézet "" sikeresen létrehozva. - - - Select - - src/app/components/document-list/document-list.component.html - 7 - - Kijelölés - - - Select none - - src/app/components/document-list/document-list.component.html - 10 - - Kijelölés törlése - - - Select page - - src/app/components/document-list/document-list.component.html - 11 - - Oldal kijelölése - - - Select all - - src/app/components/document-list/document-list.component.html - 12 - - Mindent kijelöl - - - Sort - - src/app/components/document-list/document-list.component.html - 39 - - Sort - - - Views - - src/app/components/document-list/document-list.component.html - 64 - - Nézet - - - Save as... - - src/app/components/document-list/document-list.component.html - 72 - - Mentés másként - - - Save "" - - src/app/components/document-list/document-list.component.html - 71 - - Save "" - - - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} - - src/app/components/document-list/document-list.component.html - 85 - - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} - - - {VAR_PLURAL, plural, =1 {One document} other { documents}} - - src/app/components/document-list/document-list.component.html - 86 - - {VAR_PLURAL, plural, =1 {One document} other { documents}} - - - (filtered) - - src/app/components/document-list/document-list.component.html - 86 - - (filtered) - - - ASN - - src/app/components/document-list/document-list.component.html - 111 - - ASN - - - Correspondent - - src/app/components/document-list/document-list.component.html - 117 - - Partner - - - Title - - src/app/components/document-list/document-list.component.html - 123 - - Cím - - - Document type - - src/app/components/document-list/document-list.component.html - 129 - - Dokumentum típus - - - Created - - src/app/components/document-list/document-list.component.html - 135 - - Létrehozva - - - Added - - src/app/components/document-list/document-list.component.html - 141 - - Hozzáadva - - - Confirm delete - - src/app/components/document-detail/document-detail.component.ts - 206 - - Törlés megerősítése - - - Do you really want to delete document ""? - - src/app/components/document-detail/document-detail.component.ts - 207 - - Do you really want to delete document ""? - - - The files for this document will be deleted permanently. This operation cannot be undone. - - src/app/components/document-detail/document-detail.component.ts - 208 - - A dokumentumhoz tartozó fájlok véglegesen törlésre kerülnek. Ez a művelet nem visszafordítható. - - - Delete document - - src/app/components/document-detail/document-detail.component.ts - 210 - - Dokumentum törlése - - - Error deleting document: - - src/app/components/document-detail/document-detail.component.ts - 217 - - Error deleting document: - - - Delete - - src/app/components/document-detail/document-detail.component.html - 15 - - Törlés - - - Download - - src/app/components/document-detail/document-detail.component.html - 23 - - Letöltés - - - More like this - - src/app/components/document-detail/document-detail.component.html - 38 - - Ehhez hasonlók - - - Close - - src/app/components/document-detail/document-detail.component.html - 44 - - Bezárás - - - Details - - src/app/components/document-detail/document-detail.component.html - 56 - - Részletek - - - Content - - src/app/components/document-detail/document-detail.component.html - 72 - - Tartalom - - - Metadata - - src/app/components/document-detail/document-detail.component.html - 81 - - Metaadat - - - Discard - - src/app/components/document-detail/document-detail.component.html - 130 - - Elvetés - - - Save - - src/app/components/document-detail/document-detail.component.html - 132 - - Mentés - - - Page - - src/app/components/document-detail/document-detail.component.html - 4 - - Oldal - - - of - - src/app/components/document-detail/document-detail.component.html - 8 - - / - - - Download original - - src/app/components/document-detail/document-detail.component.html - 29 - - Eredeti letöltése - - - Archive serial number - - src/app/components/document-detail/document-detail.component.html - 60 - - Archívum sorozat szám - - - Date created - - src/app/components/document-detail/document-detail.component.html - 61 - - Létrehozás dátuma - - - Date modified - - src/app/components/document-detail/document-detail.component.html - 87 - - Módosítás dátuma - - - Date added - - src/app/components/document-detail/document-detail.component.html - 91 - - Hozzáadás dátuma - - - Media filename - - src/app/components/document-detail/document-detail.component.html - 95 - - Média fájlnév - - - Original MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 99 - - Eredeti MD5 ellenőrző szám - - - Original file size - - src/app/components/document-detail/document-detail.component.html - 103 - - Eredeti fájl méret - - - Original mime type - - src/app/components/document-detail/document-detail.component.html - 107 - - Eredeti MIME típus - - - Archive MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 111 - - Archívum MD5 ellenőrző szám - - - Archive file size - - src/app/components/document-detail/document-detail.component.html - 115 - - Archív fájl mérete - - - Original document metadata - - src/app/components/document-detail/document-detail.component.html - 121 - - Eredeti dokumentum metaadat - - - Archived document metadata - - src/app/components/document-detail/document-detail.component.html - 122 - - Archivált dokumentum metaadat - - - Save & next - - src/app/components/document-detail/document-detail.component.html - 131 - - Mentés & Következő - - - Hello , welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 33 - - Hello , a Paperless-ngx üdvözöl Téged! - - - Welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 35 - - Üdvözöl a Paperless-ngx! - - - Dashboard - - src/app/components/dashboard/dashboard.component.html - 1 - - Vezérlőpult - - - Do you really want to delete the tag ""? - - src/app/components/manage/tag-list/tag-list.component.ts - 26 - - Valóban törölni akarod a "" címkét? - - - Tags - - src/app/components/manage/tag-list/tag-list.component.html - 1 - - Cimkék - - - Create - - src/app/components/manage/tag-list/tag-list.component.html - 2 - - Létrehozás - - - Filter by: - - src/app/components/manage/tag-list/tag-list.component.html - 8 - - Szűrés: - - - Name - - src/app/components/manage/tag-list/tag-list.component.html - 9 - - Név - - - Color - - src/app/components/manage/tag-list/tag-list.component.html - 20 - - Szín - - - Matching - - src/app/components/manage/tag-list/tag-list.component.html - 21 - - Egyezés - - - Document count - - src/app/components/manage/tag-list/tag-list.component.html - 22 - - Dokumentum szám - - - Actions - - src/app/components/manage/tag-list/tag-list.component.html - 23 - - Műveletek - - - Documents - - src/app/components/manage/tag-list/tag-list.component.html - 38 - - Dokumentumok - - - Edit - - src/app/components/manage/tag-list/tag-list.component.html - 43 - - Szerkesztés - - - Do you really want to delete the document type ""? - - src/app/components/manage/document-type-list/document-type-list.component.ts - 26 - - Valóban törölni akarod a "" dokumentum típust? - - - Document types - - src/app/components/manage/document-type-list/document-type-list.component.html - 1 - - Dokumentum típusok - - - Logs - - src/app/components/manage/logs/logs.component.html - 1 - - Napló - - - Saved view "" deleted. - - src/app/components/manage/settings/settings.component.ts - 68 - - Saved view "" deleted. - - - Settings saved successfully. - - src/app/components/manage/settings/settings.component.ts - 89 - - Beállítások elmentve. - - - Use system language - - src/app/components/manage/settings/settings.component.ts - 94 - - Use system language - - - Use date format of display language - - src/app/components/manage/settings/settings.component.ts - 100 - - Use date format of display language - - - Error while storing settings on server: - - src/app/components/manage/settings/settings.component.ts - 117 - - Hiba történt a beállitások mentése közben: - - - Settings - - src/app/components/manage/settings/settings.component.html - 1 - - Beállitások - - - General settings - - src/app/components/manage/settings/settings.component.html - 10 - - Általános beállitások - - - Notifications - - src/app/components/manage/settings/settings.component.html - 116 - - Notifications - - - Saved views - - src/app/components/manage/settings/settings.component.html - 134 - - Mentett nézetek - - - Appearance - - src/app/components/manage/settings/settings.component.html - 13 - - Appearance - - - Display language - - src/app/components/manage/settings/settings.component.html - 17 - - Display language - - - You need to reload the page after applying a new language. - - src/app/components/manage/settings/settings.component.html - 25 - - You need to reload the page after applying a new language. - - - Date display - - src/app/components/manage/settings/settings.component.html - 32 - - Date display - - - Date format - - src/app/components/manage/settings/settings.component.html - 45 - - Date format - - - Short: - - src/app/components/manage/settings/settings.component.html - 51 - - Short: - - - Medium: - - src/app/components/manage/settings/settings.component.html - 55 - - Medium: - - - Long: - - src/app/components/manage/settings/settings.component.html - 59 - - Long: - - - Items per page - - src/app/components/manage/settings/settings.component.html - 67 - - Oldalankénti elemek száma - - - Document editor - - src/app/components/manage/settings/settings.component.html - 83 - - Document editor - - - Use PDF viewer provided by the browser - - src/app/components/manage/settings/settings.component.html - 87 - - Use PDF viewer provided by the browser - - - This is usually faster for displaying large PDF documents, but it might not work on some browsers. - - src/app/components/manage/settings/settings.component.html - 87 - - This is usually faster for displaying large PDF documents, but it might not work on some browsers. - - - Dark mode - - src/app/components/manage/settings/settings.component.html - 94 - - Dark mode - - - Use system settings - - src/app/components/manage/settings/settings.component.html - 97 - - Use system settings - - - Enable dark mode - - src/app/components/manage/settings/settings.component.html - 98 - - Enable dark mode - - - Invert thumbnails in dark mode - - src/app/components/manage/settings/settings.component.html - 99 - - Invert thumbnails in dark mode - - - Bulk editing - - src/app/components/manage/settings/settings.component.html - 103 - - Csoportos szerkesztés - - - Show confirmation dialogs - - src/app/components/manage/settings/settings.component.html - 107 - - Jóváhagyó dialógusok mutatása - - - Deleting documents will always ask for confirmation. - - src/app/components/manage/settings/settings.component.html - 107 - - Dokumentumok törlése mindig jóváhagyást igényel - - - Apply on close - - src/app/components/manage/settings/settings.component.html - 108 - - Alkalmazás bezárás után - - - Document processing - - src/app/components/manage/settings/settings.component.html - 119 - - Document processing - - - Show notifications when new documents are detected - - src/app/components/manage/settings/settings.component.html - 123 - - Show notifications when new documents are detected - - - Show notifications when document processing completes successfully - - src/app/components/manage/settings/settings.component.html - 124 - - Show notifications when document processing completes successfully - - - Show notifications when document processing fails - - src/app/components/manage/settings/settings.component.html - 125 - - Show notifications when document processing fails - - - Suppress notifications on dashboard - - src/app/components/manage/settings/settings.component.html - 126 - - Suppress notifications on dashboard - - - This will suppress all messages about document processing status on the dashboard. - - src/app/components/manage/settings/settings.component.html - 126 - - This will suppress all messages about document processing status on the dashboard. - - - Appears on - - src/app/components/manage/settings/settings.component.html - 146 - - Megjelenés - - - Show on dashboard - - src/app/components/manage/settings/settings.component.html - 149 - - Vezérlőpulton megjelenítés - - - Show in sidebar - - src/app/components/manage/settings/settings.component.html - 153 - - Oldal menüben megjelenítés - - - No saved views defined. - - src/app/components/manage/settings/settings.component.html - 163 - - Nincs mentett nézet definiálva. - - - 404 Not Found - - src/app/components/not-found/not-found.component.html - 7 - - 404 Nem található - - - Do you really want to delete the correspondent ""? - - src/app/components/manage/correspondent-list/correspondent-list.component.ts - 26 - - Valóban törölni szerenéd a következő partnert: "" ? - - - Correspondents - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 1 - - Partnerek - - - Last correspondence - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 22 - - Utolsó partner - - - Confirmation - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 17 - - Jóváhagyás - - - Confirm - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 29 - - Jóváhagy - - - Cancel - - src/app/components/common/confirm-dialog/confirm-dialog.component.html - 12 - - Megszakítás - - - Create new correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 21 - - Új partner létrehozása - - - Edit correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 25 - - Partner szerkesztése - - - Matching algorithm - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 10 - - Egyeztető algoritmus - - - Matching pattern - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 11 - - Matching pattern - - - Case insensitive - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 12 - - Kisbetű-nagybetű érzékenység - - - Create new tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 22 - - Új cimke készítése - - - Edit tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 26 - - Cimke szerkesztés - - - Inbox tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Inbox cimke - - - Inbox tags are automatically assigned to all consumed documents. - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Az "inbox" cimkék automatikusan hozzárendelődnek a feldolgozott dokumentumokhoz. - - - Create new document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 21 - - Új dokumentum tipus létrehozása - - - Edit document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 25 - - Dokumentum típus szerkesztése - - - Paperless-ngx - - src/app/components/app-frame/app-frame.component.html - 11 - - app title - Paperless-ngx - - - Search documents - - src/app/components/app-frame/app-frame.component.html - 15 - - Search documents - - - Logout - - src/app/components/app-frame/app-frame.component.html - 45 - - Kilépés - - - Manage - - src/app/components/app-frame/app-frame.component.html - 112 - - Menedzselés - - - Admin - - src/app/components/app-frame/app-frame.component.html - 154 - - Adminisztráció - - - Info - - src/app/components/app-frame/app-frame.component.html - 160 - - Info - - - Documentation - - src/app/components/app-frame/app-frame.component.html - 167 - - Dokumentáció - - - GitHub - - src/app/components/app-frame/app-frame.component.html - 175 - - GitHub - - - Suggest an idea - - src/app/components/app-frame/app-frame.component.html - 181 - - Suggest an idea - - - Logged in as - - src/app/components/app-frame/app-frame.component.html - 34 - - Logged in as - - - Open documents - - src/app/components/app-frame/app-frame.component.html - 87 - - Dokumentum megnyitása - - - Close all - - src/app/components/app-frame/app-frame.component.html - 106 - - Összes bezárása - - - Correspondent: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 37 - - Partner: - - - Without correspondent - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 39 - - Without correspondent - - - Type: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 44 - - Típus: - - - Without document type - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 46 - - Without document type - - - Tag: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 50 - - Cimke: - - - Without any tag - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 54 - - Without any tag - - - Title: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 58 - - Title: - - - ASN: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 61 - - ASN: - - - Title - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 88 - - Cím - - - Title & content - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 89 - - Title & content - - - ASN - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 90 - - ASN - - - Advanced search - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 91 - - Advanced search - - - More like - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 94 - - More like - - - Filter tags - - src/app/components/document-list/filter-editor/filter-editor.component.html - 19 - - Cimkék szerinti szűrés - - - Filter correspondents - - src/app/components/document-list/filter-editor/filter-editor.component.html - 27 - - Partnerek szerinti szűrés - - - Filter document types - - src/app/components/document-list/filter-editor/filter-editor.component.html - 34 - - Dokumentum típus szerinti szűrés - - - Reset filters - - src/app/components/document-list/filter-editor/filter-editor.component.html - 57 - - Reset filters - - - Not assigned - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.ts - 166 - - Filter drop down element to filter for documents with no correspondent/type/tag assigned - Nincs hozzárendelés - - - Apply - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.html - 26 - - Alkalmaz - - - Last 7 days - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 34 - - Utolsó 7 nap - - - Last month - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 35 - - Előző hónap - - - Last 3 months - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 36 - - Előző 3 hónap - - - Last year - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 37 - - Előző év - - - After - - src/app/components/common/date-dropdown/date-dropdown.component.html - 13 - - Után - - - Before - - src/app/components/common/date-dropdown/date-dropdown.component.html - 38 - - Előtte - - - Clear - - src/app/components/common/date-dropdown/date-dropdown.component.html - 18 - - Törlés - - - View - - src/app/components/document-list/document-card-large/document-card-large.component.html - 51 - - Megtekint - - - Filter by correspondent - - src/app/components/document-list/document-card-large/document-card-large.component.html - 20 - - Partner szerinti szűrés - - - Filter by tag - - src/app/components/document-list/document-card-large/document-card-large.component.html - 24 - - Cimke szerinti szűrés - - - Score: - - src/app/components/document-list/document-card-large/document-card-large.component.html - 87 - - Pont: - - - Created: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 43 - - Created: - - - Added: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 44 - - Added: - - - Modified: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 45 - - Modified: - - - Error executing bulk operation: - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 74 - - Error executing bulk operation: - - - "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 113 - - "" - - - "" and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 115 - - This is for messages like 'modify "tag1" and "tag2"' - "" és "" - - - , - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 117 - - this is used to separate enumerations and should probably be a comma and a whitespace in most languages - , - - - and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 118 - - this is for messages like 'modify "tag1", "tag2" and "tag3"' - és "" - - - Confirm tags assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 127 - - Cimke hozzárendelés jóváhagyása - - - This operation will add the tag "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 130 - - This operation will add the tag "" to selected document(s). - - - This operation will add the tags to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 132 - - This operation will add the tags to selected document(s). - - - This operation will remove the tag "" from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 135 - - This operation will remove the tag "" from selected document(s). - - - This operation will remove the tags from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 137 - - This operation will remove the tags from selected document(s). - - - This operation will add the tags and remove the tags on selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 139 - - This operation will add the tags and remove the tags on selected document(s). - - - Confirm correspondent assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 159 - - Partner hozzárendelés megerősítése - - - This operation will assign the correspondent "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 161 - - This operation will assign the correspondent "" to selected document(s). - - - This operation will remove the correspondent from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 163 - - This operation will remove the correspondent from selected document(s). - - - Confirm document type assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 182 - - Dokumentum típus hozzárendelés megerősítése - - - This operation will assign the document type "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 184 - - This operation will assign the document type "" to selected document(s). - - - This operation will remove the document type from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 186 - - This operation will remove the document type from selected document(s). - - - Delete confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 201 - - Törlés megerősítése - - - This operation will permanently delete selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 202 - - This operation will permanently delete selected document(s). - - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 203 - - Ez a művelet nem visszafordítható. - - - Delete document(s) - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 205 - - Dokumentum(ok) törlése - - - Select: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 10 - - Kijelöl - - - All - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 20 - - Mind - - - Edit: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 27 - - Szerkeszt: - - - Download originals - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 68 - - Download originals - - - Add item - - src/app/components/common/input/select/select.component.html - 11 - - Used for both types and correspondents - Add item - - - Suggestions: - - src/app/components/common/input/select/select.component.html - 31 - - Suggestions: - - - Save current view - - src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html - 3 - - Jelenlegi nézet mentése - - - Add tag - - src/app/components/common/input/tags/tags.component.html - 11 - - Add tag - - - Show all - - src/app/components/dashboard/widgets/saved-view-widget/saved-view-widget.component.html - 3 - - Mindent megjelenít - - - Statistics - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 1 - - Statisztika - - - Total documents: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 4 - - Total documents: - - - Documents in inbox: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 3 - - Documents in inbox: - - - Processing: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 32 - - Processing: - - - Failed: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 35 - - Failed: - - - Added: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 38 - - Added: - - - Connecting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 118 - - Connecting... - - - Uploading... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 123 - - Uploading... - - - Upload complete, waiting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 126 - - Upload complete, waiting... - - - HTTP error: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 136 - - HTTP error: - - - Upload new documents - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 1 - - Új dokumentum feltöltése - - - Drop documents here or - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Húzz ide dokumentumokat, vagy - - - Browse files - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Fájl böngészése - - - Dismiss completed - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 4 - - This button dismisses all status messages about processed documents on the dashboard (failed and successful) - Dismiss completed - - - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 25 - - This is shown as a summary line when there are more than 5 document in the processing pipeline. - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} - - - Open document - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 45 - - Open document - - - First steps - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 1 - - Első lépések - - - Paperless is running! :) - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 5 - - A Paperless üzemel! :) - - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 6,7 - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - - Paperless offers some more features that try to make your life easier: - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 8 - - Paperless offers some more features that try to make your life easier: - - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 10 - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. - - - You can configure paperless to read your mails and add documents from attached files. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 11 - - You can configure paperless to read your mails and add documents from attached files. - - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 13 - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - - Metadata - - src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts - 18 - - Metaadat - - - Select - - src/app/components/common/select-dialog/select-dialog.component.ts - 18 - - Kijelöl - - - Please select an object - - src/app/components/common/select-dialog/select-dialog.component.ts - 21 - - Kérem válaszon egy elemet - - - Invalid date. - - src/app/components/common/input/date/date.component.html - 14 - - Invalid date. - - - Searching document with asn - - src/app/components/document-asn/document-asn.component.html - 1 - - Searching document with asn - - - Yes - - src/app/pipes/yes-no.pipe.ts - 9 - - Igen - - - No - - src/app/pipes/yes-no.pipe.ts - 9 - - Nem - - - (no title) - - src/app/pipes/document-title.pipe.ts - 12 - - (nincs cím) - - - English (US) - - src/app/services/settings.service.ts - 90 - - Angol (US) - - - English (GB) - - src/app/services/settings.service.ts - 91 - - English (GB) - - - German - - src/app/services/settings.service.ts - 92 - - Német - - - Dutch - - src/app/services/settings.service.ts - 93 - - Dutch - - - French - - src/app/services/settings.service.ts - 94 - - French - - - Portuguese - - src/app/services/settings.service.ts - 95 - - Portuguese - - - Portuguese (Brazil) - - src/app/services/settings.service.ts - 96 - - Portuguese (Brazil) - - - Italian - - src/app/services/settings.service.ts - 97 - - Italian - - - Romanian - - src/app/services/settings.service.ts - 98 - - Romanian - - - Russian - - src/app/services/settings.service.ts - 99 - - Russian - - - Spanish - - src/app/services/settings.service.ts - 100 - - Spanish - - - Polish - - src/app/services/settings.service.ts - 101 - - Polish - - - Swedish - - src/app/services/settings.service.ts - 102 - - Swedish - - - ISO 8601 - - src/app/services/settings.service.ts - 107 - - ISO 8601 - - - Document already exists. - - src/app/services/consumer-status.service.ts - 15 - - Document already exists. - - - File not found. - - src/app/services/consumer-status.service.ts - 16 - - File not found. - - - Pre-consume script does not exist. - - src/app/services/consumer-status.service.ts - 17 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Pre-consume script does not exist. - - - Error while executing pre-consume script. - - src/app/services/consumer-status.service.ts - 18 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing pre-consume script. - - - Post-consume script does not exist. - - src/app/services/consumer-status.service.ts - 19 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Post-consume script does not exist. - - - Error while executing post-consume script. - - src/app/services/consumer-status.service.ts - 20 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing post-consume script. - - - Received new file. - - src/app/services/consumer-status.service.ts - 21 - - Received new file. - - - File type not supported. - - src/app/services/consumer-status.service.ts - 22 - - File type not supported. - - - Processing document... - - src/app/services/consumer-status.service.ts - 23 - - Processing document... - - - Generating thumbnail... - - src/app/services/consumer-status.service.ts - 24 - - Generating thumbnail... - - - Retrieving date from document... - - src/app/services/consumer-status.service.ts - 25 - - Retrieving date from document... - - - Saving document... - - src/app/services/consumer-status.service.ts - 26 - - Saving document... - - - Finished. - - src/app/services/consumer-status.service.ts - 27 - - Finished. - - - Error - - src/app/services/toast.service.ts - 35 - - Hiba - - - Information - - src/app/services/toast.service.ts - 39 - - Információ - - - Correspondent - - src/app/services/rest/document.service.ts - 18 - - Partner - - - Document type - - src/app/services/rest/document.service.ts - 20 - - Dokumentum típus - - - Created - - src/app/services/rest/document.service.ts - 21 - - Létrehozva - - - Added - - src/app/services/rest/document.service.ts - 22 - - Hozzáadva - - - Modified - - src/app/services/rest/document.service.ts - 23 - - Módosítva - - - Search score - - src/app/services/rest/document.service.ts - 28 - - Score is a value returned by the full text search engine and specifies how well a result matches the given query - Search score - - - Create new item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 50 - - Új elem létrehozása - - - Edit item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 54 - - Elem szerkesztése - - - Could not save element: - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 58 - - Hiba az elem mentése során: - - - Automatic - - src/app/components/manage/generic-list/generic-list.component.ts - 39 - - Automatikus - - - Do you really want to delete this element? - - src/app/components/manage/generic-list/generic-list.component.ts - 97 - - Valóban törölni szeretnéd ezt az elemet? - - - Associated documents will not be deleted. - - src/app/components/manage/generic-list/generic-list.component.ts - 104 - - A kapcsolódó dokumentumok nem kerülnek törlésre. - - - Delete - - src/app/components/manage/generic-list/generic-list.component.ts - 106 - - Törlés - - - Error while deleting element: - - src/app/components/manage/generic-list/generic-list.component.ts - 114 - - Error while deleting element: - - - Any word - - src/app/data/matching-model.ts - 12 - - Any word - - - Any: Document contains any of these words (space separated) - - src/app/data/matching-model.ts - 12 - - Any: Document contains any of these words (space separated) - - - All words - - src/app/data/matching-model.ts - 13 - - All words - - - All: Document contains all of these words (space separated) - - src/app/data/matching-model.ts - 13 - - All: Document contains all of these words (space separated) - - - Exact match - - src/app/data/matching-model.ts - 14 - - Exact match - - - Exact: Document contains this string - - src/app/data/matching-model.ts - 14 - - Exact: Document contains this string - - - Regular expression - - src/app/data/matching-model.ts - 15 - - Regexp - - - Regular expression: Document matches this regular expression - - src/app/data/matching-model.ts - 15 - - Regular expression: Document matches this regular expression - - - Fuzzy word - - src/app/data/matching-model.ts - 16 - - Fuzzy word - - - Fuzzy: Document contains a word similar to this word - - src/app/data/matching-model.ts - 16 - - Fuzzy: Document contains a word similar to this word - - - Auto: Learn matching automatically - - src/app/data/matching-model.ts - 17 - - Auto: Learn matching automatically - - - - diff --git a/src-ui/src/locale/messages.it_IT.xlf b/src-ui/src/locale/messages.it_IT.xlf index e8abe5727..78e121e3e 100644 --- a/src-ui/src/locale/messages.it_IT.xlf +++ b/src-ui/src/locale/messages.it_IT.xlf @@ -17,7 +17,7 @@ 157,166 Currently selected slide number read by screen reader - Slide of + Diapositiva di Previous @@ -155,7 +155,7 @@ node_modules/src/progressbar/progressbar.ts 23,26 - + HH @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Decrementa ore @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Incrementa minuti @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Decrementa minuti @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Viste salvate @@ -522,7 +522,7 @@ src/app/components/app-frame/app-frame.component.html 148 - File Tasks + Attività File Logs @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Salva @@ -970,7 +974,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html 10 - Note that editing a path does not apply changes to stored files until you have run the 'document_renamer' utility. See the documentation. + Si noti che la modifica di un percorso non applica le modifiche ai file memorizzati finché non viene eseguita l'utilità 'document_renamer'. Vedi la documentazione. Path @@ -1086,7 +1090,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 23 - Any + Qualsiasi Apply @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Cercando documento con asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Inserisci commento + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Inserisci un commento. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Aggiungi commento + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Errore nel salvataggio del commento: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Errore nell'eliminazione del commento: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Elimina @@ -1537,11 +1581,23 @@ Scarica originale + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Ripeti OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Chiudi @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Precedente @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Successivo @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Dettagli @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Numero seriale di archivio @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Data creazione @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Predefinito @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Contenuto @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Data modifica @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Data aggiunta @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Nome file + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Nome file originale + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Checksum MD5 originale @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Dimensione file originale @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Tipo mime originale @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Checksum MD5 archivio @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Dimensione file archivio @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Metadati del documento originale @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Metadati del documento archiviato @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Immettere Password + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Commenti + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Scarta @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Salva e vai al prossimo @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Vuoi eliminare il documento ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 I file di questo documento saranno eliminati permanentemente. Questa operazione è irreversibile. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Elimina documento @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Errore nell'eliminazione del documento: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Ripeti la conferma OCR + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + Questa operazione effettuerà la rilettura OCR di questo documento. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Questa operazione non può essere annullata. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Procedi + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + L'operazione di rilettura OCR inizierà in background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Errore nell'esecuzione dell'operazione: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1947,7 +2087,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 78,82 - Download Preparing download... + Scarica Preparazione del download... Download originals Preparing download... @@ -1955,15 +2095,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 84,88 - Download originals Preparing download... - - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR + Scarica gli originali Preparazione del download... Error executing bulk operation: @@ -1971,7 +2103,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 103,105 - Error executing bulk operation: + Errore durante l'operazione di modifica in blocco: "" @@ -2025,7 +2157,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 209,211 - This operation will add the tags to selected document(s). + Questa operazione aggiungerà i tag a documento/i selezionato/i. This operation will remove the tag "" from selected document(s). @@ -2041,7 +2173,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 222,224 - This operation will remove the tags from selected document(s). + Questa operazione rimuoverà i tag da documento/i selezionato/i. This operation will add the tags and remove the tags on selected document(s). @@ -2049,7 +2181,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 226,230 - This operation will add the tags and remove the tags on selected document(s). + Questa operazione aggiungerà i tag e rimuoverà i tag a documento/i selezionato/i. Confirm correspondent assignment @@ -2113,7 +2245,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 339 - This operation will assign the storage path "" to selected document(s). + Questa operazione assegnerà il percorso di archiviazione "" a documento/i selezionato/i. This operation will remove the storage path from selected document(s). @@ -2121,7 +2253,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 341 - This operation will remove the storage path from selected document(s). + Questa operazione rimuoverà il percorso di archiviazione da documento/i selezionato/i. Delete confirm @@ -2139,18 +2271,6 @@ Questa operazione eliminerà definitivamente documento/i selezionato/i. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Questa operazione non può essere annullata. - Delete document(s) @@ -2159,21 +2279,13 @@ Elimina documento/i - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts 388 - This operation will permanently redo OCR for selected document(s). + Questa operazione riesegue in modo permanente l'OCR per documento/i selezionato/i. Proceed @@ -2181,7 +2293,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 391 - Proceed + Procedi Filter by correspondent @@ -2333,7 +2445,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 14 - Toggle tag filter + Attiva/Disattiva filtro tag Toggle correspondent filter @@ -2341,7 +2453,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 24 - Toggle correspondent filter + Attiva/Disattiva filtro corrispondente Toggle document type filter @@ -2349,7 +2461,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 31 - Toggle document type filter + Attiva/Disattiva filtro tipo documento Toggle storage path filter @@ -2357,7 +2469,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 38 - Toggle storage path filter + Attiva/Disattiva filtro percorso di archiviazione Select none @@ -2491,7 +2603,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 La vista "" è stata salvata. @@ -2499,7 +2611,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 La vista "" è stata creata. @@ -2655,7 +2767,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Mostra nella barra laterale @@ -2667,7 +2779,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Mostra nella dashboard @@ -2861,7 +2973,7 @@ src/app/components/manage/management-list/management-list.component.html 74 - {VAR_PLURAL, plural, =1 {One } other { total }} + {VAR_PLURAL, plural, =1 {Uno } other { totale }} Automatic @@ -3083,11 +3195,19 @@ Applica in chiusura + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Abilita i commenti + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notifiche @@ -3095,7 +3215,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Elaborazione del documento @@ -3103,7 +3223,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Notifica quando vengono trovati nuovi documenti @@ -3111,7 +3231,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Notifica quando l'elaborazione del documento viene completata con successo. @@ -3119,7 +3239,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Notifica quando l'elaborazione del documento fallisce @@ -3127,7 +3247,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Non mostrare notifiche nella dashboard @@ -3135,7 +3255,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Verranno interrotte tutte le notifiche nella dashboard riguardo lo stato dell'elaborazione dei documenti. @@ -3143,7 +3263,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Appare in @@ -3151,7 +3271,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Nessuna vista salvata. @@ -3159,7 +3279,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 La vista "" è stata eliminata. @@ -3167,39 +3287,39 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 - Settings saved + Impostazioni salvate Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 - Settings were saved successfully. + Impostazioni salvate con successo. Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 - Settings were saved successfully. Reload is required to apply some changes. + Impostazioni salvate con successo. È necessario ricaricare per applicare alcune modifiche. Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 - Reload now + Ricarica ora An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 Si è verificato un errore durante il salvataggio delle impostazioni. @@ -3207,7 +3327,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Usa lingua di sistema @@ -3215,7 +3335,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Usa il formato data della lingua @@ -3223,7 +3343,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Errore durante il salvataggio delle impostazioni sul server: @@ -3233,7 +3353,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 30 - storage path + percorso di archiviazione storage paths @@ -3241,7 +3361,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 31 - storage paths + percorsi di archiviazione Do you really want to delete the storage path ""? @@ -3249,7 +3369,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 45 - Do you really want to delete the storage path ""? + Vuoi eliminare il percorso di archiviazione ""? tag @@ -3265,7 +3385,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 31 - tags + tag Do you really want to delete the tag ""? @@ -3281,7 +3401,7 @@ src/app/components/manage/tasks/tasks.component.html 1 - File Tasks + Attività File Clear selection @@ -3289,7 +3409,7 @@ src/app/components/manage/tasks/tasks.component.html 6 - Clear selection + Azzera selezione @@ -3299,7 +3419,7 @@ src/app/components/manage/tasks/tasks.component.html 11 - + Refresh @@ -3307,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 20 - Refresh + Aggiorna Results @@ -3315,7 +3435,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + Risultati click for full output @@ -3323,7 +3443,7 @@ src/app/components/manage/tasks/tasks.component.html 66 - click for full output + clicca per l'output completo Dismiss @@ -3335,7 +3455,7 @@ src/app/components/manage/tasks/tasks.component.ts 54 - Dismiss + Ignora Failed  @@ -3343,7 +3463,7 @@ src/app/components/manage/tasks/tasks.component.html 96 - Failed  + Fallito  Complete  @@ -3351,7 +3471,7 @@ src/app/components/manage/tasks/tasks.component.html 102 - Complete  + Completa  Started  @@ -3359,7 +3479,7 @@ src/app/components/manage/tasks/tasks.component.html 108 - Started  + Avviato  Queued  @@ -3367,7 +3487,7 @@ src/app/components/manage/tasks/tasks.component.html 114 - Queued  + Accodato  Dismiss selected @@ -3375,7 +3495,7 @@ src/app/components/manage/tasks/tasks.component.ts 21 - Dismiss selected + Ignora selezionati Dismiss all @@ -3387,7 +3507,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - Dismiss all + Ignora tutto Confirm Dismiss All @@ -3395,7 +3515,7 @@ src/app/components/manage/tasks/tasks.component.ts 50 - Confirm Dismiss All + Conferma Ignora Tutto tasks? @@ -3403,7 +3523,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - tasks? + attività? 404 Not Found @@ -3501,6 +3621,14 @@ Automatico: apprende l'assegnazione automaticamente + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Attenzione: Hai modifiche non salvate ai tuoi documenti. + Unsaved Changes @@ -3509,11 +3637,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Modifiche non salvate @@ -3525,7 +3653,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Hai delle modifiche non salvate. @@ -3681,15 +3809,15 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 - You have unsaved changes to the document + Hai modifiche non salvate nel documento Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Sei sicuro di voler chiudere questo documento? @@ -3697,7 +3825,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Chiudi documento @@ -3705,7 +3833,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Sei sicuro di voler chiudere tutti i documenti? @@ -3713,7 +3841,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Chiudi documenti @@ -3916,7 +4044,7 @@ src/app/services/settings.service.ts 372 - Successfully completed one-time migratration of settings to the database! + La migrazione delle impostazioni al database è stata completata con successo! Unable to migrate settings to the database, please try saving manually. @@ -3924,7 +4052,7 @@ src/app/services/settings.service.ts 373 - Unable to migrate settings to the database, please try saving manually. + Impossibile migrare le impostazioni nel database, prova a salvare manualmente. Error diff --git a/src-ui/src/locale/messages.ja_JP.xlf b/src-ui/src/locale/messages.ja_JP.xlf index 1b77a00bd..677814f40 100644 --- a/src-ui/src/locale/messages.ja_JP.xlf +++ b/src-ui/src/locale/messages.ja_JP.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Decrement hours @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Increment minutes @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Decrement minutes @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Saved views @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Save @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Searching document with asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Delete @@ -1537,11 +1581,23 @@ Download original + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Close @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Previous @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Next @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Details @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Archive serial number @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Date created @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Default @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Content @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Date modified @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Date added @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Media filename + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Original MD5 checksum @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Original file size @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Original mime type @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Archive MD5 checksum @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Archive file size @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Original document metadata @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Archived document metadata @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Enter Password + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Discard @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Save & next @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Do you really want to delete document ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 The files for this document will be deleted permanently. This operation cannot be undone. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Delete document @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Error deleting document: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + This operation cannot be undone. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ This operation will permanently delete selected document(s). - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - This operation cannot be undone. - Delete document(s) @@ -2159,14 +2279,6 @@ Delete document(s) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 View "" saved successfully. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 View "" created successfully. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Show in sidebar @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Show on dashboard @@ -3083,11 +3187,19 @@ Apply on close + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notifications @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Document processing @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Show notifications when new documents are detected @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Show notifications when document processing completes successfully @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Show notifications when document processing fails @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Suppress notifications on dashboard @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 This will suppress all messages about document processing status on the dashboard. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Appears on @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 No saved views defined. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Saved view "" deleted. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Use system language @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Use date format of display language @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3501,6 +3613,14 @@ Auto: Learn matching automatically + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Unsaved Changes @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 You have unsaved changes. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Are you sure you want to close this document? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Close document @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Are you sure you want to close all documents? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Close documents diff --git a/src-ui/src/locale/messages.la_LA.xlf b/src-ui/src/locale/messages.la_LA.xlf deleted file mode 100644 index 6635cd235..000000000 --- a/src-ui/src/locale/messages.la_LA.xlf +++ /dev/null @@ -1,2290 +0,0 @@ - - - - - - Document added - - src/app/app.component.ts - 51 - - Document added - - - Document was added to paperless. - - src/app/app.component.ts - 51 - - Document was added to paperless. - - - Open document - - src/app/app.component.ts - 51 - - Open document - - - Could not add : - - src/app/app.component.ts - 59 - - Could not add : - - - New document detected - - src/app/app.component.ts - 65 - - New document detected - - - Document is being processed by paperless. - - src/app/app.component.ts - 65 - - Document is being processed by paperless. - - - Documents - - src/app/components/document-list/document-list.component.ts - 49 - - Documents - - - View "" saved successfully. - - src/app/components/document-list/document-list.component.ts - 115 - - View "" saved successfully. - - - View "" created successfully. - - src/app/components/document-list/document-list.component.ts - 136 - - View "" created successfully. - - - Select - - src/app/components/document-list/document-list.component.html - 7 - - Select - - - Select none - - src/app/components/document-list/document-list.component.html - 10 - - Select none - - - Select page - - src/app/components/document-list/document-list.component.html - 11 - - Select page - - - Select all - - src/app/components/document-list/document-list.component.html - 12 - - Select all - - - Sort - - src/app/components/document-list/document-list.component.html - 39 - - Sort - - - Views - - src/app/components/document-list/document-list.component.html - 64 - - Views - - - Save as... - - src/app/components/document-list/document-list.component.html - 72 - - Save as... - - - Save "" - - src/app/components/document-list/document-list.component.html - 71 - - Save "" - - - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} - - src/app/components/document-list/document-list.component.html - 85 - - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} - - - {VAR_PLURAL, plural, =1 {One document} other { documents}} - - src/app/components/document-list/document-list.component.html - 86 - - {VAR_PLURAL, plural, =1 {One document} other { documents}} - - - (filtered) - - src/app/components/document-list/document-list.component.html - 86 - - (filtered) - - - ASN - - src/app/components/document-list/document-list.component.html - 105 - - ASN - - - Correspondent - - src/app/components/document-list/document-list.component.html - 111 - - Correspondent - - - Title - - src/app/components/document-list/document-list.component.html - 117 - - Title - - - Document type - - src/app/components/document-list/document-list.component.html - 123 - - Document type - - - Created - - src/app/components/document-list/document-list.component.html - 129 - - Created - - - Added - - src/app/components/document-list/document-list.component.html - 135 - - Added - - - Confirm delete - - src/app/components/document-detail/document-detail.component.ts - 203 - - Confirm delete - - - Do you really want to delete document ""? - - src/app/components/document-detail/document-detail.component.ts - 204 - - Do you really want to delete document ""? - - - The files for this document will be deleted permanently. This operation cannot be undone. - - src/app/components/document-detail/document-detail.component.ts - 205 - - The files for this document will be deleted permanently. This operation cannot be undone. - - - Delete document - - src/app/components/document-detail/document-detail.component.ts - 207 - - Delete document - - - Error deleting document: - - src/app/components/document-detail/document-detail.component.ts - 214 - - Error deleting document: - - - Delete - - src/app/components/document-detail/document-detail.component.html - 15 - - Delete - - - Download - - src/app/components/document-detail/document-detail.component.html - 23 - - Download - - - More like this - - src/app/components/document-detail/document-detail.component.html - 38 - - More like this - - - Close - - src/app/components/document-detail/document-detail.component.html - 44 - - Close - - - Details - - src/app/components/document-detail/document-detail.component.html - 56 - - Details - - - Content - - src/app/components/document-detail/document-detail.component.html - 72 - - Content - - - Metadata - - src/app/components/document-detail/document-detail.component.html - 81 - - Metadata - - - Discard - - src/app/components/document-detail/document-detail.component.html - 130 - - Discard - - - Save - - src/app/components/document-detail/document-detail.component.html - 132 - - Save - - - Page - - src/app/components/document-detail/document-detail.component.html - 4 - - Page - - - of - - src/app/components/document-detail/document-detail.component.html - 8 - - of - - - Download original - - src/app/components/document-detail/document-detail.component.html - 29 - - Download original - - - Archive serial number - - src/app/components/document-detail/document-detail.component.html - 60 - - Archive serial number - - - Date created - - src/app/components/document-detail/document-detail.component.html - 61 - - Date created - - - Date modified - - src/app/components/document-detail/document-detail.component.html - 87 - - Date modified - - - Date added - - src/app/components/document-detail/document-detail.component.html - 91 - - Date added - - - Media filename - - src/app/components/document-detail/document-detail.component.html - 95 - - Media filename - - - Original MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 99 - - Original MD5 checksum - - - Original file size - - src/app/components/document-detail/document-detail.component.html - 103 - - Original file size - - - Original mime type - - src/app/components/document-detail/document-detail.component.html - 107 - - Original mime type - - - Archive MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 111 - - Archive MD5 checksum - - - Archive file size - - src/app/components/document-detail/document-detail.component.html - 115 - - Archive file size - - - Original document metadata - - src/app/components/document-detail/document-detail.component.html - 121 - - Original document metadata - - - Archived document metadata - - src/app/components/document-detail/document-detail.component.html - 122 - - Archived document metadata - - - Save & next - - src/app/components/document-detail/document-detail.component.html - 131 - - Save & next - - - Hello , welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 33 - - Hello , welcome to Paperless-ngx! - - - Welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 35 - - Welcome to Paperless-ngx! - - - Dashboard - - src/app/components/dashboard/dashboard.component.html - 1 - - Dashboard - - - Do you really want to delete the tag ""? - - src/app/components/manage/tag-list/tag-list.component.ts - 26 - - Do you really want to delete the tag ""? - - - Tags - - src/app/components/manage/tag-list/tag-list.component.html - 1 - - Tags - - - Create - - src/app/components/manage/tag-list/tag-list.component.html - 2 - - Create - - - Filter by: - - src/app/components/manage/tag-list/tag-list.component.html - 8 - - Filter by: - - - Name - - src/app/components/manage/tag-list/tag-list.component.html - 9 - - Name - - - Color - - src/app/components/manage/tag-list/tag-list.component.html - 20 - - Color - - - Matching - - src/app/components/manage/tag-list/tag-list.component.html - 21 - - Matching - - - Document count - - src/app/components/manage/tag-list/tag-list.component.html - 22 - - Document count - - - Actions - - src/app/components/manage/tag-list/tag-list.component.html - 23 - - Actions - - - Documents - - src/app/components/manage/tag-list/tag-list.component.html - 38 - - Documents - - - Edit - - src/app/components/manage/tag-list/tag-list.component.html - 43 - - Edit - - - Do you really want to delete the document type ""? - - src/app/components/manage/document-type-list/document-type-list.component.ts - 26 - - Do you really want to delete the document type ""? - - - Document types - - src/app/components/manage/document-type-list/document-type-list.component.html - 1 - - Document types - - - Logs - - src/app/components/manage/logs/logs.component.html - 1 - - Logs - - - Saved view "" deleted. - - src/app/components/manage/settings/settings.component.ts - 68 - - Saved view "" deleted. - - - Settings saved successfully. - - src/app/components/manage/settings/settings.component.ts - 89 - - Settings saved successfully. - - - Use system language - - src/app/components/manage/settings/settings.component.ts - 94 - - Use system language - - - Use date format of display language - - src/app/components/manage/settings/settings.component.ts - 100 - - Use date format of display language - - - Error while storing settings on server: - - src/app/components/manage/settings/settings.component.ts - 117 - - Error while storing settings on server: - - - Settings - - src/app/components/manage/settings/settings.component.html - 1 - - Settings - - - General settings - - src/app/components/manage/settings/settings.component.html - 10 - - General settings - - - Notifications - - src/app/components/manage/settings/settings.component.html - 116 - - Notifications - - - Saved views - - src/app/components/manage/settings/settings.component.html - 134 - - Saved views - - - Appearance - - src/app/components/manage/settings/settings.component.html - 13 - - Appearance - - - Display language - - src/app/components/manage/settings/settings.component.html - 17 - - Display language - - - You need to reload the page after applying a new language. - - src/app/components/manage/settings/settings.component.html - 25 - - You need to reload the page after applying a new language. - - - Date display - - src/app/components/manage/settings/settings.component.html - 32 - - Date display - - - Date format - - src/app/components/manage/settings/settings.component.html - 45 - - Date format - - - Short: - - src/app/components/manage/settings/settings.component.html - 51 - - Short: - - - Medium: - - src/app/components/manage/settings/settings.component.html - 55 - - Medium: - - - Long: - - src/app/components/manage/settings/settings.component.html - 59 - - Long: - - - Items per page - - src/app/components/manage/settings/settings.component.html - 67 - - Items per page - - - Document editor - - src/app/components/manage/settings/settings.component.html - 83 - - Document editor - - - Use PDF viewer provided by the browser - - src/app/components/manage/settings/settings.component.html - 87 - - Use PDF viewer provided by the browser - - - This is usually faster for displaying large PDF documents, but it might not work on some browsers. - - src/app/components/manage/settings/settings.component.html - 87 - - This is usually faster for displaying large PDF documents, but it might not work on some browsers. - - - Dark mode - - src/app/components/manage/settings/settings.component.html - 94 - - Dark mode - - - Use system settings - - src/app/components/manage/settings/settings.component.html - 97 - - Use system settings - - - Enable dark mode - - src/app/components/manage/settings/settings.component.html - 98 - - Enable dark mode - - - Invert thumbnails in dark mode - - src/app/components/manage/settings/settings.component.html - 99 - - Invert thumbnails in dark mode - - - Bulk editing - - src/app/components/manage/settings/settings.component.html - 103 - - Bulk editing - - - Show confirmation dialogs - - src/app/components/manage/settings/settings.component.html - 107 - - Show confirmation dialogs - - - Deleting documents will always ask for confirmation. - - src/app/components/manage/settings/settings.component.html - 107 - - Deleting documents will always ask for confirmation. - - - Apply on close - - src/app/components/manage/settings/settings.component.html - 108 - - Apply on close - - - Document processing - - src/app/components/manage/settings/settings.component.html - 119 - - Document processing - - - Show notifications when new documents are detected - - src/app/components/manage/settings/settings.component.html - 123 - - Show notifications when new documents are detected - - - Show notifications when document processing completes successfully - - src/app/components/manage/settings/settings.component.html - 124 - - Show notifications when document processing completes successfully - - - Show notifications when document processing fails - - src/app/components/manage/settings/settings.component.html - 125 - - Show notifications when document processing fails - - - Suppress notifications on dashboard - - src/app/components/manage/settings/settings.component.html - 126 - - Suppress notifications on dashboard - - - This will suppress all messages about document processing status on the dashboard. - - src/app/components/manage/settings/settings.component.html - 126 - - This will suppress all messages about document processing status on the dashboard. - - - Appears on - - src/app/components/manage/settings/settings.component.html - 146 - - Appears on - - - Show on dashboard - - src/app/components/manage/settings/settings.component.html - 149 - - Show on dashboard - - - Show in sidebar - - src/app/components/manage/settings/settings.component.html - 153 - - Show in sidebar - - - No saved views defined. - - src/app/components/manage/settings/settings.component.html - 163 - - No saved views defined. - - - 404 Not Found - - src/app/components/not-found/not-found.component.html - 7 - - 404 Not Found - - - Do you really want to delete the correspondent ""? - - src/app/components/manage/correspondent-list/correspondent-list.component.ts - 26 - - Do you really want to delete the correspondent ""? - - - Correspondents - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 1 - - Correspondents - - - Last correspondence - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 22 - - Last correspondence - - - Confirmation - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 17 - - Confirmation - - - Confirm - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 29 - - Confirm - - - Cancel - - src/app/components/common/confirm-dialog/confirm-dialog.component.html - 12 - - Cancel - - - Create new correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 21 - - Create new correspondent - - - Edit correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 25 - - Edit correspondent - - - Matching algorithm - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 10 - - Matching algorithm - - - Matching pattern - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 11 - - Matching pattern - - - Case insensitive - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 12 - - Case insensitive - - - Create new tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 22 - - Create new tag - - - Edit tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 26 - - Edit tag - - - Inbox tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Inbox tag - - - Inbox tags are automatically assigned to all consumed documents. - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Inbox tags are automatically assigned to all consumed documents. - - - Create new document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 21 - - Create new document type - - - Edit document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 25 - - Edit document type - - - Search results - - src/app/components/search/search.component.html - 1 - - Search results - - - Invalid search query: - - src/app/components/search/search.component.html - 4 - - Invalid search query: - - - Showing documents similar to - - src/app/components/search/search.component.html - 7 - - Showing documents similar to - - - Search query: - - src/app/components/search/search.component.html - 11 - - Search query: - - - Did you mean ""? - - src/app/components/search/search.component.html - 13 - - Did you mean ""? - - - {VAR_PLURAL, plural, =0 {No results} =1 {One result} other { results}} - - src/app/components/search/search.component.html - 18 - - {VAR_PLURAL, plural, =0 {No results} =1 {One result} other { results}} - - - Paperless-ngx - - src/app/components/app-frame/app-frame.component.html - 11 - - app title - Paperless-ngx - - - Search documents - - src/app/components/app-frame/app-frame.component.html - 15 - - Search documents - - - Logout - - src/app/components/app-frame/app-frame.component.html - 45 - - Logout - - - Manage - - src/app/components/app-frame/app-frame.component.html - 112 - - Manage - - - Admin - - src/app/components/app-frame/app-frame.component.html - 154 - - Admin - - - Info - - src/app/components/app-frame/app-frame.component.html - 160 - - Info - - - Documentation - - src/app/components/app-frame/app-frame.component.html - 167 - - Documentation - - - GitHub - - src/app/components/app-frame/app-frame.component.html - 175 - - GitHub - - - Suggest an idea - - src/app/components/app-frame/app-frame.component.html - 181 - - Suggest an idea - - - Logged in as - - src/app/components/app-frame/app-frame.component.html - 34 - - Logged in as - - - Open documents - - src/app/components/app-frame/app-frame.component.html - 87 - - Open documents - - - Close all - - src/app/components/app-frame/app-frame.component.html - 106 - - Close all - - - Title - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 73 - - Title - - - Title & content - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 74 - - Title & content - - - Correspondent: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 32 - - Correspondent: - - - Without correspondent - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 34 - - Without correspondent - - - Type: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 39 - - Type: - - - Without document type - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 41 - - Without document type - - - Tag: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 45 - - Tag: - - - Without any tag - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 49 - - Without any tag - - - Title: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 53 - - Title: - - - Filter tags - - src/app/components/document-list/filter-editor/filter-editor.component.html - 20 - - Filter tags - - - Filter correspondents - - src/app/components/document-list/filter-editor/filter-editor.component.html - 28 - - Filter correspondents - - - Filter document types - - src/app/components/document-list/filter-editor/filter-editor.component.html - 35 - - Filter document types - - - Reset filters - - src/app/components/document-list/filter-editor/filter-editor.component.html - 58 - - Reset filters - - - Not assigned - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.ts - 166 - - Filter drop down element to filter for documents with no correspondent/type/tag assigned - Not assigned - - - Apply - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.html - 26 - - Apply - - - Last 7 days - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 34 - - Last 7 days - - - Last month - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 35 - - Last month - - - Last 3 months - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 36 - - Last 3 months - - - Last year - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 37 - - Last year - - - After - - src/app/components/common/date-dropdown/date-dropdown.component.html - 13 - - After - - - Before - - src/app/components/common/date-dropdown/date-dropdown.component.html - 38 - - Before - - - Clear - - src/app/components/common/date-dropdown/date-dropdown.component.html - 18 - - Clear - - - View - - src/app/components/document-list/document-card-large/document-card-large.component.html - 50 - - View - - - Created: - - src/app/components/document-list/document-card-large/document-card-large.component.html - 67 - - Created: - - - Filter by correspondent - - src/app/components/document-list/document-card-large/document-card-large.component.html - 20 - - Filter by correspondent - - - Filter by tag - - src/app/components/document-list/document-card-large/document-card-large.component.html - 24 - - Filter by tag - - - Score: - - src/app/components/document-list/document-card-large/document-card-large.component.html - 62 - - Score: - - - View in browser - - src/app/components/document-list/document-card-small/document-card-small.component.html - 40 - - View in browser - - - Error executing bulk operation: - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 74 - - Error executing bulk operation: - - - "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 113 - - "" - - - "" and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 115 - - This is for messages like 'modify "tag1" and "tag2"' - "" and "" - - - , - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 117 - - this is used to separate enumerations and should probably be a comma and a whitespace in most languages - , - - - and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 118 - - this is for messages like 'modify "tag1", "tag2" and "tag3"' - and "" - - - Confirm tags assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 127 - - Confirm tags assignment - - - This operation will add the tag "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 130 - - This operation will add the tag "" to selected document(s). - - - This operation will add the tags to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 132 - - This operation will add the tags to selected document(s). - - - This operation will remove the tag "" from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 135 - - This operation will remove the tag "" from selected document(s). - - - This operation will remove the tags from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 137 - - This operation will remove the tags from selected document(s). - - - This operation will add the tags and remove the tags on selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 139 - - This operation will add the tags and remove the tags on selected document(s). - - - Confirm correspondent assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 159 - - Confirm correspondent assignment - - - This operation will assign the correspondent "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 161 - - This operation will assign the correspondent "" to selected document(s). - - - This operation will remove the correspondent from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 163 - - This operation will remove the correspondent from selected document(s). - - - Confirm document type assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 182 - - Confirm document type assignment - - - This operation will assign the document type "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 184 - - This operation will assign the document type "" to selected document(s). - - - This operation will remove the document type from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 186 - - This operation will remove the document type from selected document(s). - - - Delete confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 201 - - Delete confirm - - - This operation will permanently delete selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 202 - - This operation will permanently delete selected document(s). - - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 203 - - This operation cannot be undone. - - - Delete document(s) - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 205 - - Delete document(s) - - - Select: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 10 - - Select: - - - All - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 20 - - All - - - Edit: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 27 - - Edit: - - - Download originals - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 68 - - Download originals - - - Suggestions: - - src/app/components/common/input/select/select.component.html - 26 - - Suggestions: - - - Save current view - - src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html - 3 - - Save current view - - - Show all - - src/app/components/dashboard/widgets/saved-view-widget/saved-view-widget.component.html - 3 - - Show all - - - Statistics - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 1 - - Statistics - - - Total documents: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 4 - - Total documents: - - - Documents in inbox: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 3 - - Documents in inbox: - - - Processing: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 32 - - Processing: - - - Failed: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 35 - - Failed: - - - Added: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 38 - - Added: - - - Connecting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 118 - - Connecting... - - - Uploading... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 123 - - Uploading... - - - Upload complete, waiting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 126 - - Upload complete, waiting... - - - HTTP error: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 136 - - HTTP error: - - - Upload new documents - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 1 - - Upload new documents - - - Drop documents here or - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Drop documents here or - - - Browse files - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Browse files - - - Dismiss completed - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 4 - - This button dismisses all status messages about processed documents on the dashboard (failed and successful) - Dismiss completed - - - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 25 - - This is shown as a summary line when there are more than 5 document in the processing pipeline. - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} - - - Open document - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 45 - - Open document - - - First steps - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 1 - - First steps - - - Paperless is running! :) - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 5 - - Paperless is running! :) - - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 6,7 - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - - Paperless offers some more features that try to make your life easier: - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 8 - - Paperless offers some more features that try to make your life easier: - - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 10 - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. - - - You can configure paperless to read your mails and add documents from attached files. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 11 - - You can configure paperless to read your mails and add documents from attached files. - - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 13 - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - - Metadata - - src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts - 18 - - Metadata - - - Select - - src/app/components/common/select-dialog/select-dialog.component.ts - 18 - - Select - - - Please select an object - - src/app/components/common/select-dialog/select-dialog.component.ts - 21 - - Please select an object - - - Invalid date. - - src/app/components/common/input/date/date.component.html - 14 - - Invalid date. - - - Yes - - src/app/pipes/yes-no.pipe.ts - 9 - - Yes - - - No - - src/app/pipes/yes-no.pipe.ts - 9 - - No - - - (no title) - - src/app/pipes/document-title.pipe.ts - 12 - - (no title) - - - English (US) - - src/app/services/settings.service.ts - 90 - - English (US) - - - English (GB) - - src/app/services/settings.service.ts - 91 - - English (GB) - - - German - - src/app/services/settings.service.ts - 92 - - German - - - Dutch - - src/app/services/settings.service.ts - 93 - - Dutch - - - French - - src/app/services/settings.service.ts - 94 - - French - - - Portuguese (Brazil) - - src/app/services/settings.service.ts - 95 - - Portuguese (Brazil) - - - Italian - - src/app/services/settings.service.ts - 96 - - Italian - - - Romanian - - src/app/services/settings.service.ts - 97 - - Romanian - - - Russian - - src/app/services/settings.service.ts - 98 - - Russian - - - ISO 8601 - - src/app/services/settings.service.ts - 103 - - ISO 8601 - - - Document already exists. - - src/app/services/consumer-status.service.ts - 15 - - Document already exists. - - - File not found. - - src/app/services/consumer-status.service.ts - 16 - - File not found. - - - Pre-consume script does not exist. - - src/app/services/consumer-status.service.ts - 17 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Pre-consume script does not exist. - - - Error while executing pre-consume script. - - src/app/services/consumer-status.service.ts - 18 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing pre-consume script. - - - Post-consume script does not exist. - - src/app/services/consumer-status.service.ts - 19 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Post-consume script does not exist. - - - Error while executing post-consume script. - - src/app/services/consumer-status.service.ts - 20 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing post-consume script. - - - Received new file. - - src/app/services/consumer-status.service.ts - 21 - - Received new file. - - - File type not supported. - - src/app/services/consumer-status.service.ts - 22 - - File type not supported. - - - Processing document... - - src/app/services/consumer-status.service.ts - 23 - - Processing document... - - - Generating thumbnail... - - src/app/services/consumer-status.service.ts - 24 - - Generating thumbnail... - - - Retrieving date from document... - - src/app/services/consumer-status.service.ts - 25 - - Retrieving date from document... - - - Saving document... - - src/app/services/consumer-status.service.ts - 26 - - Saving document... - - - Finished. - - src/app/services/consumer-status.service.ts - 27 - - Finished. - - - Error - - src/app/services/toast.service.ts - 35 - - Error - - - Information - - src/app/services/toast.service.ts - 39 - - Information - - - ASN - - src/app/services/rest/document.service.ts - 17 - - ASN - - - Correspondent - - src/app/services/rest/document.service.ts - 18 - - Correspondent - - - Document type - - src/app/services/rest/document.service.ts - 20 - - Document type - - - Created - - src/app/services/rest/document.service.ts - 21 - - Created - - - Added - - src/app/services/rest/document.service.ts - 22 - - Added - - - Modified - - src/app/services/rest/document.service.ts - 23 - - Modified - - - Create new item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 50 - - Create new item - - - Edit item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 54 - - Edit item - - - Could not save element: - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 58 - - Could not save element: - - - Automatic - - src/app/components/manage/generic-list/generic-list.component.ts - 39 - - Automatic - - - Do you really want to delete this element? - - src/app/components/manage/generic-list/generic-list.component.ts - 97 - - Do you really want to delete this element? - - - Associated documents will not be deleted. - - src/app/components/manage/generic-list/generic-list.component.ts - 104 - - Associated documents will not be deleted. - - - Delete - - src/app/components/manage/generic-list/generic-list.component.ts - 106 - - Delete - - - Error while deleting element: - - src/app/components/manage/generic-list/generic-list.component.ts - 114 - - Error while deleting element: - - - Any word - - src/app/data/matching-model.ts - 12 - - Any word - - - Any: Document contains any of these words (space separated) - - src/app/data/matching-model.ts - 12 - - Any: Document contains any of these words (space separated) - - - All words - - src/app/data/matching-model.ts - 13 - - All words - - - All: Document contains all of these words (space separated) - - src/app/data/matching-model.ts - 13 - - All: Document contains all of these words (space separated) - - - Exact match - - src/app/data/matching-model.ts - 14 - - Exact match - - - Exact: Document contains this string - - src/app/data/matching-model.ts - 14 - - Exact: Document contains this string - - - Regular expression - - src/app/data/matching-model.ts - 15 - - Regular expression - - - Regular expression: Document matches this regular expression - - src/app/data/matching-model.ts - 15 - - Regular expression: Document matches this regular expression - - - Fuzzy word - - src/app/data/matching-model.ts - 16 - - Fuzzy word - - - Fuzzy: Document contains a word similar to this word - - src/app/data/matching-model.ts - 16 - - Fuzzy: Document contains a word similar to this word - - - Auto: Learn matching automatically - - src/app/data/matching-model.ts - 17 - - Auto: Learn matching automatically - - - - diff --git a/src-ui/src/locale/messages.lb_LU.xlf b/src-ui/src/locale/messages.lb_LU.xlf index ae2b98eb5..14ffe837c 100644 --- a/src-ui/src/locale/messages.lb_LU.xlf +++ b/src-ui/src/locale/messages.lb_LU.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Stonnen erofsetzen @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Minutten erhéijen @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Minutten erofsetzen @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Gespäichert Usiichten @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Späicheren @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Dokument mat ASN gëtt gesicht + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Läschen @@ -1537,11 +1581,23 @@ Original eroflueden + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Zoumaachen @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Zréck @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Weider @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Detailer @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Archiv-Seriennummer @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Erstellungsdatum @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Virdefinéiert @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Inhalt @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Verännert um @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Dobäigesat um @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Dateinumm vum Mediefichier + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 MD5-Préifzomm vum Original @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Dateigréisst vum Original @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Urspréngleche MIME-Typ @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 MD5-Préifzomm vum Archiv @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Archiv-Dateigréisst @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Metadate vum Original-Dokument @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Metadate vum Archiv-Dokument @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Passwuert aginn + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Verwerfen @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Späicheren a weider @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Wëllt Dir d'Dokument "" wierklech läschen? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 D'Fichiere fir dëst Dokument gi permanent geläscht. Dës Operatioun kann net réckgängeg gemaach ginn. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Dokument läschen @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Feeler beim Läsche vum Dokument: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Dës Operatioun kann net réckgängeg gemaach ginn. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ Dës Operatioun wäert ausgewielt Dokument(er) permanent läschen. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Dës Operatioun kann net réckgängeg gemaach ginn. - Delete document(s) @@ -2159,14 +2279,6 @@ Dokument(er) läschen - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Usiicht "" gouf erfollegräich gespäichert. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Vue "" gouf erfollegräich erstallt. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 An der Säiteleescht uweisen @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Op der Startsäit uweisen @@ -3083,11 +3187,19 @@ Späichere beim Zoumaachen + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notifikatiounen @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Dokumenteveraarbechtung @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Notifikatiounen uweise wann nei Dokumenter detektéiert ginn @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Notifikatiounen uweise wann d'Dokumentveraarbechtung erfollegräich ofgeschloss ass @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Notifikatiounen uweise wann d'Dokumenteveraarbechtung feelschléit @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Notifikatiounen op der Startsäit ënnerdrécken @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Doduerch ginn all Messagen iwwer Dokumenteveraarbechtung op der Startsäit ënnerdréckt. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Erschéngt op @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Keng gespäichert Usiicht definéiert. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Gespäichert Usiicht "" geläscht. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Astellunge gespäichert @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Astellungen erfollegräich gespäichert. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Astellungen erfollegräich gespäichert. Nei lueden ass néideg fir verschidden Ännerungen ze applizéieren. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Elo nei lueden @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Systemsprooch benotzen @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Datumsformat vun der Sprooch vum Interface notzen @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3501,6 +3613,14 @@ Auto: Zouweisung automatesch léieren + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Ongespäichert Ännerungen @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Dir hutt ongespäichert Ännerungen. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 Et ginn ongespäichert Ännerungen um Dokument @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Sidd Dir sécher datt Dir dëst Dokument zoumaache wëllt? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Dokument zoumaachen @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Sidd Dir sécher datt Dir all Dokumenter zoumaache wëllt? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Dokument zoumaachen diff --git a/src-ui/src/locale/messages.nb_NO.xlf b/src-ui/src/locale/messages.nb_NO.xlf deleted file mode 100644 index 138d342f4..000000000 --- a/src-ui/src/locale/messages.nb_NO.xlf +++ /dev/null @@ -1,2340 +0,0 @@ - - - - - - Document added - - src/app/app.component.ts - 51 - - Dokument lagt til - - - Document was added to paperless. - - src/app/app.component.ts - 51 - - Dokumentet er lagt til i Paperless. - - - Open document - - src/app/app.component.ts - 51 - - Åpne dokumentet - - - Could not add : - - src/app/app.component.ts - 59 - - Kunne ikke legge til : - - - New document detected - - src/app/app.component.ts - 65 - - Nytt dokument funnet - - - Document is being processed by paperless. - - src/app/app.component.ts - 65 - - Dokument behandles av Paperless. - - - Documents - - src/app/components/document-list/document-list.component.ts - 51 - - Dokumenter - - - View "" saved successfully. - - src/app/components/document-list/document-list.component.ts - 116 - - Visningen "" er lagret. - - - View "" created successfully. - - src/app/components/document-list/document-list.component.ts - 138 - - Visningen "" er opprettet. - - - Select - - src/app/components/document-list/document-list.component.html - 7 - - Marker - - - Select none - - src/app/components/document-list/document-list.component.html - 10 - - Fjern markering - - - Select page - - src/app/components/document-list/document-list.component.html - 11 - - Marker siden - - - Select all - - src/app/components/document-list/document-list.component.html - 12 - - Marker alle - - - Sort - - src/app/components/document-list/document-list.component.html - 39 - - Sorter - - - Views - - src/app/components/document-list/document-list.component.html - 64 - - Visninger - - - Save as... - - src/app/components/document-list/document-list.component.html - 72 - - Lagre som... - - - Save "" - - src/app/components/document-list/document-list.component.html - 71 - - Lagre "" - - - {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} - - src/app/components/document-list/document-list.component.html - 85 - - {VAR_PLURAL, plural, one {} =1 {Markert av 1 dokument} other {Markert av dokumenter}} - - - {VAR_PLURAL, plural, =1 {One document} other { documents}} - - src/app/components/document-list/document-list.component.html - 86 - - {VAR_PLURAL, plural, one {} =1 {Ett dokument} other { dokumenter}} - - - (filtered) - - src/app/components/document-list/document-list.component.html - 86 - - (filtrert) - - - ASN - - src/app/components/document-list/document-list.component.html - 111 - - ASN - - - Correspondent - - src/app/components/document-list/document-list.component.html - 117 - - Korrespondent - - - Title - - src/app/components/document-list/document-list.component.html - 123 - - Tittel - - - Document type - - src/app/components/document-list/document-list.component.html - 129 - - Dokumenttype - - - Created - - src/app/components/document-list/document-list.component.html - 135 - - Opprettet - - - Added - - src/app/components/document-list/document-list.component.html - 141 - - Lagt til - - - Confirm delete - - src/app/components/document-detail/document-detail.component.ts - 206 - - Bekreft sletting - - - Do you really want to delete document ""? - - src/app/components/document-detail/document-detail.component.ts - 207 - - Er du sikker på at du vil slette dokumentet ""? - - - The files for this document will be deleted permanently. This operation cannot be undone. - - src/app/components/document-detail/document-detail.component.ts - 208 - - Dokumentet og tilhørende filer vil bli slettet permanent. Dette kan ikke angres. - - - Delete document - - src/app/components/document-detail/document-detail.component.ts - 210 - - Slett dokumentet - - - Error deleting document: - - src/app/components/document-detail/document-detail.component.ts - 217 - - Feil ved sletting av dokument: - - - Delete - - src/app/components/document-detail/document-detail.component.html - 15 - - Slett - - - Download - - src/app/components/document-detail/document-detail.component.html - 23 - - Last ned - - - More like this - - src/app/components/document-detail/document-detail.component.html - 38 - - Lignende dokumenter - - - Close - - src/app/components/document-detail/document-detail.component.html - 44 - - Lukk - - - Details - - src/app/components/document-detail/document-detail.component.html - 56 - - Detaljer - - - Content - - src/app/components/document-detail/document-detail.component.html - 72 - - Innhold - - - Metadata - - src/app/components/document-detail/document-detail.component.html - 81 - - Metadata - - - Discard - - src/app/components/document-detail/document-detail.component.html - 130 - - Forkast - - - Save - - src/app/components/document-detail/document-detail.component.html - 132 - - Lagre - - - Page - - src/app/components/document-detail/document-detail.component.html - 4 - - Side - - - of - - src/app/components/document-detail/document-detail.component.html - 8 - - av - - - Download original - - src/app/components/document-detail/document-detail.component.html - 29 - - Last ned originalen - - - Archive serial number - - src/app/components/document-detail/document-detail.component.html - 60 - - Arkivert serienummer - - - Date created - - src/app/components/document-detail/document-detail.component.html - 61 - - Dato opprettet - - - Date modified - - src/app/components/document-detail/document-detail.component.html - 87 - - Dato endret - - - Date added - - src/app/components/document-detail/document-detail.component.html - 91 - - Dato lagt til - - - Media filename - - src/app/components/document-detail/document-detail.component.html - 95 - - Filnavn på disk - - - Original MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 99 - - Opprinnelig MD5-sjekksum - - - Original file size - - src/app/components/document-detail/document-detail.component.html - 103 - - Opprinnelig filstørrelse - - - Original mime type - - src/app/components/document-detail/document-detail.component.html - 107 - - Opprinnelig mime-type - - - Archive MD5 checksum - - src/app/components/document-detail/document-detail.component.html - 111 - - Arkivets MD5-sjekksum - - - Archive file size - - src/app/components/document-detail/document-detail.component.html - 115 - - Arkivets filstørrelse - - - Original document metadata - - src/app/components/document-detail/document-detail.component.html - 121 - - Opprinnelig dokumentmetadata - - - Archived document metadata - - src/app/components/document-detail/document-detail.component.html - 122 - - Arkivert dokumentmetadata - - - Save & next - - src/app/components/document-detail/document-detail.component.html - 131 - - Lagre & gå til neste - - - Hello , welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 33 - - Hei , velkommen til Paperless-ngx! - - - Welcome to Paperless-ngx! - - src/app/components/dashboard/dashboard.component.ts - 35 - - Velkommen til Paperless-ngx! - - - Dashboard - - src/app/components/dashboard/dashboard.component.html - 1 - - Dashbord - - - Do you really want to delete the tag ""? - - src/app/components/manage/tag-list/tag-list.component.ts - 26 - - Er du sikker på at du vil slette taggen ""? - - - Tags - - src/app/components/manage/tag-list/tag-list.component.html - 1 - - Tagger - - - Create - - src/app/components/manage/tag-list/tag-list.component.html - 2 - - Opprett - - - Filter by: - - src/app/components/manage/tag-list/tag-list.component.html - 8 - - Filtrer etter: - - - Name - - src/app/components/manage/tag-list/tag-list.component.html - 9 - - Navn - - - Color - - src/app/components/manage/tag-list/tag-list.component.html - 20 - - Farge - - - Matching - - src/app/components/manage/tag-list/tag-list.component.html - 21 - - Matcher med - - - Document count - - src/app/components/manage/tag-list/tag-list.component.html - 22 - - Antall dokumenter - - - Actions - - src/app/components/manage/tag-list/tag-list.component.html - 23 - - Handlinger - - - Documents - - src/app/components/manage/tag-list/tag-list.component.html - 38 - - Dokumenter - - - Edit - - src/app/components/manage/tag-list/tag-list.component.html - 43 - - Rediger - - - Do you really want to delete the document type ""? - - src/app/components/manage/document-type-list/document-type-list.component.ts - 26 - - Er du sikker på at du vil slette dokumenttypen ""? - - - Document types - - src/app/components/manage/document-type-list/document-type-list.component.html - 1 - - Dokumenttyper - - - Logs - - src/app/components/manage/logs/logs.component.html - 1 - - Logger - - - Saved view "" deleted. - - src/app/components/manage/settings/settings.component.ts - 68 - - Den lagrede visningen "" er slettet. - - - Settings saved successfully. - - src/app/components/manage/settings/settings.component.ts - 89 - - Innstillingene er lagret. - - - Use system language - - src/app/components/manage/settings/settings.component.ts - 94 - - Bruk systemspråket - - - Use date format of display language - - src/app/components/manage/settings/settings.component.ts - 100 - - Bruk datoformat for visningsspråk - - - Error while storing settings on server: - - src/app/components/manage/settings/settings.component.ts - 117 - - Feil ved lagring av innstillinger på serveren: - - - Settings - - src/app/components/manage/settings/settings.component.html - 1 - - Innstillinger - - - General settings - - src/app/components/manage/settings/settings.component.html - 10 - - Generelle innstillinger - - - Notifications - - src/app/components/manage/settings/settings.component.html - 116 - - Varsler - - - Saved views - - src/app/components/manage/settings/settings.component.html - 134 - - Lagrede visninger - - - Appearance - - src/app/components/manage/settings/settings.component.html - 13 - - Utseende - - - Display language - - src/app/components/manage/settings/settings.component.html - 17 - - Visnings språk - - - You need to reload the page after applying a new language. - - src/app/components/manage/settings/settings.component.html - 25 - - Du må laste siden på nytt etter endring av språk. - - - Date display - - src/app/components/manage/settings/settings.component.html - 32 - - Datovisning - - - Date format - - src/app/components/manage/settings/settings.component.html - 45 - - Datoformat - - - Short: - - src/app/components/manage/settings/settings.component.html - 51 - - Kort: - - - Medium: - - src/app/components/manage/settings/settings.component.html - 55 - - Middels: - - - Long: - - src/app/components/manage/settings/settings.component.html - 59 - - Lang: - - - Items per page - - src/app/components/manage/settings/settings.component.html - 67 - - Elementer per side - - - Document editor - - src/app/components/manage/settings/settings.component.html - 83 - - Dokument editor - - - Use PDF viewer provided by the browser - - src/app/components/manage/settings/settings.component.html - 87 - - Bruk PDF-leser fra nettleseren - - - This is usually faster for displaying large PDF documents, but it might not work on some browsers. - - src/app/components/manage/settings/settings.component.html - 87 - - Dette er vanligvis raskere for å vise store PDF-dokumenter, men det kan være noen nettlesere det ikke fungerer i. - - - Dark mode - - src/app/components/manage/settings/settings.component.html - 94 - - Dark mode - - - Use system settings - - src/app/components/manage/settings/settings.component.html - 97 - - Bruk systeminnstillingene - - - Enable dark mode - - src/app/components/manage/settings/settings.component.html - 98 - - Aktiver dark mode - - - Invert thumbnails in dark mode - - src/app/components/manage/settings/settings.component.html - 99 - - Inverter miniatyrbilder i dark mode - - - Bulk editing - - src/app/components/manage/settings/settings.component.html - 103 - - Bulk-redigering - - - Show confirmation dialogs - - src/app/components/manage/settings/settings.component.html - 107 - - Vis bekreftelsesdialoger - - - Deleting documents will always ask for confirmation. - - src/app/components/manage/settings/settings.component.html - 107 - - Sletting av dokumenter kommer alltid til å be om bekreftelse. - - - Apply on close - - src/app/components/manage/settings/settings.component.html - 108 - - Ta i bruk ved lukking - - - Document processing - - src/app/components/manage/settings/settings.component.html - 119 - - Dokumentbehandling - - - Show notifications when new documents are detected - - src/app/components/manage/settings/settings.component.html - 123 - - Vis varsler når nye dokumenter oppdages - - - Show notifications when document processing completes successfully - - src/app/components/manage/settings/settings.component.html - 124 - - Vis varsler når dokumentbehandlinger er fullført - - - Show notifications when document processing fails - - src/app/components/manage/settings/settings.component.html - 125 - - Vis varsler når dokumentbehandlinger mislykkes - - - Suppress notifications on dashboard - - src/app/components/manage/settings/settings.component.html - 126 - - Skjul varsel på dashbordet - - - This will suppress all messages about document processing status on the dashboard. - - src/app/components/manage/settings/settings.component.html - 126 - - Dette vil skjule alle meldinger om dokumentbehandlings status på dashbordet. - - - Appears on - - src/app/components/manage/settings/settings.component.html - 146 - - Vises på - - - Show on dashboard - - src/app/components/manage/settings/settings.component.html - 149 - - Vis på dashbordet - - - Show in sidebar - - src/app/components/manage/settings/settings.component.html - 153 - - Vis i sidepanelet - - - No saved views defined. - - src/app/components/manage/settings/settings.component.html - 163 - - Det finnes ingen lagrede visninger. - - - 404 Not Found - - src/app/components/not-found/not-found.component.html - 7 - - 404 Ikke funnet - - - Do you really want to delete the correspondent ""? - - src/app/components/manage/correspondent-list/correspondent-list.component.ts - 26 - - Ønsker du virkelig å slette korrespondenten ""? - - - Correspondents - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 1 - - Korrespondenter - - - Last correspondence - - src/app/components/manage/correspondent-list/correspondent-list.component.html - 22 - - Siste korrespondanse - - - Confirmation - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 17 - - Bekreftelse - - - Confirm - - src/app/components/common/confirm-dialog/confirm-dialog.component.ts - 29 - - Bekreft - - - Cancel - - src/app/components/common/confirm-dialog/confirm-dialog.component.html - 12 - - Avbryt - - - Create new correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 21 - - Opprett ny korrespondent - - - Edit correspondent - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 25 - - Rediger korrespondent - - - Matching algorithm - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 10 - - Matche-algoritme - - - Matching pattern - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 11 - - Matche-mønster - - - Case insensitive - - src/app/components/manage/correspondent-list/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 12 - - Se bort ifra store og små bokstaver - - - Create new tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 22 - - Opprett ny tagg - - - Edit tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.ts - 26 - - Rediger tagg - - - Inbox tag - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Innboks-tagg - - - Inbox tags are automatically assigned to all consumed documents. - - src/app/components/manage/tag-list/tag-edit-dialog/tag-edit-dialog.component.html - 13 - - Innboks-tagger blir automatisk tildelt alle dokumenter som blir behandlet. - - - Create new document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 21 - - Opprett ny dokumenttype - - - Edit document type - - src/app/components/manage/document-type-list/document-type-edit-dialog/document-type-edit-dialog.component.ts - 25 - - Rediger dokumenttype - - - Paperless-ngx - - src/app/components/app-frame/app-frame.component.html - 11 - - app title - Paperless-ngx - - - Search documents - - src/app/components/app-frame/app-frame.component.html - 15 - - Søk i dokumenter - - - Logout - - src/app/components/app-frame/app-frame.component.html - 45 - - Logg ut - - - Manage - - src/app/components/app-frame/app-frame.component.html - 112 - - Administrer - - - Admin - - src/app/components/app-frame/app-frame.component.html - 154 - - Admin - - - Info - - src/app/components/app-frame/app-frame.component.html - 160 - - Info - - - Documentation - - src/app/components/app-frame/app-frame.component.html - 167 - - Dokumentasjon - - - GitHub - - src/app/components/app-frame/app-frame.component.html - 175 - - GitHub - - - Suggest an idea - - src/app/components/app-frame/app-frame.component.html - 181 - - Foreslå en idé - - - Logged in as - - src/app/components/app-frame/app-frame.component.html - 34 - - Innlogget som - - - Open documents - - src/app/components/app-frame/app-frame.component.html - 87 - - Åpne Dokumenter - - - Close all - - src/app/components/app-frame/app-frame.component.html - 106 - - Lukk alle - - - Correspondent: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 37 - - Korrespondent: - - - Without correspondent - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 39 - - Uten korrespondent - - - Type: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 44 - - Type: - - - Without document type - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 46 - - Uten dokumenttype - - - Tag: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 50 - - Tagg: - - - Without any tag - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 54 - - Har ingen tagger - - - Title: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 58 - - Tittel: - - - ASN: - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 61 - - ASN: - - - Title - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 88 - - Tittel - - - Title & content - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 89 - - Tittel & innhold - - - ASN - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 90 - - ASN - - - Advanced search - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 91 - - Avansert søk - - - More like - - src/app/components/document-list/filter-editor/filter-editor.component.ts - 94 - - Lignende - - - Filter tags - - src/app/components/document-list/filter-editor/filter-editor.component.html - 19 - - Filtrer tagger - - - Filter correspondents - - src/app/components/document-list/filter-editor/filter-editor.component.html - 27 - - Filtrer korrespondenter - - - Filter document types - - src/app/components/document-list/filter-editor/filter-editor.component.html - 34 - - Filtrer dokumenttyper - - - Reset filters - - src/app/components/document-list/filter-editor/filter-editor.component.html - 57 - - Tilbakestill filtre - - - Not assigned - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.ts - 166 - - Filter drop down element to filter for documents with no correspondent/type/tag assigned - Ikke tildelt - - - Apply - - src/app/components/common/filterable-dropdown/filterable-dropdown.component.html - 26 - - Bruk - - - Last 7 days - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 34 - - Siste 7 dager - - - Last month - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 35 - - Siste måned - - - Last 3 months - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 36 - - Siste 3 måneder - - - Last year - - src/app/components/common/date-dropdown/date-dropdown.component.ts - 37 - - I fjor - - - After - - src/app/components/common/date-dropdown/date-dropdown.component.html - 13 - - Etter - - - Before - - src/app/components/common/date-dropdown/date-dropdown.component.html - 38 - - Før - - - Clear - - src/app/components/common/date-dropdown/date-dropdown.component.html - 18 - - Nullstill - - - View - - src/app/components/document-list/document-card-large/document-card-large.component.html - 51 - - Vis - - - Filter by correspondent - - src/app/components/document-list/document-card-large/document-card-large.component.html - 20 - - Filtrer etter korrespondent - - - Filter by tag - - src/app/components/document-list/document-card-large/document-card-large.component.html - 24 - - Filtrer etter tagger - - - Score: - - src/app/components/document-list/document-card-large/document-card-large.component.html - 87 - - Relevans: - - - Created: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 43 - - Opprettet: - - - Added: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 44 - - Lagt til: - - - Modified: - - src/app/components/document-list/document-card-small/document-card-small.component.html - 45 - - Endret: - - - Error executing bulk operation: - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 74 - - Feil under kjøring av bulkoperasjon: - - - "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 113 - - "" - - - "" and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 115 - - This is for messages like 'modify "tag1" and "tag2"' - "" og "" - - - , - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 117 - - this is used to separate enumerations and should probably be a comma and a whitespace in most languages - , - - - and "" - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 118 - - this is for messages like 'modify "tag1", "tag2" and "tag3"' - og "" - - - Confirm tags assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 127 - - Bekreft tildeling av tagger - - - This operation will add the tag "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 130 - - Denne operasjonen vil legge til taggen "" til markerte dokumenter. - - - This operation will add the tags to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 132 - - Denne operasjonen vil legge til taggene "" til markerte dokumenter. - - - This operation will remove the tag "" from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 135 - - Denne handlingen vil fjerne taggen "" fra markerte dokumenter. - - - This operation will remove the tags from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 137 - - Denne handlingen vil fjerne taggene "" fra markerte dokumenter. - - - This operation will add the tags and remove the tags on selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 139 - - Denne operasjonen vil legge til taggene og fjerne taggene markerte dokumenter. - - - Confirm correspondent assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 159 - - Bekreft korrespondent tildeling - - - This operation will assign the correspondent "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 161 - - Denne operasjonen vil tildele korrespondenten "" til markerte dokumenter. - - - This operation will remove the correspondent from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 163 - - Denne operasjonen vil fjerne korrespondenten fra markerte dokumenter. - - - Confirm document type assignment - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 182 - - Bekreft tildeling av dokumenttype - - - This operation will assign the document type "" to selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 184 - - Denne operasjonen vil tildele dokumenttypen "" til markerte dokumenter. - - - This operation will remove the document type from selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 186 - - Denne operasjonen vil fjerne dokumenttypen fra markerte dokumenter. - - - Delete confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 201 - - Bekreft sletting - - - This operation will permanently delete selected document(s). - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 202 - - Denne operasjonen vil permanent slette markerte dokumenter. - - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 203 - - Denne handlingen kan ikke angres. - - - Delete document(s) - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 205 - - Slett dokument(er) - - - Select: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 10 - - Marker: - - - All - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 20 - - Alle - - - Edit: - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 27 - - Rediger: - - - Download originals - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 68 - - Last ned originaler - - - Add item - - src/app/components/common/input/select/select.component.html - 11 - - Used for both types and correspondents - Legg til element - - - Suggestions: - - src/app/components/common/input/select/select.component.html - 31 - - Forslag: - - - Save current view - - src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html - 3 - - Lagre nåværende visning - - - Add tag - - src/app/components/common/input/tags/tags.component.html - 11 - - Legg til tagg - - - Show all - - src/app/components/dashboard/widgets/saved-view-widget/saved-view-widget.component.html - 3 - - Vis alle - - - Statistics - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 1 - - Statistikk - - - Total documents: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 4 - - Totalt antall dokumenter: - - - Documents in inbox: - - src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html - 3 - - Dokumenter i innboks: - - - Processing: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 32 - - Behandler: - - - Failed: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 35 - - Feilet: - - - Added: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 38 - - Lagt til: - - - Connecting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 118 - - Kobler til... - - - Uploading... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 123 - - Laster opp... - - - Upload complete, waiting... - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 126 - - Opplasting fullført, venter... - - - HTTP error: - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 136 - - HTTP feil: - - - Upload new documents - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 1 - - Last opp nye dokumenter - - - Drop documents here or - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Slipp dokumenter her eller - - - Browse files - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 13 - - Bla gjennom filer - - - Dismiss completed - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 4 - - This button dismisses all status messages about processed documents on the dashboard (failed and successful) - Fjern fullførte - - - {VAR_PLURAL, plural, =1 {One more document} other { more documents}} - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 25 - - This is shown as a summary line when there are more than 5 document in the processing pipeline. - {VAR_PLURAL, plural, =1 {Ett dokument til} other { dokumenter til}} - - - Open document - - src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 45 - - Åpne dokumentet - - - First steps - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 1 - - De første stegene - - - Paperless is running! :) - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 5 - - Paperless kjører! :) - - - You can start uploading documents by dropping them in the file upload box to the right or by dropping them in the configured consumption folder and they'll start showing up in the documents list. After you've added some metadata to your documents, use the filtering mechanisms of paperless to create custom views (such as 'Recently added', 'Tagged TODO') and they will appear on the dashboard instead of this message. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 6,7 - - Du kan begynne å laste opp dokumenter ved å slippe dem i filopplastingsboksen til høyre eller ved å slippe dem i den konfigurerte behandlingsmappen, så vil de etterhvert vises i dokumentlisten. Etter at du har lagt til metadata til dokumentene dine, så kan du bruke filtreringsmekanismene i Paperless til å opprette egendefinerte visninger (som 'nylig lagt til', 'Tagget TODO') og de vil vises på dashbordet i stedet for denne meldingen. - - - Paperless offers some more features that try to make your life easier: - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 8 - - Paperless tilbyr flere funksjoner som prøver å gjøre livet ditt lettere: - - - Once you've got a couple documents in paperless and added metadata to them, paperless can assign that metadata to new documents automatically. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 10 - - Når du har lagt til noen dokumenter i Paperless og lagt til metadata til dem, kan Paperless tilordne denne metadataen til nye dokumenter automatisk. - - - You can configure paperless to read your mails and add documents from attached files. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 11 - - Du kan konfigurere Paperless til å lese e-postene dine og legge til dokumenter fra vedlagte filer. - - - Consult the documentation on how to use these features. The section on basic usage also has some information on how to use paperless in general. - - src/app/components/dashboard/widgets/welcome-widget/welcome-widget.component.html - 13 - - Se gjennom dokumentasjonen om hvordan du bruker disse funksjonene. Seksjonen om grunnleggende bruk har også litt informasjon om hvordan man bruker Paperless generelt. - - - Metadata - - src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts - 18 - - Metadata - - - Select - - src/app/components/common/select-dialog/select-dialog.component.ts - 18 - - Marker - - - Please select an object - - src/app/components/common/select-dialog/select-dialog.component.ts - 21 - - Velg et objekt - - - Invalid date. - - src/app/components/common/input/date/date.component.html - 14 - - Ugyldig dato. - - - Searching document with asn - - src/app/components/document-asn/document-asn.component.html - 1 - - Søker etter dokument med ASN - - - Yes - - src/app/pipes/yes-no.pipe.ts - 9 - - Ja - - - No - - src/app/pipes/yes-no.pipe.ts - 9 - - Nei - - - (no title) - - src/app/pipes/document-title.pipe.ts - 12 - - (ingen tittel) - - - English (US) - - src/app/services/settings.service.ts - 90 - - Engelsk (US) - - - English (GB) - - src/app/services/settings.service.ts - 91 - - Engelsk (GB) - - - German - - src/app/services/settings.service.ts - 92 - - Tysk - - - Dutch - - src/app/services/settings.service.ts - 93 - - Nederlandsk - - - French - - src/app/services/settings.service.ts - 94 - - Fransk - - - Portuguese - - src/app/services/settings.service.ts - 95 - - Portuguese - - - Portuguese (Brazil) - - src/app/services/settings.service.ts - 96 - - Portugisisk (Brasil) - - - Italian - - src/app/services/settings.service.ts - 97 - - Italiensk - - - Romanian - - src/app/services/settings.service.ts - 98 - - Rumensk - - - Russian - - src/app/services/settings.service.ts - 99 - - Russisk - - - Spanish - - src/app/services/settings.service.ts - 100 - - Spansk - - - Polish - - src/app/services/settings.service.ts - 101 - - Polsk - - - Swedish - - src/app/services/settings.service.ts - 102 - - Svensk - - - ISO 8601 - - src/app/services/settings.service.ts - 107 - - ISO 8601 - - - Document already exists. - - src/app/services/consumer-status.service.ts - 15 - - Dokumentet finnes allerede. - - - File not found. - - src/app/services/consumer-status.service.ts - 16 - - Finner ikke filen. - - - Pre-consume script does not exist. - - src/app/services/consumer-status.service.ts - 17 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Før-behandlings skript finnes ikke. - - - Error while executing pre-consume script. - - src/app/services/consumer-status.service.ts - 18 - - Pre-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Feil under kjøring av før-behandlings skript. - - - Post-consume script does not exist. - - src/app/services/consumer-status.service.ts - 19 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Etter-behandlings skript finnes ikke. - - - Error while executing post-consume script. - - src/app/services/consumer-status.service.ts - 20 - - Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Feil under kjøring av etter-behandlings skript. - - - Received new file. - - src/app/services/consumer-status.service.ts - 21 - - Mottatt ny fil. - - - File type not supported. - - src/app/services/consumer-status.service.ts - 22 - - Filtypen støttes ikke. - - - Processing document... - - src/app/services/consumer-status.service.ts - 23 - - Behandler dokument... - - - Generating thumbnail... - - src/app/services/consumer-status.service.ts - 24 - - Lager miniatyrbilde... - - - Retrieving date from document... - - src/app/services/consumer-status.service.ts - 25 - - Henter dato fra dokumentet... - - - Saving document... - - src/app/services/consumer-status.service.ts - 26 - - Lagrer dokument... - - - Finished. - - src/app/services/consumer-status.service.ts - 27 - - Fullført. - - - Error - - src/app/services/toast.service.ts - 35 - - Feil - - - Information - - src/app/services/toast.service.ts - 39 - - Informasjon - - - Correspondent - - src/app/services/rest/document.service.ts - 18 - - Korrespondent - - - Document type - - src/app/services/rest/document.service.ts - 20 - - Dokumenttype - - - Created - - src/app/services/rest/document.service.ts - 21 - - Opprettet - - - Added - - src/app/services/rest/document.service.ts - 22 - - Lagt til - - - Modified - - src/app/services/rest/document.service.ts - 23 - - Endret - - - Search score - - src/app/services/rest/document.service.ts - 28 - - Score is a value returned by the full text search engine and specifies how well a result matches the given query - Relevans - - - Create new item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 50 - - Lag nytt element - - - Edit item - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 54 - - Rediger element - - - Could not save element: - - src/app/components/common/edit-dialog/edit-dialog.component.ts - 58 - - Kunne ikke lagre elementet: - - - Automatic - - src/app/components/manage/generic-list/generic-list.component.ts - 39 - - Automatisk - - - Do you really want to delete this element? - - src/app/components/manage/generic-list/generic-list.component.ts - 97 - - Er du sikker på at du vil slette dette elementet? - - - Associated documents will not be deleted. - - src/app/components/manage/generic-list/generic-list.component.ts - 104 - - Tilknyttede dokumenter vil ikke bli slettet. - - - Delete - - src/app/components/manage/generic-list/generic-list.component.ts - 106 - - Slett - - - Error while deleting element: - - src/app/components/manage/generic-list/generic-list.component.ts - 114 - - Feil under sletting av element: - - - Any word - - src/app/data/matching-model.ts - 12 - - Ett av ordene - - - Any: Document contains any of these words (space separated) - - src/app/data/matching-model.ts - 12 - - En av: Dokumentet inneholder en av disse ordene (mellomrom som er atskilt) - - - All words - - src/app/data/matching-model.ts - 13 - - Alle ord - - - All: Document contains all of these words (space separated) - - src/app/data/matching-model.ts - 13 - - Alle: Dokumentet inneholder alle disse ordene (separert med mellomrom) - - - Exact match - - src/app/data/matching-model.ts - 14 - - Eksakt match - - - Exact: Document contains this string - - src/app/data/matching-model.ts - 14 - - Eksakt: Dokumentet inneholder denne strengen - - - Regular expression - - src/app/data/matching-model.ts - 15 - - Regular expression - - - Regular expression: Document matches this regular expression - - src/app/data/matching-model.ts - 15 - - Regular expression: Dokumentet matcher denne regular expression - - - Fuzzy word - - src/app/data/matching-model.ts - 16 - - Fuzzy ord - - - Fuzzy: Document contains a word similar to this word - - src/app/data/matching-model.ts - 16 - - Fuzzy: Dokumentet inneholder et ord som ligner på dette ordet - - - Auto: Learn matching automatically - - src/app/data/matching-model.ts - 17 - - Auto: Lær å matche automatisk - - - - diff --git a/src-ui/src/locale/messages.nl_NL.xlf b/src-ui/src/locale/messages.nl_NL.xlf index f66f5298b..4e781c7cb 100644 --- a/src-ui/src/locale/messages.nl_NL.xlf +++ b/src-ui/src/locale/messages.nl_NL.xlf @@ -8,7 +8,7 @@ node_modules/src/alert/alert.ts 42,44 - Close + Sluiten Slide of @@ -25,7 +25,7 @@ node_modules/src/carousel/carousel.ts 188,191 - Previous + Vorige Next @@ -33,7 +33,7 @@ node_modules/src/carousel/carousel.ts 209,211 - Next + Volgende Select month @@ -45,7 +45,7 @@ node_modules/src/datepicker/datepicker-navigation-select.ts 41,42 - Select month + Maand selecteren Select year @@ -57,7 +57,7 @@ node_modules/src/datepicker/datepicker-navigation-select.ts 41,42 - Select year + Jaar selecteren Previous month @@ -69,7 +69,7 @@ node_modules/src/datepicker/datepicker-navigation.ts 43,46 - Previous month + Vorige maand Next month @@ -81,7 +81,7 @@ node_modules/src/datepicker/datepicker-navigation.ts 43,46 - Next month + Volgende maand «« @@ -121,7 +121,7 @@ node_modules/src/pagination/pagination.ts 224,226 - First + Eerste Previous @@ -129,7 +129,7 @@ node_modules/src/pagination/pagination.ts 224,226 - Previous + Vorige Next @@ -137,7 +137,7 @@ node_modules/src/pagination/pagination.ts 224,225 - Next + Volgende Last @@ -145,7 +145,7 @@ node_modules/src/pagination/pagination.ts 224,225 - Last + Laatste @@ -171,7 +171,7 @@ node_modules/src/timepicker/timepicker.ts 161 - Hours + Uren MM @@ -187,7 +187,7 @@ node_modules/src/timepicker/timepicker.ts 199 - Minutes + Minuten Increment hours @@ -195,31 +195,31 @@ node_modules/src/timepicker/timepicker.ts 218,219 - Increment hours + Uren verhogen Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 - Decrement hours + Uren verlagen Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 - Increment minutes + Minuten verhogen Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 - Decrement minutes + Minuten verlagen SS @@ -235,7 +235,7 @@ node_modules/src/timepicker/timepicker.ts 295 - Seconds + Seconden Increment seconds @@ -243,7 +243,7 @@ node_modules/src/timepicker/timepicker.ts 295 - Increment seconds + Seconden verhogen Decrement seconds @@ -251,7 +251,7 @@ node_modules/src/timepicker/timepicker.ts 295 - Decrement seconds + Seconden verlagen @@ -277,7 +277,7 @@ node_modules/src/toast/toast.ts 70,71 - Close + Sluiten Drop files to begin upload @@ -285,7 +285,7 @@ src/app/app.component.html 7 - Drop files to begin upload + Plaats hier bestanden om uploaden te beginnen Document added @@ -345,7 +345,7 @@ src/app/app.component.ts 146 - Initiating upload... + Upload starten... Paperless-ngx @@ -370,7 +370,7 @@ src/app/components/app-frame/app-frame.component.html 34 - Logged in as + Ingelogd als Settings @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Opgeslagen views @@ -514,7 +514,7 @@ src/app/components/app-frame/app-frame.component.html 141 - Storage paths + Opslag paden File Tasks @@ -522,7 +522,7 @@ src/app/components/app-frame/app-frame.component.html 148 - File Tasks + Bestandstaken Logs @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -586,7 +590,7 @@ src/app/components/app-frame/app-frame.component.html 205 - is available. + is beschikbaar. Click to view. @@ -594,7 +598,7 @@ src/app/components/app-frame/app-frame.component.html 205 - Click to view. + Klik om te bekijken. Checking for updates is disabled. @@ -602,7 +606,7 @@ src/app/components/app-frame/app-frame.component.html 208 - Checking for updates is disabled. + Controleren op updates is uitgeschakeld. Click for more information. @@ -610,7 +614,7 @@ src/app/components/app-frame/app-frame.component.html 208 - Click for more information. + Klik voor meer informatie. Update available @@ -618,7 +622,7 @@ src/app/components/app-frame/app-frame.component.html 216 - Update available + Update beschikbaar Cancel @@ -626,7 +630,7 @@ src/app/components/common/confirm-dialog/confirm-dialog.component.html 12 - Cancel + Annuleren Confirmation @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Opslaan @@ -982,7 +986,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 35 - Path + Pad e.g. @@ -990,7 +994,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 25 - e.g. + bijv. or use slashes to add directories e.g. @@ -998,7 +1002,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 27 - or use slashes to add directories e.g. + of gebruik slashes om mappen toe te voegen, bijv. See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. @@ -1006,7 +1010,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 29 - See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. + Zie <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentatie</a> voor volledige lijst. Create new storage path @@ -1014,7 +1018,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 34 - Create new storage path + Nieuw opslag pad maken Edit storage path @@ -1022,7 +1026,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 38 - Edit storage path + Opslag pad bewerken Color @@ -1086,7 +1090,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 23 - Any + Alle Apply @@ -1204,7 +1208,7 @@ src/app/components/dashboard/dashboard.component.ts 19 - Hello , welcome to Paperless-ngx! + Hallo , welkom bij Paperless-ngx! Welcome to Paperless-ngx! @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Document zoeken met asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Opmerking toevoegen + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Voer een opmerking in. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Commentaar invoeren + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Fout bij opslaan reactie: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Verwijderen @@ -1537,11 +1581,23 @@ Download origineel + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + OCR opnieuw uitvoeren + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Sluiten @@ -1561,23 +1617,23 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 - Previous + Vorige Next src/app/components/document-detail/document-detail.component.html - 49 + 55 - Next + Volgende Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Details @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Archief serienummer @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Aanmaakdatum @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1663,21 +1719,21 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 44 - Storage path + Opslag pad Default src/app/components/document-detail/document-detail.component.html - 77 + 83 - Default + Standaard Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Inhoud @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Wijzigingsdatum @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Datum toegevoegd @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Media bestandsnaam + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Originele bestandsnaam + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Originele MD5 checksum @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Originele bestandsgrootte @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Oorspronkelijke mime-type @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Archief MD5 checksum @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Archief bestandsgrootte @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Originele document metadata @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Gearchiveerde document metadata @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 - Enter Password + Wachtwoord invoeren + + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Negeren @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Opslaan & volgende @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Wilt u het document echt verwijderen ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 De bestanden voor dit document worden definitief verwijderd. Deze bewerking kan niet ongedaan worden gemaakt. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Verwijder document @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Fout bij het verwijderen van het document: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Deze actie kan niet ongedaan worden gemaakt. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ geselecteerd(e) document(en) zullen permanent worden verwijderd. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Deze actie kan niet ongedaan worden gemaakt. - Delete document(s) @@ -2159,14 +2279,6 @@ Verwijder document(en) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 View "" met succes opgeslagen. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 View "" met succes gemaakt. @@ -2605,7 +2709,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 164 - equals + gelijk aan is empty @@ -2613,7 +2717,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 168 - is empty + is leeg is not empty @@ -2621,7 +2725,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 172 - is not empty + is niet leeg greater than @@ -2629,7 +2733,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 176 - greater than + groter dan less than @@ -2637,7 +2741,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 180 - less than + kleiner dan Save current view @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Toon in de zijbalk @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Toon op het dashboard @@ -2905,7 +3009,7 @@ src/app/components/manage/settings/settings.component.html 10 - General + Algemeen Appearance @@ -3049,7 +3153,7 @@ src/app/components/manage/settings/settings.component.html 114 - Reset + Resetten Bulk editing @@ -3083,11 +3187,19 @@ Toepassen bij het sluiten + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Meldingen @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Verwerking van documenten @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Toon meldingen wanneer nieuwe documenten worden gedetecteerd @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Toon een melding wanneer documenten met succes zijn verwerkt @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Toon meldingen wanneer het verwerken van documenten faalt @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Onderdruk meldingen op het dashboard @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Dit verbergt alle statusberichten op het dashboard die met het verwerken van documenten te maken hebben. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Komt voor bij @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Geen opgeslagen views gedefinieerd. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Opgeslagen view "" verwijderd. @@ -3167,23 +3279,23 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 - Settings saved + Instellingen opgeslagen Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 - Settings were saved successfully. + Instellingen zijn succesvol opgeslagen. Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Gebruik de systeemtaal @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Datumopmaak van weergavetaal gebruiken @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3257,7 +3369,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 30 - tag + label tags @@ -3265,7 +3377,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 31 - tags + labels Do you really want to delete the tag ""? @@ -3315,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + Resultaten click for full output @@ -3403,7 +3515,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - tasks? + taken? 404 Not Found @@ -3501,6 +3613,14 @@ Auto: Automatisch overeenkomsten aanleren + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Niet-opgeslagen wijzigingen @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 U heeft niet-opgeslagen wijzigingen. @@ -3681,15 +3801,15 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 - You have unsaved changes to the document + Je hebt niet opgeslagen wijzigingen in het document Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Weet u zeker dat u dit document wilt sluiten? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Sluit document @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Weet u zeker dat u alle documenten wilt sluiten? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Sluit documenten @@ -3748,7 +3868,7 @@ src/app/services/settings.service.ts 146 - Belarusian + Wit-Russisch Czech @@ -3868,7 +3988,7 @@ src/app/services/settings.service.ts 236 - Slovenian + Sloveens Serbian @@ -3876,7 +3996,7 @@ src/app/services/settings.service.ts 242 - Serbian + Servisch Swedish @@ -3892,7 +4012,7 @@ src/app/services/settings.service.ts 254 - Turkish + Turks Chinese Simplified diff --git a/src-ui/src/locale/messages.no_NO.xlf b/src-ui/src/locale/messages.no_NO.xlf index ac37aefd3..61c34a184 100644 --- a/src-ui/src/locale/messages.no_NO.xlf +++ b/src-ui/src/locale/messages.no_NO.xlf @@ -8,7 +8,7 @@ node_modules/src/alert/alert.ts 42,44 - Close + Lukk Slide of @@ -25,7 +25,7 @@ node_modules/src/carousel/carousel.ts 188,191 - Previous + Forrige Next @@ -33,7 +33,7 @@ node_modules/src/carousel/carousel.ts 209,211 - Next + Neste Select month @@ -45,7 +45,7 @@ node_modules/src/datepicker/datepicker-navigation-select.ts 41,42 - Select month + Velg en måned Select year @@ -57,7 +57,7 @@ node_modules/src/datepicker/datepicker-navigation-select.ts 41,42 - Select year + Velg år Previous month @@ -69,7 +69,7 @@ node_modules/src/datepicker/datepicker-navigation.ts 43,46 - Previous month + Forrige måned Next month @@ -81,7 +81,7 @@ node_modules/src/datepicker/datepicker-navigation.ts 43,46 - Next month + Neste måned «« @@ -89,7 +89,7 @@ node_modules/src/pagination/pagination.ts 224,225 - «« + «« « @@ -97,7 +97,7 @@ node_modules/src/pagination/pagination.ts 224,225 - « + « » @@ -105,7 +105,7 @@ node_modules/src/pagination/pagination.ts 224,225 - » + » »» @@ -113,7 +113,7 @@ node_modules/src/pagination/pagination.ts 224,225 - »» + »» First @@ -121,7 +121,7 @@ node_modules/src/pagination/pagination.ts 224,226 - First + Først Previous @@ -129,7 +129,7 @@ node_modules/src/pagination/pagination.ts 224,226 - Previous + Forrige Next @@ -155,7 +155,7 @@ node_modules/src/progressbar/progressbar.ts 23,26 - + HH @@ -163,7 +163,7 @@ node_modules/src/timepicker/timepicker.ts 138,141 - HH + HH Hours @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Reduksjon i timer @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Økende minutter @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Reduksjon i minutter @@ -243,7 +243,7 @@ node_modules/src/timepicker/timepicker.ts 295 - Increment seconds + Tilleggstid i sekund Decrement seconds @@ -251,7 +251,7 @@ node_modules/src/timepicker/timepicker.ts 295 - Decrement seconds + Reduksjon sekunder @@ -277,7 +277,7 @@ node_modules/src/toast/toast.ts 70,71 - Close + Lukk Drop files to begin upload @@ -285,7 +285,7 @@ src/app/app.component.html 7 - Drop files to begin upload + Slipp filer for å starte opplasting Document added @@ -301,7 +301,7 @@ src/app/app.component.ts 77 - Document was added to paperless. + Dokumentet ble lagt til papirløst. Open document @@ -329,7 +329,7 @@ src/app/app.component.ts 109 - New document detected + Nytt dokument oppdaget Document is being processed by paperless. @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Lagrede visninger @@ -570,15 +570,19 @@ src/app/components/app-frame/app-frame.component.html 190 - GitHub + GitHub Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 - Suggest an idea + Foreslå en idé is available. @@ -586,7 +590,7 @@ src/app/components/app-frame/app-frame.component.html 205 - is available. + er tilgjengelig. Click to view. @@ -594,7 +598,7 @@ src/app/components/app-frame/app-frame.component.html 205 - Click to view. + Klikk for å se. Checking for updates is disabled. @@ -602,7 +606,7 @@ src/app/components/app-frame/app-frame.component.html 208 - Checking for updates is disabled. + Å se etter oppdateringer er deaktivert. Click for more information. @@ -610,7 +614,7 @@ src/app/components/app-frame/app-frame.component.html 208 - Click for more information. + Klikk her for mer informasjon. Update available @@ -618,7 +622,7 @@ src/app/components/app-frame/app-frame.component.html 216 - Update available + Oppdatering er tilgjengelig Cancel @@ -634,7 +638,7 @@ src/app/components/common/confirm-dialog/confirm-dialog.component.ts 17 - Confirmation + Bekreftelse Confirm @@ -658,7 +662,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 344 - Confirm + Bekreft After @@ -666,7 +670,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.html 13 - After + Etter Clear @@ -678,7 +682,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.html 41 - Clear + Tøm Before @@ -686,7 +690,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.html 36 - Before + Før Last 7 days @@ -694,7 +698,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.ts 38 - Last 7 days + Siste 7 dager Last month @@ -702,7 +706,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.ts 39 - Last month + Forrige måned Last 3 months @@ -710,7 +714,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.ts 40 - Last 3 months + Siste 3 måneder Last year @@ -718,7 +722,7 @@ src/app/components/common/date-dropdown/date-dropdown.component.ts 41 - Last year + Siste år Name @@ -776,13 +780,13 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html 40 - Name + Navn Matching algorithm @@ -802,7 +806,7 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html 13 - Matching algorithm + Samsvarende algoritme Matching pattern @@ -822,7 +826,7 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html 14 - Matching pattern + Matchende mønster Case insensitive @@ -842,7 +846,7 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html 15 - Case insensitive + Skill mellom store og små bokstaver Cancel @@ -874,7 +878,7 @@ src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html 18 - Cancel + Avbryt Save @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,9 +908,9 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 - Save + Lagre Create new correspondent @@ -914,7 +918,7 @@ src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts 24 - Create new correspondent + Opprett ny korrespondent Edit correspondent @@ -922,7 +926,7 @@ src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts 28 - Edit correspondent + Rediger korrespondent Create new document type @@ -930,7 +934,7 @@ src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.ts 24 - Create new document type + Opprett ny dokumenttype Edit document type @@ -938,7 +942,7 @@ src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.ts 28 - Edit document type + Rediger dokumenttype Create new item @@ -946,7 +950,7 @@ src/app/components/common/edit-dialog/edit-dialog.component.ts 52 - Create new item + + Opprett produkt Edit item @@ -954,7 +958,7 @@ src/app/components/common/edit-dialog/edit-dialog.component.ts 56 - Edit item + Rediger produkt Could not save element: @@ -962,7 +966,7 @@ src/app/components/common/edit-dialog/edit-dialog.component.ts 60 - Could not save element: + Kunne ikke lagre elementet: Note that editing a path does not apply changes to stored files until you have run the 'document_renamer' utility. See the documentation. @@ -982,7 +986,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 35 - Path + Fil sti e.g. @@ -998,7 +1002,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 27 - or use slashes to add directories e.g. + eller bruk skråstreker for å legge til kataloger, f.eks. See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. @@ -1014,7 +1018,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 34 - Create new storage path + Lag ny lagringssti Edit storage path @@ -1022,7 +1026,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 38 - Edit storage path + Redigere lagringssti Color @@ -1078,7 +1082,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 20 - All + Alle Any @@ -1086,7 +1090,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 23 - Any + Enhver Apply @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Searching document with asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Slett @@ -1537,11 +1581,23 @@ Last ned original + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,55 +1609,55 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 - Close + Lukk Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 - Previous + Forrige Next src/app/components/document-detail/document-detail.component.html - 49 + 55 - Next + Neste Details src/app/components/document-detail/document-detail.component.html - 66 + 72 - Details + Detaljer Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 - Archive serial number + Arkiver serienummer Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 - Date created + Dato opprettet Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1619,13 +1675,13 @@ src/app/services/rest/document.service.ts 19 - Correspondent + Korrespondent Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1643,13 +1699,13 @@ src/app/services/rest/document.service.ts 21 - Document type + Dokument type Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1663,187 +1719,271 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 44 - Storage path + Lagringssti Default src/app/components/document-detail/document-detail.component.html - 77 + 83 - Default + Standard Content src/app/components/document-detail/document-detail.component.html - 84 + 90 - Content + Innhold Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts 17 - Metadata + Metadata Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 - Date modified + Dato Modofisert Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 - Date added + Dato lagt til Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 - Media filename + Media filnavn + + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 - Original MD5 checksum + Opprinnelig MD5-kontrollsum Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 - Original file size + Opprinnelig filstørrelse Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 - Original mime type + Opprinnelig mimetype Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 - Archive MD5 checksum + Arkiver MD5-sjekksum Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 - Archive file size + Arkivstørrelse Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 - Original document metadata + Opprinnelig dokumentmetadata Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 - Archived document metadata + Arkivert dokumentmetadata Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 - Enter Password + Skriv inn passord + + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 - Discard + Forkast Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 - Save & next + Lagre & Avslutt Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts 153 - Confirm delete + Bekreft sletting Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 - Do you really want to delete document ""? + Ønsker du virkelig å slette dokumentet ""? The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 - The files for this document will be deleted permanently. This operation cannot be undone. + Filene til dokumentet vil bli slettet permanent. Denne operasjonen kan ikke angres. Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 - Delete document + Slett dokument Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 - Error deleting document: + Feil ved sletting av dokument: + + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Gjenta OCR bekreft + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + Denne operasjonen vil permanent gjenta OCR for dette dokumentet. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Denne handlingen kan ikke angres. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Fortsett + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: Select: @@ -1851,7 +1991,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 10 - Select: + Velg: Edit: @@ -1859,7 +1999,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 27 - Edit: + Rediger: Filter tags @@ -1871,7 +2011,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 23 - Filter tags + Filtrer etter tagger Filter correspondents @@ -1883,7 +2023,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 31 - Filter correspondents + Filtrere korrespondenter Filter document types @@ -1895,7 +2035,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 38 - Filter document types + Filtrer dokumenttyper Filter storage paths @@ -1933,13 +2073,13 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html 44 - Actions + Handlinger Download Preparing download... @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -1983,7 +2115,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 177 - "" + "" "" and "" @@ -2009,7 +2141,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 198 - Confirm tags assignment + Bekreft tildeling av tagger This operation will add the tag "" to selected document(s). @@ -2033,7 +2165,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 217 - This operation will remove the tag "" from selected document(s). + Denne handlingen vil fjerne taggen "" fra valgte dokument(er). This operation will remove the tags from selected document(s). @@ -2057,7 +2189,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 265 - Confirm correspondent assignment + Bekreft korrespondent tildeling This operation will assign the correspondent "" to selected document(s). @@ -2081,7 +2213,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 301 - Confirm document type assignment + Bekreft tildeling av dokumenttype This operation will assign the document type "" to selected document(s). @@ -2105,7 +2237,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 337 - Confirm storage path assignment + Bekreft tildeling av lagringssti This operation will assign the storage path "" to selected document(s). @@ -2139,18 +2271,6 @@ This operation will permanently delete selected document(s). - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Denne handlingen kan ikke angres. - Delete document(s) @@ -2159,14 +2279,6 @@ Slett dokument(er) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2193,7 +2297,7 @@ src/app/components/document-list/document-list.component.html 171 - Filter by correspondent + Filtrer etter korrespondent Filter by tag @@ -2205,7 +2309,7 @@ src/app/components/document-list/document-list.component.html 176 - Filter by tag + Filtrer etter tagger Edit @@ -2269,7 +2373,7 @@ src/app/components/document-list/document-list.component.html 180 - Filter by document type + Filtrer etter dokumenttype Filter by storage path @@ -2325,7 +2429,7 @@ src/app/components/document-list/document-card-large/document-card-large.component.html 98 - Score: + Scoring: Toggle tag filter @@ -2333,7 +2437,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 14 - Toggle tag filter + Vis/skjul tagg-filter Toggle correspondent filter @@ -2341,7 +2445,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 24 - Toggle correspondent filter + Veksle tilsvarende filter Toggle document type filter @@ -2349,7 +2453,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 31 - Toggle document type filter + Veksle filter for dokumenttype Toggle storage path filter @@ -2357,7 +2461,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 38 - Toggle storage path filter + Veksle lagringsplass-filter Select none @@ -2405,7 +2509,7 @@ src/app/components/document-list/document-list.component.html 70 - Save "" + Lagre "" Save as... @@ -2437,7 +2541,7 @@ src/app/components/document-list/document-list.component.html 91 - (filtered) + (filtrert) Error while loading documents @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 View "" saved successfully. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 View "" created successfully. @@ -2509,7 +2613,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 71 - Reset filters + Tilbakestille filtre Correspondent: @@ -2525,7 +2629,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 76 - Without correspondent + Uten korrespondent Type: @@ -2541,7 +2645,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 85 - Without document type + Uten dokumenttype Tag: @@ -2557,7 +2661,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 95 - Without any tag + Uten noe tag Title: @@ -2589,7 +2693,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 139 - Advanced search + Avansert søk More like @@ -2597,7 +2701,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 145 - More like + Mer lik equals @@ -2605,7 +2709,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 164 - equals + er lik is empty @@ -2613,7 +2717,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 168 - is empty + er tom is not empty @@ -2621,7 +2725,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 172 - is not empty + er ikke tom greater than @@ -2629,7 +2733,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 176 - greater than + større enn less than @@ -2637,7 +2741,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 180 - less than + mindre enn Save current view @@ -2645,7 +2749,7 @@ src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html 3 - Save current view + Lagre gjeldende visning Show in sidebar @@ -2655,9 +2759,9 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 - Show in sidebar + Vis i sidestolpen Show on dashboard @@ -2667,9 +2771,9 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 - Show on dashboard + Vis på dashbordet Filter rules error occurred while saving this view @@ -2677,7 +2781,7 @@ src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html 12 - Filter rules error occurred while saving this view + Filterregel feil oppsto under lagring av denne visningen The error returned was @@ -2685,7 +2789,7 @@ src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html 13 - The error returned was + Felmelding som oppsto var correspondent @@ -2693,7 +2797,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 33 - correspondent + korrespondent correspondents @@ -2701,7 +2805,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 34 - correspondents + korrespondenter Last used @@ -2709,7 +2813,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 38 - Last used + Sist brukt Do you really want to delete the correspondent ""? @@ -2725,7 +2829,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 30 - document type + dokument type document types @@ -2733,7 +2837,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 31 - document types + dokumenttyper Do you really want to delete the document type ""? @@ -2741,7 +2845,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 37 - Do you really want to delete the document type ""? + Ønsker du virkelig å slette dokumenttype "? Create @@ -2761,7 +2865,7 @@ src/app/components/manage/management-list/management-list.component.html 2 - Create + Opprett Filter by: @@ -2801,7 +2905,7 @@ src/app/components/manage/management-list/management-list.component.html 20 - Matching + Samsvarende Document count @@ -2841,7 +2945,7 @@ src/app/components/manage/management-list/management-list.component.html 44 - Filter Documents + Filtrer dokumenter {VAR_PLURAL, plural, =1 {One } other { total }} @@ -2873,7 +2977,7 @@ src/app/data/matching-model.ts 38 - Automatic + Automatisk Do you really want to delete the ? @@ -2881,7 +2985,7 @@ src/app/components/manage/management-list/management-list.component.ts 140 - Do you really want to delete the ? + Ønsker du virkelig å slette dokumentet "? Associated documents will not be deleted. @@ -2889,7 +2993,7 @@ src/app/components/manage/management-list/management-list.component.ts 155 - Associated documents will not be deleted. + Tilknyttede dokumenter vil ikke bli slettet. Error while deleting element: @@ -2897,7 +3001,7 @@ src/app/components/manage/management-list/management-list.component.ts 168,170 - Error while deleting element: + Feil under sletting av element: General @@ -2905,7 +3009,7 @@ src/app/components/manage/settings/settings.component.html 10 - General + Generelt Appearance @@ -2913,7 +3017,7 @@ src/app/components/manage/settings/settings.component.html 13 - Appearance + Utseende Display language @@ -2921,7 +3025,7 @@ src/app/components/manage/settings/settings.component.html 17 - Display language + Visningsspråk You need to reload the page after applying a new language. @@ -2937,7 +3041,7 @@ src/app/components/manage/settings/settings.component.html 32 - Date display + Dato visning Date format @@ -2945,7 +3049,7 @@ src/app/components/manage/settings/settings.component.html 45 - Date format + Datoformat Short: @@ -2985,7 +3089,7 @@ src/app/components/manage/settings/settings.component.html 83 - Document editor + Dokument editor Use PDF viewer provided by the browser @@ -3025,7 +3129,7 @@ src/app/components/manage/settings/settings.component.html 98 - Enable dark mode + Aktiver mørk modus Invert thumbnails in dark mode @@ -3041,7 +3145,7 @@ src/app/components/manage/settings/settings.component.html 105 - Theme Color + Temafarge Reset @@ -3049,7 +3153,7 @@ src/app/components/manage/settings/settings.component.html 114 - Reset + Tilbakestill Bulk editing @@ -3057,7 +3161,7 @@ src/app/components/manage/settings/settings.component.html 119 - Bulk editing + Bulk redigering Show confirmation dialogs @@ -3081,21 +3185,29 @@ src/app/components/manage/settings/settings.component.html 124 - Apply on close + Bruk ved lukking + + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 - Notifications + Varsler Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Document processing @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Show notifications when new documents are detected @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Show notifications when document processing completes successfully @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Show notifications when document processing fails @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Suppress notifications on dashboard @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 This will suppress all messages about document processing status on the dashboard. @@ -3143,23 +3255,23 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 - Appears on + Vises på No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 - No saved views defined. + Ingen lagrede visninger definert. Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Saved view "" deleted. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,15 +3287,15 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 - Settings were saved successfully. + Innstillingene ble lagret. Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,39 +3303,39 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 - Reload now + Oppfrisk nå An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 - An error occurred while saving settings. + Det oppstod en feil under lagring av innstillingene. Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 - Use system language + Bruk systemspråk Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 - Use date format of display language + Bruk datoformat for visningsspråk Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3233,7 +3345,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 30 - storage path + lagringssti storage paths @@ -3241,7 +3353,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 31 - storage paths + lagringsstier Do you really want to delete the storage path ""? @@ -3249,7 +3361,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 45 - Do you really want to delete the storage path ""? + Ønsker du virkelig å slette lagringsstien ""? tag @@ -3257,7 +3369,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 30 - tag + tagg tags @@ -3265,7 +3377,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 31 - tags + tagger Do you really want to delete the tag ""? @@ -3273,7 +3385,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 46 - Do you really want to delete the tag ""? + Ønsker du virkelig å slette taggen ""? File Tasks @@ -3281,7 +3393,7 @@ src/app/components/manage/tasks/tasks.component.html 1 - File Tasks + Fil oppgaver Clear selection @@ -3289,7 +3401,7 @@ src/app/components/manage/tasks/tasks.component.html 6 - Clear selection + Nullstill valg @@ -3299,7 +3411,7 @@ src/app/components/manage/tasks/tasks.component.html 11 - + Refresh @@ -3307,7 +3419,7 @@ src/app/components/manage/tasks/tasks.component.html 20 - Refresh + Oppdater Results @@ -3315,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + Resultater click for full output @@ -3323,7 +3435,7 @@ src/app/components/manage/tasks/tasks.component.html 66 - click for full output + klikk for full utdata Dismiss @@ -3335,7 +3447,7 @@ src/app/components/manage/tasks/tasks.component.ts 54 - Dismiss + Avvis Failed  @@ -3375,7 +3487,7 @@ src/app/components/manage/tasks/tasks.component.ts 21 - Dismiss selected + Avvis valgte Dismiss all @@ -3387,7 +3499,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - Dismiss all + Avvis alle Confirm Dismiss All @@ -3395,7 +3507,7 @@ src/app/components/manage/tasks/tasks.component.ts 50 - Confirm Dismiss All + Bekreft avvisning av alle tasks? @@ -3403,7 +3515,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - tasks? + oppgaver? 404 Not Found @@ -3411,7 +3523,7 @@ src/app/components/not-found/not-found.component.html 7 - 404 Not Found + 404 ikke funnet Any word @@ -3419,7 +3531,7 @@ src/app/data/matching-model.ts 13 - Any word + Hvilket som helst ord Any: Document contains any of these words (space separated) @@ -3435,7 +3547,7 @@ src/app/data/matching-model.ts 18 - All words + Alle ord All: Document contains all of these words (space separated) @@ -3451,7 +3563,7 @@ src/app/data/matching-model.ts 23 - Exact match + Nøyaktig samsvar Exact: Document contains this string @@ -3501,6 +3613,14 @@ Auto: Learn matching automatically + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,13 +3629,13 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 - Unsaved Changes + Ulagrede endringer You have unsaved changes. @@ -3525,9 +3645,9 @@ src/app/services/open-documents.service.ts - 139 + 144 - You have unsaved changes. + Du har ulagrede endringer. Are you sure you want to leave? @@ -3535,7 +3655,7 @@ src/app/guards/dirty-form.guard.ts 20 - Are you sure you want to leave? + Er du sikker på at du vil forlate denne siden? Leave page @@ -3543,7 +3663,7 @@ src/app/guards/dirty-form.guard.ts 22 - Leave page + Forlat side (no title) @@ -3551,7 +3671,7 @@ src/app/pipes/document-title.pipe.ts 11 - (no title) + (Ingen tittel) Yes @@ -3559,7 +3679,7 @@ src/app/pipes/yes-no.pipe.ts 8 - Yes + Ja No @@ -3567,7 +3687,7 @@ src/app/pipes/yes-no.pipe.ts 8 - No + Nei Document already exists. @@ -3575,7 +3695,7 @@ src/app/services/consumer-status.service.ts 15 - Document already exists. + Dokumentet finnes allerede. File not found. @@ -3583,7 +3703,7 @@ src/app/services/consumer-status.service.ts 16 - File not found. + Finner ikke filen. Pre-consume script does not exist. @@ -3610,7 +3730,7 @@ 19 Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Post-consume script does not exist. + Innholdsskript finnes ikke. Error while executing post-consume script. @@ -3619,7 +3739,7 @@ 20 Post-Consume is a term that appears like that in the documentation as well and does not need a specific translation - Error while executing post-consume script. + Feil under kjøring av skript for postinnhold. Received new file. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,33 +3809,33 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 - Are you sure you want to close this document? + Er du sikker på at du vil lukke dette dokumentet? Close document src/app/services/open-documents.service.ts - 119 + 124 - Close document + Lukk dokument Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 - Are you sure you want to close all documents? + Er du sikker på at du vil lukke alle dokumenter? Close documents src/app/services/open-documents.service.ts - 142 + 147 - Close documents + Lukk dokument Modified @@ -3723,7 +3843,7 @@ src/app/services/rest/document.service.ts 24 - Modified + Endret Search score @@ -3732,7 +3852,7 @@ 31 Score is a value returned by the full text search engine and specifies how well a result matches the given query - Search score + Søk etter score English (US) @@ -3740,7 +3860,7 @@ src/app/services/settings.service.ts 140 - English (US) + English (US) Belarusian @@ -3748,7 +3868,7 @@ src/app/services/settings.service.ts 146 - Belarusian + Belarusian Czech @@ -3756,7 +3876,7 @@ src/app/services/settings.service.ts 152 - Czech + Czech Danish @@ -3764,7 +3884,7 @@ src/app/services/settings.service.ts 158 - Danish + Danish German @@ -3772,7 +3892,7 @@ src/app/services/settings.service.ts 164 - German + German English (GB) @@ -3780,7 +3900,7 @@ src/app/services/settings.service.ts 170 - English (GB) + English (GB) Spanish @@ -3788,7 +3908,7 @@ src/app/services/settings.service.ts 176 - Spanish + Spanish French @@ -3796,7 +3916,7 @@ src/app/services/settings.service.ts 182 - French + French Italian @@ -3804,7 +3924,7 @@ src/app/services/settings.service.ts 188 - Italian + Italian Luxembourgish @@ -3812,7 +3932,7 @@ src/app/services/settings.service.ts 194 - Luxembourgish + Luxembourgish Dutch @@ -3820,7 +3940,7 @@ src/app/services/settings.service.ts 200 - Dutch + Dutch Polish @@ -3828,7 +3948,7 @@ src/app/services/settings.service.ts 206 - Polish + Polish Portuguese (Brazil) @@ -3836,7 +3956,7 @@ src/app/services/settings.service.ts 212 - Portuguese (Brazil) + Portuguese (Brazil) Portuguese @@ -3844,7 +3964,7 @@ src/app/services/settings.service.ts 218 - Portuguese + Portuguese Romanian @@ -3852,7 +3972,7 @@ src/app/services/settings.service.ts 224 - Romanian + Romanian Russian @@ -3860,7 +3980,7 @@ src/app/services/settings.service.ts 230 - Russian + Russian Slovenian @@ -3868,7 +3988,7 @@ src/app/services/settings.service.ts 236 - Slovenian + Slovenian Serbian @@ -3876,7 +3996,7 @@ src/app/services/settings.service.ts 242 - Serbian + Serbian Swedish @@ -3884,7 +4004,7 @@ src/app/services/settings.service.ts 248 - Swedish + Swedish Turkish @@ -3892,7 +4012,7 @@ src/app/services/settings.service.ts 254 - Turkish + Turkish Chinese Simplified @@ -3900,7 +4020,7 @@ src/app/services/settings.service.ts 260 - Chinese Simplified + Kinesisk forenklet ISO 8601 @@ -3908,7 +4028,7 @@ src/app/services/settings.service.ts 277 - ISO 8601 + ISO 8601 Successfully completed one-time migratration of settings to the database! @@ -3916,7 +4036,7 @@ src/app/services/settings.service.ts 372 - Successfully completed one-time migratration of settings to the database! + Engangs migrering av innstillinger ble fullført til databasen! Unable to migrate settings to the database, please try saving manually. @@ -3924,7 +4044,7 @@ src/app/services/settings.service.ts 373 - Unable to migrate settings to the database, please try saving manually. + Kunne ikke overføre innstillinger til databasen, prøv å lagre manuelt. Error @@ -3932,7 +4052,7 @@ src/app/services/toast.service.ts 32 - Error + Feil Information @@ -3940,7 +4060,7 @@ src/app/services/toast.service.ts 36 - Information + Informasjon Connecting... @@ -3948,7 +4068,7 @@ src/app/services/upload-documents.service.ts 31 - Connecting... + Kobler til... Uploading... @@ -3956,7 +4076,7 @@ src/app/services/upload-documents.service.ts 43 - Uploading... + Laster opp... Upload complete, waiting... @@ -3964,7 +4084,7 @@ src/app/services/upload-documents.service.ts 46 - Upload complete, waiting... + Opplasting fullført, venter... HTTP error: @@ -3972,7 +4092,7 @@ src/app/services/upload-documents.service.ts 62 - HTTP error: + HTTP error: diff --git a/src-ui/src/locale/messages.pl_PL.xlf b/src-ui/src/locale/messages.pl_PL.xlf index 2fda1ab96..4e1d4a384 100644 --- a/src-ui/src/locale/messages.pl_PL.xlf +++ b/src-ui/src/locale/messages.pl_PL.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Redukcja godzin @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Przyrost minut @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Zmniejszenie minut @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Zapisane widoki @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Zapisz @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Wyszukiwanie dokumentu z ASN + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Usuń @@ -1537,11 +1581,23 @@ Pobierz oryginał + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Zamknij @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Poprzedni @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Następny @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Szczegóły @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Numer seryjny archiwum @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Data utworzenia @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Domyślne @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Zawartość @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Data modyfikacji @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Data dodania @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Nazwa pliku + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 MD5 - Suma kontrolna Oryginału @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Rozmiar oryginalnego pliku @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Typ mime oryginału @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Suma kontrolna archiwum @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Rozmiar pliku archiwalnego @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Metadane oryginalnego dokumentu @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Metadane zarchiwizowanego dokumentu @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Wprowadź hasło + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Zaniechaj @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Zapisz & następny @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Czy na pewno chcesz usunąć dokument""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Pliki tego dokumentu zostaną trwale usunięte. Tej operacji nie można cofnąć. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Usuń dokument @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Błąd podczas usuwania dokumentu: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Ta czynność nie może być cofnięta. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ Ta operacja trwale usunie zaznaczonych dokumentów. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Ta czynność nie może być cofnięta. - Delete document(s) @@ -2159,14 +2279,6 @@ Usuń dokument(y) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Widok "" został zapisany. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Widok "" został utworzony pomyślnie. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Pokaż w panelu bocznym @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Pokaż na pulpicie @@ -3083,11 +3187,19 @@ Zamknięcie zapisuje zmiany + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Powiadomienia @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Przetwarzanie dokumentów @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Pokaż powiadomienia, gdy zostaną wykryte nowe dokumenty @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Pokaż powiadomienia, gdy przetwarzanie dokumentu zakończy się pomyślnie @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Pokaż powiadomienia, gdy przetwarzanie dokumentu nie powiedzie się @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Wyłącz powiadomienia na pulpicie @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Wyłącz pokazywanie wszystkich wiadomości o statusie przetwarzania dokumentów na pulpicie. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Wyświetlanie @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Nie zdefiniowano zapisanych widoków. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Zapisany widok "" został usunięty. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Ustawienia zostały zapisane @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Ustawienia zapisane pomyślnie. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Ustawienia zostały pomyślnie zapisane. Przeładowanie jest wymagane do zastosowania zmian. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Załaduj ponownie @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 Wystąpił błąd podczas zapisywania ustawień. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Użyj języka systemowego @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Użyj formatu daty według wyświetlanego języka @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Błąd podczas zapisywania ustawień na serwerze: @@ -3501,6 +3613,14 @@ Auto: ucz się dopasowywać automatycznie + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Niezapisane zmiany @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Masz niezapisane zmiany. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 Masz niezapisane zmiany w dokumencie @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Czy na pewno chcesz zamknąć ten dokument? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Zamknij dokument @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Czy na pewno chcesz zamknąć wszystkie dokumenty? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Zamknij dokumenty diff --git a/src-ui/src/locale/messages.pt_BR.xlf b/src-ui/src/locale/messages.pt_BR.xlf index 3b90d2400..4d844f98a 100644 --- a/src-ui/src/locale/messages.pt_BR.xlf +++ b/src-ui/src/locale/messages.pt_BR.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Decrement hours @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Increment minutes @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Decrement minutes @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Visualizações @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Salvar @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Procurando documento com asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Excluir @@ -1537,11 +1581,23 @@ Baixar original + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Fechar @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Previous @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Next @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Detalhes @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Número de série de arquivamento @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Data de criação @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Default @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Conteúdo @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Data de modificação @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Data de adição @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Nome do arquivo + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Soma de verificação MD5 original @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Tamanho do arquivo original @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Tipo mime original @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Soma de verificação MD5 de arquivamento @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Tamanho arquivado @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Metadados do documento original @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Metadados do documento arquivado @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Enter Password + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Descartar @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Salvar & próximo @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Você realmente deseja excluir o documento ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Os arquivos desse documento serão excluídos permanentemente. Essa operação não pode ser revertida. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Excluir documento @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Erro ao excluir documento: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Essa operação não pode ser revertida. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ Essa operação irá excluir permanentemente documento(s) selecionado(s). - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Essa operação não pode ser revertida. - Delete document(s) @@ -2159,14 +2279,6 @@ Apagar documento(s) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Visualização "" salva com sucesso. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Visualização "" criada com sucesso. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Mostrar na navegação lateral @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Exibir no painel de controle @@ -3083,11 +3187,19 @@ Aplicar ao fechar + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notificações @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Processamento de documentos @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Exibir notificações quando novos documentos forem detectados @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Exibir notificações quando o processamento de um documento concluir com sucesso @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Exibir notificações quando o processamento de um documento falhar @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Não exibir notificações no painel de controle @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Isso esconderá todas as mensagens sobre o status de processamento de documentos no painel de controle. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Aparece em @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Nenhuma visualização definida. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Visualização "" excluída. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Usar linguagem do sistema @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Usar formato de data da linguagem de exibição @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3501,6 +3613,14 @@ Auto: Aprender detecção automaticamente + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Alterações não salvas @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Você tem alterações não salvas. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Tem certeza de que deseja fechar este documento? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Fechar documento @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Tem certeza de que deseja fechar todos os documentos? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Fechar documentos diff --git a/src-ui/src/locale/messages.pt_PT.xlf b/src-ui/src/locale/messages.pt_PT.xlf index 473208a2c..00899a808 100644 --- a/src-ui/src/locale/messages.pt_PT.xlf +++ b/src-ui/src/locale/messages.pt_PT.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Diminuir horas @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Incrementar minutos @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Diminuir minutos @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Visualizações @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Salvar @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ A pesquisar documento com nsa + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Apagar @@ -1537,11 +1581,23 @@ Baixar original + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Fechar @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Anterior @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Seguinte @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Detalhes @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Número de série de arquivamento @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Data de criação @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Default @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Conteúdo @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Data de modificação @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Data de adição @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Nome do ficheiro + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Checksum MD5 original @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Tamanho do ficheiro original @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Tipo mime original @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Checksum MD5 do arquivo @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Tamanho do arquivo @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Metadados do documento original @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Metadados do documento arquivado @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Introduzir Palavra-Passe + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Descartar @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Guardar & próximo @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Tem a certeza que quer apagar o documento ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Os ficheiros deste documento serão excluídos permanentemente. Esta operação não pode ser revertida. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Apagar documento @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Erro ao apagar documento: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Esta operação não pode ser revertida. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ Esta operação irá apagar permanentemente o(s) documento(s) selecionado(s). - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Esta operação não pode ser revertida. - Delete document(s) @@ -2159,14 +2279,6 @@ Apagar documento(s) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Visualização "" guardado com sucesso. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Visualização "" criada com sucesso. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Mostrar na barra lateral @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Exibir no dashboard @@ -3083,11 +3187,19 @@ Aplicar ao fechar + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notificações @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Processamento de documentos @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Exibir notificações quando novos documentos forem detectados @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Exibir notificações quando o processamento de um documento concluir com sucesso @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Mostrar notificações quando o processamento de um documento falhar @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Não mostrar notificações no dashboard @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Isso esconderá todas as mensagens sobre o status de processamento de documentos no painel de controle. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Aparece em @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Nenhuma vista gravada definida. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Visualização "" apagada. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Usar linguagem do sistema @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Usar formato de data da linguagem de exibição @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Erro ao armazenar configurações no servidor: @@ -3501,6 +3613,14 @@ Auto: Aprender correspondência automaticamente + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Alterações não guardadas @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Tem alterações não guardadas. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Tem a certeza de que deseja fechar este documento? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Fechar documento @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Tem a certeza de que pretende fechar todos os documentos? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Fechar documentos diff --git a/src-ui/src/locale/messages.ro_RO.xlf b/src-ui/src/locale/messages.ro_RO.xlf index 3c5ed3c9c..38a7cf594 100644 --- a/src-ui/src/locale/messages.ro_RO.xlf +++ b/src-ui/src/locale/messages.ro_RO.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Decrement hours @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Increment minutes @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Decrement minutes @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Vizualizări @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Salvează @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Se caută documentul cu asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Șterge @@ -1537,11 +1581,23 @@ Descarcă originalul + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Închide @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Previous @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Next @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Detalii @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Număr serial în arhivă @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Data creării @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Default @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Conținut @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Data ultimei modificări @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Data adăugării @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Numele fișierului media + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 MD5 original @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Dimensiunea fișierului original @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Tip MIME original @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 MD5 arhivă @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Mărimea arhivei @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Metadatele documentului original @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Metadatele documentului arhivat @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Enter Password + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Renunță @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Salvează și continuă @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Sunteţi sigur că doriţi să ştergeţi documentul ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Fișierele pentru acest document vor fi șterse permanent. Operațiunea este ireversibila. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Șterge document @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Eroare la ștergerea documentului: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Această operațiune este ireversibilă. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ document(e) selectat(e) vor fi șterse permanent. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Această operațiune este ireversibilă. - Delete document(s) @@ -2159,14 +2279,6 @@ Șterge document(e) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Vizualizarea "" a fost salvată. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Vizualizarea "" a fost creată. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Afișează in bara laterala @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Afișează pe tabloul de bord @@ -3083,11 +3187,19 @@ Aplică la ieșire + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notificări @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Procesarea documentelor @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Arată notificări atunci când sunt detectate documente noi @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Arată notificări atunci când procesarea documentului se termină cu succes @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Arată notificări atunci când procesarea documentului eșuează @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Ascunde notificările pe tabloul de bord @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Această setare va opri mesajele despre procesarea documentelor pe tabloul de bord. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Apare pe @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Nu sunt definite vizualizări. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Vizualizarea "" a fost ștearsă. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Utilizați limba sistemului @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Folosiți formatul datei corespunzător limbii de afișare @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3501,6 +3613,14 @@ Auto: Învață potrivirea automat + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Modificări nesalvate @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Aveți modificări nesalvate. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Sigur doriți să închideți acest document? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Închide document @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Sigur doriți să închideți toate documentele? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Închide documentele diff --git a/src-ui/src/locale/messages.ru_RU.xlf b/src-ui/src/locale/messages.ru_RU.xlf index 94041e1de..b87cd18df 100644 --- a/src-ui/src/locale/messages.ru_RU.xlf +++ b/src-ui/src/locale/messages.ru_RU.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Decrement hours @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Increment minutes @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Decrement minutes @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Представления @@ -514,7 +514,7 @@ src/app/components/app-frame/app-frame.component.html 141 - Storage paths + Пути хранения File Tasks @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Сохранить @@ -982,7 +986,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 35 - Path + Путь e.g. @@ -990,7 +994,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 25 - e.g. + напр. or use slashes to add directories e.g. @@ -998,7 +1002,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 27 - or use slashes to add directories e.g. + или используйте слэши для добавления каталогов, например. See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. @@ -1014,7 +1018,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 34 - Create new storage path + Создать новый путь хранения Edit storage path @@ -1022,7 +1026,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 38 - Edit storage path + Редактировать путь хранения Color @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Поиск документа с asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Удалить @@ -1537,11 +1581,23 @@ Скачать оригинал + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Закрыть @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Previous @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Next @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Детали @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Архивный номер (АН) @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Дата создания @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1663,13 +1719,13 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 44 - Storage path + Путь к хранилищу Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Default @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Содержимое @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Дата изменения @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Дата добавления @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Имя файла + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Оригинальная MD5 сумма @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Размер оригинального файла @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Оригинальный MIME тип @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 MD5 сумма архива @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Размер архива @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Метаданные оригинального документа @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Метаданные архивного документа @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Enter Password + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Отменить @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Сохранить & следующий @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Вы действительно хотите удалить документ ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Файлы из этого документа будут удалены незамедлительно. Это операцию нельзя отменить. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Удалить документ @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Ошибка удаления документа: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Эту операцию нельзя отменить. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1907,7 +2047,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 45 - Filter storage paths + Фильтр по пути хранения Actions @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2105,7 +2237,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 337 - Confirm storage path assignment + Подтвердите назначение путь хранения This operation will assign the storage path "" to selected document(s). @@ -2139,18 +2271,6 @@ Эта операция навсегда удалит выбранных документов. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Эту операцию нельзя отменить. - Delete document(s) @@ -2159,14 +2279,6 @@ Удалить документ(ы) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2269,7 +2373,7 @@ src/app/components/document-list/document-list.component.html 180 - Filter by document type + Фильтр по типу документа Filter by storage path @@ -2281,7 +2385,7 @@ src/app/components/document-list/document-list.component.html 185 - Filter by storage path + Фильтр по пути хранения Created: @@ -2357,7 +2461,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 38 - Toggle storage path filter + Переключить фильтр пути хранения Select none @@ -2485,13 +2589,13 @@ src/app/components/document-list/document-list.component.html 175 - Edit document + Изменить документ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Представление "" успешно сохранено. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Представление "" успешно создано. @@ -2517,7 +2621,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 72,74 - Correspondent: + Корреспондент: Without correspondent @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Показать в боковой панели @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Показать на главной @@ -2701,7 +2805,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 34 - correspondents + корреспонденты Last used @@ -2725,7 +2829,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 30 - document type + тип документа document types @@ -2733,7 +2837,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 31 - document types + типы документов Do you really want to delete the document type ""? @@ -2841,7 +2945,7 @@ src/app/components/manage/management-list/management-list.component.html 44 - Filter Documents + Фильтр документов {VAR_PLURAL, plural, =1 {One } other { total }} @@ -3041,7 +3145,7 @@ src/app/components/manage/settings/settings.component.html 105 - Theme Color + Цветовая тема Reset @@ -3049,7 +3153,7 @@ src/app/components/manage/settings/settings.component.html 114 - Reset + Сбросить Bulk editing @@ -3083,11 +3187,19 @@ Применить при закрытии + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Уведомления @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Обработка документа @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Показывать уведомления при обнаружении новых документов @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Показывать уведомления, когда обработка документа успешна @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Показывать уведомления, когда обработка документа не удалась @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Спрятать уведомления на главной @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Это отключит все сообщения о статусе обработки документов на главной. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Появляется на @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Нет сохраненных представлений. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Сохраненное представление "" удалено. @@ -3167,23 +3279,23 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 - Settings saved + Сохранено Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 - Settings were saved successfully. + Настройки успешно сохранены. Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,15 +3303,15 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 - Reload now + Перезагрузить An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Использовать язык системы @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Использовать формат даты, соответствующий языку @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3233,7 +3345,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 30 - storage path + путь к хранилищу storage paths @@ -3241,7 +3353,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 31 - storage paths + пути хранения Do you really want to delete the storage path ""? @@ -3257,7 +3369,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 30 - tag + тег tags @@ -3265,7 +3377,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 31 - tags + теги Do you really want to delete the tag ""? @@ -3281,7 +3393,7 @@ src/app/components/manage/tasks/tasks.component.html 1 - File Tasks + Файловые Задачи Clear selection @@ -3289,7 +3401,7 @@ src/app/components/manage/tasks/tasks.component.html 6 - Clear selection + Отменить выбор @@ -3307,7 +3419,7 @@ src/app/components/manage/tasks/tasks.component.html 20 - Refresh + Обновить Results @@ -3315,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + Результаты click for full output @@ -3323,7 +3435,7 @@ src/app/components/manage/tasks/tasks.component.html 66 - click for full output + нажать для полного вывода Dismiss @@ -3335,7 +3447,7 @@ src/app/components/manage/tasks/tasks.component.ts 54 - Dismiss + Отклонить Failed  @@ -3375,7 +3487,7 @@ src/app/components/manage/tasks/tasks.component.ts 21 - Dismiss selected + Отменить выбранное Dismiss all @@ -3387,7 +3499,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - Dismiss all + Отменить все Confirm Dismiss All @@ -3395,7 +3507,7 @@ src/app/components/manage/tasks/tasks.component.ts 50 - Confirm Dismiss All + Подтвердить отмену всех tasks? @@ -3403,7 +3515,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - tasks? + задачи? 404 Not Found @@ -3501,6 +3613,14 @@ Авто: Автоматически изучать соответствие + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Несохранённые изменения @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 У вас есть несохраненные изменения. @@ -3681,15 +3801,15 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 - You have unsaved changes to the document + У вас есть несохраненные изменения в документе Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Вы уверены, что хотите закрыть этот документ? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Закрыть документ @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Вы уверены, что хотите закрыть все документы? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Закрыть документы @@ -3916,7 +4036,7 @@ src/app/services/settings.service.ts 372 - Successfully completed one-time migratration of settings to the database! + Одноразовая миграция настроек в базу данных завершена! Unable to migrate settings to the database, please try saving manually. @@ -3924,7 +4044,7 @@ src/app/services/settings.service.ts 373 - Unable to migrate settings to the database, please try saving manually. + Не удается перенести настройки в базу данных, пожалуйста, попробуйте сохранить вручную. Error diff --git a/src-ui/src/locale/messages.sl_SI.xlf b/src-ui/src/locale/messages.sl_SI.xlf index 31f8e826c..67769cf43 100644 --- a/src-ui/src/locale/messages.sl_SI.xlf +++ b/src-ui/src/locale/messages.sl_SI.xlf @@ -17,7 +17,7 @@ 157,166 Currently selected slide number read by screen reader - Slide of + Slike od Previous @@ -155,7 +155,7 @@ node_modules/src/progressbar/progressbar.ts 23,26 - + HH @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Zmanjšanje ur @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Povečanje minut @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Zmanjšanje minut @@ -370,7 +370,7 @@ src/app/components/app-frame/app-frame.component.html 34 - Logged in as + Prijavljen kot Settings @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Shranjeni pogledi @@ -514,7 +514,7 @@ src/app/components/app-frame/app-frame.component.html 141 - Storage paths + Poti do shrambe File Tasks @@ -522,7 +522,7 @@ src/app/components/app-frame/app-frame.component.html 148 - File Tasks + Opravila datotek Logs @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Shrani @@ -970,7 +974,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html 10 - Note that editing a path does not apply changes to stored files until you have run the 'document_renamer' utility. See the documentation. + Note that editing a path does not apply changes to stored files until you have run the 'document_renamer' utility. See the documentation. Path @@ -982,7 +986,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 35 - Path + Pot e.g. @@ -990,7 +994,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 25 - e.g. + npr. or use slashes to add directories e.g. @@ -998,7 +1002,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 27 - or use slashes to add directories e.g. + ali uporabljaj slash za dodajanje map npr. See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. @@ -1006,7 +1010,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 29 - See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. + Poglejte <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> za cel seznam. Create new storage path @@ -1014,7 +1018,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 34 - Create new storage path + Ustvari novo pot shrambe Edit storage path @@ -1022,7 +1026,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 38 - Edit storage path + Uredi pot shrambe Color @@ -1086,7 +1090,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 23 - Any + Poljuben Apply @@ -1204,7 +1208,7 @@ src/app/components/dashboard/dashboard.component.ts 19 - Hello , welcome to Paperless-ngx! + Pozdravjen , dobrodošel v Paperless-ngx! Welcome to Paperless-ngx! @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Iskanje dokumenta z asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Vnesite komentar + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Prosimo, vpišite komentar. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Dodaj komentar + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Napaka pri shranjevanju komentarja: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Napaka pri brisanju komentarja: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Izbriši @@ -1537,11 +1581,23 @@ Prenesi izvirnik + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Ponovno naredi OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Zapri @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Prejšnji @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Naslednji @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Podrobnosti @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Arhivska serijska številka @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Datum nastanka @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1663,21 +1719,21 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 44 - Storage path + Pot do shrambe Default src/app/components/document-detail/document-detail.component.html - 77 + 83 - Default + Privzeto Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Vsebina @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Datum spremembe @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Datum vnosa @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Ime medijske datoteke + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Izvirno ime datoteke + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Izvirni MD5 checksum @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Izvirna velikost datoteke @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Izvirna mime vrsta @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Arhiviran MD5 checksum @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Velikost arhivske datoteke @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Izvirni metapodatki dokumenta @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Arhivirani metapodatki dokumenta @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Vnesi geslo + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Komentarji + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Zavrzi @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Shrani & naslednjo @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Ali res želite izbrisati dokument ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Datoteke za ta dokument bodo trajno izbrisane. Te operacije ni mogoče razveljaviti. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Izbriši dokument @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Napaka pri brisanju dokumenta: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Potrdi ponovno izdelavo OCR + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + Ta izbira bo permanentno izvedla ponovni OCR na tem dokumentu. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Te operacije ni mogoče razveljaviti. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Nadaljuj + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Ponovna izdelava OCR operacije se bo izvedla v ozadju. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Napaka pri izvajanju operacije: + Select: @@ -1907,7 +2047,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 45 - Filter storage paths + Filtriraj poti shrambe Actions @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1947,7 +2087,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 78,82 - Download Preparing download... + Prenesi Pripravljam prenos... Download originals Preparing download... @@ -1955,15 +2095,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 84,88 - Download originals Preparing download... - - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR + Prenesi originale Pripravljam prenos... Error executing bulk operation: @@ -2105,7 +2237,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 337 - Confirm storage path assignment + Potrdite dodelitev oznak poti This operation will assign the storage path "" to selected document(s). @@ -2113,7 +2245,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 339 - This operation will assign the storage path "" to selected document(s). + Ta operacija bo dodelila pot shranjevanja "" v izbran dokument/e. This operation will remove the storage path from selected document(s). @@ -2121,7 +2253,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 341 - This operation will remove the storage path from selected document(s). + Ta operacija bo odstranila pot shranjevanja iz izbranih dokumentov. Delete confirm @@ -2139,18 +2271,6 @@ Ta operacija bo trajno izbrisala izbrane dokumente. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Te operacije ni mogoče razveljaviti. - Delete document(s) @@ -2159,29 +2279,13 @@ Izbriši dokument(e) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts 388 - This operation will permanently redo OCR for selected document(s). - - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed + Ta operacija bo trajno obnovila OCR za izbrane dokumente. Filter by correspondent @@ -2269,7 +2373,7 @@ src/app/components/document-list/document-list.component.html 180 - Filter by document type + Filtriraj po vrsti dokumenta Filter by storage path @@ -2281,7 +2385,7 @@ src/app/components/document-list/document-list.component.html 185 - Filter by storage path + Filtriraj po poti shrambe Created: @@ -2293,7 +2397,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 48 - Created: + Ustvarjeno: Added: @@ -2305,7 +2409,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 49 - Added: + Dodano: Modified: @@ -2317,7 +2421,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 50 - Modified: + Spremenjeno: Score: @@ -2333,7 +2437,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 14 - Toggle tag filter + Preklopi filter oznak Toggle correspondent filter @@ -2341,7 +2445,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 24 - Toggle correspondent filter + Preklop korespondenčnega filtra Toggle document type filter @@ -2349,7 +2453,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 31 - Toggle document type filter + Preklop filtra vrste dokumenta Toggle storage path filter @@ -2357,7 +2461,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 38 - Toggle storage path filter + Preklop filtra poti za shranjevanje Select none @@ -2485,13 +2589,13 @@ src/app/components/document-list/document-list.component.html 175 - Edit document + Uredi dokument View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Pogled »" je uspešno shranjen. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Pogled »" je bil uspešno ustvarjen. @@ -2605,7 +2709,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 164 - equals + je enako is empty @@ -2613,7 +2717,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 168 - is empty + je prazno is not empty @@ -2621,7 +2725,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 172 - is not empty + ni prazno greater than @@ -2629,7 +2733,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 176 - greater than + večje kot less than @@ -2637,7 +2741,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 180 - less than + manj kot Save current view @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Prikaži v stranski vrstici @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Prikaži na pregledni plošči @@ -2701,7 +2805,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 34 - correspondents + dopisniki Last used @@ -2733,7 +2837,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 31 - document types + vrste dokumentov Do you really want to delete the document type ""? @@ -2861,7 +2965,7 @@ src/app/components/manage/management-list/management-list.component.html 74 - {VAR_PLURAL, plural, =1 {One } other { total }} + {VAR_PLURAL, plural, =1 {Eden } other { skupno }} Automatic @@ -2881,7 +2985,7 @@ src/app/components/manage/management-list/management-list.component.ts 140 - Do you really want to delete the ? + Ali res želite izbrisati ? Associated documents will not be deleted. @@ -2897,7 +3001,7 @@ src/app/components/manage/management-list/management-list.component.ts 168,170 - Error while deleting element: + Napaka pri brisanju elementa: General @@ -2905,7 +3009,7 @@ src/app/components/manage/settings/settings.component.html 10 - General + Splošno Appearance @@ -3041,7 +3145,7 @@ src/app/components/manage/settings/settings.component.html 105 - Theme Color + Barve teme Reset @@ -3049,7 +3153,7 @@ src/app/components/manage/settings/settings.component.html 114 - Reset + Ponastavi Bulk editing @@ -3083,11 +3187,19 @@ Potrdite ob zaprtju + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Omogoči komentarje + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Obvestila @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Obdelava dokumentov @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Pokaži obvestila, ko so zaznani novi dokumenti @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Pokaži obvestila, ko se obdelava dokumenta uspešno zaključi @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Pokaži obvestila, ko obdelava dokumenta ne uspe @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Preprečite obvestila na pregledni strani @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 S tem bodo na plošči prekinjena vsa sporočila o stanju obdelave dokumentov. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Pojavi se na @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Ni določenih shranjenih pogledov. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Shranjen pogled "" je izbrisan. @@ -3167,47 +3279,47 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 - Settings saved + Nastavitve shranjene Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 - Settings were saved successfully. + Nastavitve uspešno shranjene. Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 - Settings were saved successfully. Reload is required to apply some changes. + Nastavitve so bile uspešno shranjene. Za uveljavitev nekaterih sprememb je potreben ponovni zagon. Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 - Reload now + Ponovno zaženi An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 - An error occurred while saving settings. + Prišlo je do napake ob shranjevanju nastavitev. Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Uporabi sistemski jezik @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Uporabite obliko datuma prikaznega jezika @@ -3223,9 +3335,9 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 - Error while storing settings on server: + Napaka pri shranjevanju nastavitev na strežnik: storage path @@ -3233,7 +3345,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 30 - storage path + pot do shrambe storage paths @@ -3241,7 +3353,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 31 - storage paths + poti do shrambe Do you really want to delete the storage path ""? @@ -3249,7 +3361,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 45 - Do you really want to delete the storage path ""? + Ali res želite izbrisati pot shranjevanja ""? tag @@ -3257,7 +3369,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 30 - tag + oznaka tags @@ -3265,7 +3377,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 31 - tags + oznake Do you really want to delete the tag ""? @@ -3281,7 +3393,7 @@ src/app/components/manage/tasks/tasks.component.html 1 - File Tasks + Datotečne naloge Clear selection @@ -3289,7 +3401,7 @@ src/app/components/manage/tasks/tasks.component.html 6 - Clear selection + Počisti izbiro @@ -3299,7 +3411,7 @@ src/app/components/manage/tasks/tasks.component.html 11 - + Refresh @@ -3307,7 +3419,7 @@ src/app/components/manage/tasks/tasks.component.html 20 - Refresh + Osveži Results @@ -3315,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + Rezultat click for full output @@ -3323,7 +3435,7 @@ src/app/components/manage/tasks/tasks.component.html 66 - click for full output + kliknite za celoten izpis Dismiss @@ -3335,7 +3447,7 @@ src/app/components/manage/tasks/tasks.component.ts 54 - Dismiss + Opusti Failed  @@ -3343,7 +3455,7 @@ src/app/components/manage/tasks/tasks.component.html 96 - Failed  + Neuspešno Complete  @@ -3351,7 +3463,7 @@ src/app/components/manage/tasks/tasks.component.html 102 - Complete  + Dokončano Started  @@ -3359,7 +3471,7 @@ src/app/components/manage/tasks/tasks.component.html 108 - Started  + Začetek Queued  @@ -3367,7 +3479,7 @@ src/app/components/manage/tasks/tasks.component.html 114 - Queued  + V čakalni vrsti Dismiss selected @@ -3375,7 +3487,7 @@ src/app/components/manage/tasks/tasks.component.ts 21 - Dismiss selected + Opusti izbrano Dismiss all @@ -3387,7 +3499,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - Dismiss all + Opusti vse Confirm Dismiss All @@ -3395,7 +3507,7 @@ src/app/components/manage/tasks/tasks.component.ts 50 - Confirm Dismiss All + Potrdi Opusti vse tasks? @@ -3403,7 +3515,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - tasks? + naloge? 404 Not Found @@ -3501,6 +3613,14 @@ Samodejno: Nauči se samodejnega ujemanja + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Opozorilo: v dokumentih imate neshranjene spremembe. + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Neshranjene spremembe @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Imate neshranjene spremembe. @@ -3681,15 +3801,15 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 - You have unsaved changes to the document + Imate neshranjene spremembe dokumenta Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Ali ste prepričani, da želite zapreti ta dokument? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Zapri dokument @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Ali ste prepričani, da želite zapreti vse dokumente? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Zapri dokumente @@ -3748,7 +3868,7 @@ src/app/services/settings.service.ts 146 - Belarusian + Beloruščina Czech @@ -3868,7 +3988,7 @@ src/app/services/settings.service.ts 236 - Slovenian + Slovenščina Serbian @@ -3876,7 +3996,7 @@ src/app/services/settings.service.ts 242 - Serbian + Srbščina Swedish @@ -3892,7 +4012,7 @@ src/app/services/settings.service.ts 254 - Turkish + Turščina Chinese Simplified @@ -3900,7 +4020,7 @@ src/app/services/settings.service.ts 260 - Chinese Simplified + Poenostavljena kitajščina ISO 8601 @@ -3916,7 +4036,7 @@ src/app/services/settings.service.ts 372 - Successfully completed one-time migratration of settings to the database! + Uspešno opravljena enkratna migracija nastavitev v bazo! Unable to migrate settings to the database, please try saving manually. @@ -3924,7 +4044,7 @@ src/app/services/settings.service.ts 373 - Unable to migrate settings to the database, please try saving manually. + Nastavitev ni mogoče preseliti v bazo podatkov, poskusite jih shraniti ročno. Error diff --git a/src-ui/src/locale/messages.sr_CS.xlf b/src-ui/src/locale/messages.sr_CS.xlf index 0f879c9a8..21d161f07 100644 --- a/src-ui/src/locale/messages.sr_CS.xlf +++ b/src-ui/src/locale/messages.sr_CS.xlf @@ -17,7 +17,7 @@ 157,166 Currently selected slide number read by screen reader - Slide of + Slajd od Previous @@ -155,7 +155,7 @@ node_modules/src/progressbar/progressbar.ts 23,26 - + HH @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Smanji sate @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Povećaj minute @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Smanji minute @@ -370,7 +370,7 @@ src/app/components/app-frame/app-frame.component.html 34 - Logged in as + Ulogovan kao Settings @@ -434,7 +434,7 @@ src/app/components/manage/management-list/management-list.component.html 54 - Dokumenta + Dokumenti Saved views @@ -444,9 +444,9 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 - Sačuvani prikaz + Sačuvani pogledi Open documents @@ -478,7 +478,7 @@ src/app/components/app-frame/app-frame.component.html 120 - Dopisnici + Korespodenti Tags @@ -514,7 +514,7 @@ src/app/components/app-frame/app-frame.component.html 141 - Storage paths + Putanja skladišta File Tasks @@ -522,7 +522,7 @@ src/app/components/app-frame/app-frame.component.html 148 - File Tasks + Procesiranje fajlova Logs @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Sačuvaj @@ -914,7 +918,7 @@ src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts 24 - Krairaj novog dopisnika + Krairaj novog korespodenta Edit correspondent @@ -922,7 +926,7 @@ src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts 28 - Izmeni dopisnika + Izmeni korespodenta Create new document type @@ -970,7 +974,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html 10 - Note that editing a path does not apply changes to stored files until you have run the 'document_renamer' utility. See the documentation. + Imajte na umu da se promena uređivanje putanje ne primenjuje na sačuvane datoteke sve dok ne pokrenete uslužni program 'document_renamer'. Pogledajte dokumentaciju. Path @@ -982,7 +986,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 35 - Path + Putanja e.g. @@ -990,7 +994,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 25 - e.g. + npr. or use slashes to add directories e.g. @@ -998,7 +1002,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 27 - or use slashes to add directories e.g. + ili koristite kose crte za dodavanje direktorijuma, npr. See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. @@ -1006,7 +1010,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 29 - See <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">documentation</a> for full list. + Pogledaj <a target="_blank" href="https://paperless-ngx.readthedocs.io/en/latest/advanced_usage.html#file-name-handling">dokumentaciju</a> za kompletnu listu. Create new storage path @@ -1014,7 +1018,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 34 - Create new storage path + Kreiraj novu putanju skladišta Edit storage path @@ -1022,7 +1026,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 38 - Edit storage path + Izmeni putanju skladišta Color @@ -1086,7 +1090,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 23 - Any + Bilo koja Apply @@ -1111,7 +1115,7 @@ 261 Filter drop down element to filter for documents with no correspondent/type/tag assigned - Nije dodeljeno + Nije dodeljen Invalid date. @@ -1204,7 +1208,7 @@ src/app/components/dashboard/dashboard.component.ts 19 - Hello , welcome to Paperless-ngx! + Pozdrav , dobro došao u Paperless-ngx! Welcome to Paperless-ngx! @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1288,7 +1292,7 @@ src/app/components/dashboard/widgets/statistics-widget/statistics-widget.component.html 3 - Dokumenata u prijemnom sandučetu: + Dokumenta u prijemnom sandučetu: Total documents: @@ -1441,6 +1445,46 @@ Pretraži dokument sa ASN + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Unesi komentar + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Molimo unesite komentar. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Dodaj komentar + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Greška prilikom čuvanja komentara: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Greška prilikom brisanja komentara: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Obriši @@ -1537,11 +1581,23 @@ Preuzmi original + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Ponovi OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Zatvori @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Prethodni @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Sledeći @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Detalji @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Arhivski serijski broj @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Datum kreiranja @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1619,13 +1675,13 @@ src/app/services/rest/document.service.ts 19 - Dopisnik + Korespodent Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1663,21 +1719,21 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 44 - Storage path + Putanja skladišta Default src/app/components/document-detail/document-detail.component.html - 77 + 83 - Default + Podrazumevano Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Sadržaj @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Datum izmene @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Datum dodavanja @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Naziv fajla + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Originalno ime fajla + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Originalni MD5 checksum @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Originalna veličina fajla @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Originalni MIME tip @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Arhivni MD5 checksum @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Arhivna veličina fajla @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Metapodaci originalnog dokumenta @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Metapodaci arhivnog dokumenta @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Unesite lozinku + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Komentari + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Odbaci @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Sačuvaj & sledeći @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Da li stvarno želite da obrišite dokument ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Fajlovi za ovaj dokument će biti trajno obrisani. Ova operacija se ne može opozvati. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Obriši dokument @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Greška prilikom brisanja dokumenta: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Ponovi OCR potvrda + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + Ova će operacija trajno ponoviti OCR za ovaj dokument. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Ovu radnju nije moguće opozvati. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Nastavi + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Operacija ponovnog OCR će započeti u pozadini. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Greška pri izvršavanju operacije: + Select: @@ -1883,7 +2023,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 31 - Filtriraj dopisnike + Filtriraj korespodente Filter document types @@ -1895,7 +2035,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 38 - Filtriraj tipove dokumenata + Filtriraj tip dokumenta Filter storage paths @@ -1907,7 +2047,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.html 45 - Filter storage paths + Filtriraj po putanji skladišta Actions @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1947,7 +2087,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 78,82 - Download Preparing download... + Preuzimanje Priprema preuzimanja... Download originals Preparing download... @@ -1955,15 +2095,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 84,88 - Download originals Preparing download... - - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR + Preuzimanje originala Priprema preuzimanja... Error executing bulk operation: @@ -2057,7 +2189,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 265 - Potvrdi dodelu dopisnika + Potvrdi dodelu korespodenta This operation will assign the correspondent "" to selected document(s). @@ -2065,7 +2197,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 267 - Ova radnja će dodati dopisnika "" na selektovane dokumente. + Ova radnja će dodati korespodenta "" na selektovane dokumente. This operation will remove the correspondent from selected document(s). @@ -2073,7 +2205,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 269 - Ova radnja će obrisati dopisnike sa selektovanih dokumenata. + Ova radnja će obrisati korespodente sa selektovanih dokumenata. Confirm document type assignment @@ -2105,7 +2237,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 337 - Confirm storage path assignment + Potvrdi dodelu putanje skladišta This operation will assign the storage path "" to selected document(s). @@ -2113,7 +2245,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 339 - This operation will assign the storage path "" to selected document(s). + Ova radnja će dodati putanju skladišta "" na selektovane dokumente. This operation will remove the storage path from selected document(s). @@ -2121,7 +2253,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 341 - This operation will remove the storage path from selected document(s). + Ova radnja će obrisati putanju skladišta selektovanih dokumenata. Delete confirm @@ -2139,18 +2271,6 @@ Ova radnja će trajno obrisati selektovan(a) dokument(a). - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Ovu radnju nije moguće opozvati. - Delete document(s) @@ -2159,29 +2279,13 @@ Obriši dokument(e) - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts 388 - This operation will permanently redo OCR for selected document(s). - - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed + Ova radnja će trajno ponoviti OCR za selektovan(a) dokument(a). Filter by correspondent @@ -2193,7 +2297,7 @@ src/app/components/document-list/document-list.component.html 171 - Filtriraj po dopisniku + Filtriraj po korespodentu Filter by tag @@ -2269,7 +2373,7 @@ src/app/components/document-list/document-list.component.html 180 - Filter by document type + Filtriraj po tipu dokumenta Filter by storage path @@ -2281,7 +2385,7 @@ src/app/components/document-list/document-list.component.html 185 - Filter by storage path + Filtriraj po putanji skladišta Created: @@ -2293,7 +2397,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 48 - Created: + Kreirano: Added: @@ -2305,7 +2409,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 49 - Added: + Dodato: Modified: @@ -2317,7 +2421,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 50 - Modified: + Izmenjeno: Score: @@ -2333,7 +2437,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 14 - Toggle tag filter + Isključi filter oznaka Toggle correspondent filter @@ -2341,7 +2445,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 24 - Toggle correspondent filter + Isključi filter korespodenta Toggle document type filter @@ -2349,7 +2453,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 31 - Toggle document type filter + Isključi filter tipova dokumenata Toggle storage path filter @@ -2357,7 +2461,7 @@ src/app/components/document-list/document-card-small/document-card-small.component.html 38 - Toggle storage path filter + Isključiti filter putanje skladišta Select none @@ -2397,7 +2501,7 @@ src/app/components/document-list/document-list.component.html 63 - Prikazi + Pogledi Save "" @@ -2485,13 +2589,13 @@ src/app/components/document-list/document-list.component.html 175 - Edit document + Uredi dokument View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Prikaz "" je uspešno sačuvan. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Prikaz "" je uspešno kreiran. @@ -2517,7 +2621,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 72,74 - Dopisnik: + Korespodent: Without correspondent @@ -2525,7 +2629,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 76 - Bez dopisnika + Bez korespodenta Type: @@ -2605,7 +2709,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 164 - equals + jednako is empty @@ -2613,7 +2717,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 168 - is empty + je prazan is not empty @@ -2621,7 +2725,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 172 - is not empty + nije prazan greater than @@ -2629,7 +2733,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 176 - greater than + veće od less than @@ -2637,7 +2741,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 180 - less than + manje od Save current view @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Prikaži u bočnoj traci @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Prikaži na kontrolnoj tabli @@ -2693,7 +2797,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 33 - dopisnik + korespodent correspondents @@ -2701,7 +2805,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 34 - correspondents + korespodenti Last used @@ -2709,7 +2813,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 38 - Last used + Poslednje korišćenje Do you really want to delete the correspondent ""? @@ -2717,7 +2821,7 @@ src/app/components/manage/correspondent-list/correspondent-list.component.ts 48 - Da li stvarno želite da obrišete ovog dopisnika ""? + Da li stvarno želite da obrišete ovog korespodenta ""? document type @@ -2733,7 +2837,7 @@ src/app/components/manage/document-type-list/document-type-list.component.ts 31 - document types + tipovi dokumenta Do you really want to delete the document type ""? @@ -2841,7 +2945,7 @@ src/app/components/manage/management-list/management-list.component.html 44 - Filter Documents + Filter dokumenata {VAR_PLURAL, plural, =1 {One } other { total }} @@ -2861,7 +2965,7 @@ src/app/components/manage/management-list/management-list.component.html 74 - {VAR_PLURAL, plural, =1 {One } other { total }} + {VAR_PLURAL, plural, =1 {Jedan } other { ukupno }} Automatic @@ -3083,11 +3187,19 @@ Primeni pri zatvaranju + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Omogući komentare + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Obaveštenja @@ -3095,15 +3207,15 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 - Obrada dokumenata + Procesiranje dokumenata Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Prikaži obaveštenja kada se otkriju novi dokumenti @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Prikaži obaveštenja kada se obrada dokumenta uspešno završi @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Prikaži obaveštenja kada obrada dokumenta ne uspe @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Poništi obaveštenja na kontrolnoj tabli @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Ovo će potisnuti sve poruke o statusu obrade dokumenta na kontrolnoj tabli. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Pojavljuje se na @@ -3151,63 +3263,63 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 - Nema definisanih sačuvanih prikaza. + Nema definisanih sačuvanih pogleda. Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 - Sačuvani prikaz "" je obrisan. + Sačuvan pogled "" je obrisan. Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 - Settings saved + Podešavanja su sačuvana Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 - Settings were saved successfully. + Podešavanja su uspešno sačuvana. Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 - Settings were saved successfully. Reload is required to apply some changes. + Podešavanja su uspešno sačuvana. Potrebno je ponovno učitavanje da biste primenili neke promene. Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 - Reload now + Sad ponovo učitaj An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 - An error occurred while saving settings. + Došlo je do greške prilikom čuvanja podešavanja. Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Koristi sistemski jezik @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Koristi format datuma jezika prikaza @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Greška pri čuvanju podešavanja na serveru: @@ -3233,7 +3345,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 30 - storage path + putanja skladišta storage paths @@ -3241,7 +3353,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 31 - storage paths + putanja skladišta Do you really want to delete the storage path ""? @@ -3249,7 +3361,7 @@ src/app/components/manage/storage-path-list/storage-path-list.component.ts 45 - Do you really want to delete the storage path ""? + Da li stvarno želite da obrišete putanju skladišta ""? tag @@ -3265,7 +3377,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 31 - tags + oznake Do you really want to delete the tag ""? @@ -3281,7 +3393,7 @@ src/app/components/manage/tasks/tasks.component.html 1 - File Tasks + Obrada dokumenata Clear selection @@ -3289,7 +3401,7 @@ src/app/components/manage/tasks/tasks.component.html 6 - Clear selection + Poništi izbor @@ -3299,7 +3411,7 @@ src/app/components/manage/tasks/tasks.component.html 11 - + Refresh @@ -3307,7 +3419,7 @@ src/app/components/manage/tasks/tasks.component.html 20 - Refresh + Osveži Results @@ -3315,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + Rezultati click for full output @@ -3323,7 +3435,7 @@ src/app/components/manage/tasks/tasks.component.html 66 - click for full output + klikni za pun prikaz Dismiss @@ -3335,7 +3447,7 @@ src/app/components/manage/tasks/tasks.component.ts 54 - Dismiss + Odbaci Failed  @@ -3343,7 +3455,7 @@ src/app/components/manage/tasks/tasks.component.html 96 - Failed  + Neuspešno  Complete  @@ -3351,7 +3463,7 @@ src/app/components/manage/tasks/tasks.component.html 102 - Complete  + Završeno Started  @@ -3359,7 +3471,7 @@ src/app/components/manage/tasks/tasks.component.html 108 - Started  + Pokrenuto Queued  @@ -3367,7 +3479,7 @@ src/app/components/manage/tasks/tasks.component.html 114 - Queued  + Na čekanju  Dismiss selected @@ -3375,7 +3487,7 @@ src/app/components/manage/tasks/tasks.component.ts 21 - Dismiss selected + Odbaci selektovano Dismiss all @@ -3387,7 +3499,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - Dismiss all + Odbaci sve Confirm Dismiss All @@ -3395,7 +3507,7 @@ src/app/components/manage/tasks/tasks.component.ts 50 - Confirm Dismiss All + Potvrdi odbacivanje svega tasks? @@ -3403,7 +3515,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - tasks? + obrade? 404 Not Found @@ -3427,7 +3539,7 @@ src/app/data/matching-model.ts 14 - Bilo koji: dokument sadrži bilo koju od ovih reči (razdvojenih razmacima) + Bilo koja: dokument sadrži bilo koju od ovih reči (razdvojenih razmacima) All words @@ -3501,6 +3613,14 @@ Automatski: nauči automatsko podudaranje + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Upozorenje: Imate nesačuvane promene u dokumentu. + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Nesačuvane izmene @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Imate nesačuvanih izmena. @@ -3681,15 +3801,15 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 - You have unsaved changes to the document + Imate nesačuvane promene u dokumentu Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Da li ste sigurni da želite da zatvorite ovaj dokument? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Zatvori dokument @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Da li ste sigurni da želite da zatvorite sve dokumente? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Zatvori dokumenta @@ -3916,7 +4036,7 @@ src/app/services/settings.service.ts 372 - Successfully completed one-time migratration of settings to the database! + Uspešno završena jednokratna migracija podešavanja u bazu podataka! Unable to migrate settings to the database, please try saving manually. @@ -3924,7 +4044,7 @@ src/app/services/settings.service.ts 373 - Unable to migrate settings to the database, please try saving manually. + Nije moguće preneti podešavanja u bazu podataka, pokušajte da ih sačuvate ručno. Error diff --git a/src-ui/src/locale/messages.sv_SE.xlf b/src-ui/src/locale/messages.sv_SE.xlf index 234515dc2..fb3e64fb7 100644 --- a/src-ui/src/locale/messages.sv_SE.xlf +++ b/src-ui/src/locale/messages.sv_SE.xlf @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Decrement hours @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Increment minutes @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Decrement minutes @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Sparade vyer @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Spara @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Söker dokument med asn + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Radera @@ -1537,11 +1581,23 @@ Ladda ner original + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Stäng @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Previous @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Next @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Detaljer @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Arkivets serienummer @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Datum skapad @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 Default @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Innehåll @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Datum ändrad @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Datum tillagd @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Media filnamn + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Original MD5-kontrollsumma @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Ursprunglig filstorlek @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Ursprunglig mime-typ @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Arkiv MD5-kontrollsumma @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Arkiv filstorlek @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Ursprungliga dokument metadata @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Arkiverade dokument metadata @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 Enter Password + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Avfärda @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Spara & nästa @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 Vill du verkligen ta bort dokumentet ""? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Filerna för detta dokument kommer att raderas permanent. Den här åtgärden kan inte ångras. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Ta bort dokument @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 Fel vid borttagning av dokument: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Den här åtgärden kan inte ångras. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Proceed + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ Den här åtgärden kommer att permanent ta bort markerade dokument. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Den här åtgärden kan inte ångras. - Delete document(s) @@ -2159,14 +2279,6 @@ Ta bort dokument - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2175,14 +2287,6 @@ This operation will permanently redo OCR for selected document(s). - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed - Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 Vy "" sparades. @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 Vy "" skapades. @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Visa i sidofältet @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Visa på instrumentpanelen @@ -3083,11 +3187,19 @@ Tillämpa vid stängning + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Notifieringar @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Dokument bearbetas @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Visa notifieringar när nya dokument upptäcks @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Visa notifieringar när dokumentbehandlingen är klar @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Visa aviseringar när dokumentbehandling misslyckas @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Förhindra aviseringar på instrumentpanelen @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Detta kommer att förhindra alla meddelanden om status för dokumenthantering på instrumentpanelen. @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Visas på @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Inga sparade vyer har definierats. @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 Sparad vy "" borttagen. @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 Reload now @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Använd systemspråk @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Använd datumformat för visningsspråk @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3501,6 +3613,14 @@ Auto: Lär matchning automatiskt + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Unsaved Changes @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 You have unsaved changes. @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Are you sure you want to close this document? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Close document @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Are you sure you want to close all documents? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Close documents diff --git a/src-ui/src/locale/messages.tr_TR.xlf b/src-ui/src/locale/messages.tr_TR.xlf index 6469cd74f..f99f35c1a 100644 --- a/src-ui/src/locale/messages.tr_TR.xlf +++ b/src-ui/src/locale/messages.tr_TR.xlf @@ -8,7 +8,7 @@ node_modules/src/alert/alert.ts 42,44 - Close + Kapat Slide of @@ -25,7 +25,7 @@ node_modules/src/carousel/carousel.ts 188,191 - Previous + Önceki Next @@ -33,7 +33,7 @@ node_modules/src/carousel/carousel.ts 209,211 - Next + Sonraki Select month @@ -45,7 +45,7 @@ node_modules/src/datepicker/datepicker-navigation-select.ts 41,42 - Select month + Ay seçin Select year @@ -57,7 +57,7 @@ node_modules/src/datepicker/datepicker-navigation-select.ts 41,42 - Select year + Yıl seçin Previous month @@ -69,7 +69,7 @@ node_modules/src/datepicker/datepicker-navigation.ts 43,46 - Previous month + Önceki ay Next month @@ -81,7 +81,7 @@ node_modules/src/datepicker/datepicker-navigation.ts 43,46 - Next month + Sonraki ay «« @@ -121,7 +121,7 @@ node_modules/src/pagination/pagination.ts 224,226 - First + İlk Previous @@ -129,7 +129,7 @@ node_modules/src/pagination/pagination.ts 224,226 - Previous + Önceki Next @@ -137,7 +137,7 @@ node_modules/src/pagination/pagination.ts 224,225 - Next + Sonraki Last @@ -145,7 +145,7 @@ node_modules/src/pagination/pagination.ts 224,225 - Last + Son @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 Decrement hours @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 Increment minutes @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 Decrement minutes @@ -277,7 +277,7 @@ node_modules/src/toast/toast.ts 70,71 - Close + Kapat Drop files to begin upload @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 Kaydedilen görünümler @@ -562,7 +562,7 @@ src/app/components/app-frame/app-frame.component.html 182 - Dökümantasyon + Dokümantasyon GitHub @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -594,7 +598,7 @@ src/app/components/app-frame/app-frame.component.html 205 - Click to view. + Görüntülemek için tıklayın. Checking for updates is disabled. @@ -618,7 +622,7 @@ src/app/components/app-frame/app-frame.component.html 216 - Update available + Güncelleme mevcut Cancel @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 Kaydet @@ -990,7 +994,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts 25 - e.g. + ör. or use slashes to add directories e.g. @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ Belgeyi asn ile arama + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 Sil @@ -1537,11 +1581,23 @@ Orijinal Dosyayı İndir + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + Redo OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 Kapat @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 Previous @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 Next @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 Ayrıntılar @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 Arşiv seri numarası @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 Oluşturma tarihi @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,15 +1725,15 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 - Default + Varsayılan Content src/app/components/document-detail/document-detail.component.html - 84 + 90 Içerik @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 Değiştirilme tarihi @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 Ekleme tarihi @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 Medya dosya ismi + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 Orijinal MD5 sağlama toplamı @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 Orijinal dosya boyutu @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 Orijinal mime türü @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 Arşiv MD5 sağlama toplamı @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 Arşiv dosya boyutu @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 Orijinal belge meta verisi @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 Arşivlenen belge meta verileri @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 - Enter Password + Parolayı girin + + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Parolayı girin Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 Gözardı et @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 Kaydet & sonraki @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 "" olan belgeyi gerçekten silmek istiyormusunuz? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 Bu belgeye ait dosyalar kalıcı olarak siliniecektir. Bu işlem geri alınamaz. @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 Belgeyi sil @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 belgeyi silerken hata + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + Redo OCR confirm + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + Bu işlem geri alınamaz. + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + Devam et + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1957,14 +2097,6 @@ Download originals Preparing download... - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR - Error executing bulk operation: @@ -2139,18 +2271,6 @@ Bu işlem, "" seçili belge(leri) kalıcı olarak silecektir. - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - Bu işlem geri alınamaz. - Delete document(s) @@ -2159,14 +2279,6 @@ Belge(yi/leri) sil - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). @@ -2181,7 +2293,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.ts 391 - Proceed + Devam et Filter by correspondent @@ -2485,13 +2597,13 @@ src/app/components/document-list/document-list.component.html 175 - Edit document + Belgeyi düzenle View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 "" adlı görünüm başarı ile kayıt edildi. @@ -2499,7 +2611,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 adlı görünüm başarı ile oluşturuldu. @@ -2605,7 +2717,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 164 - equals + eşittir is empty @@ -2613,7 +2725,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 168 - is empty + boş is not empty @@ -2621,7 +2733,7 @@ src/app/components/document-list/filter-editor/filter-editor.component.ts 172 - is not empty + boş değil greater than @@ -2655,7 +2767,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 Kenar çubuğunda göster @@ -2667,7 +2779,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 Kontrol paneli'nde göster @@ -2905,7 +3017,7 @@ src/app/components/manage/settings/settings.component.html 10 - General + Genel Appearance @@ -3049,7 +3161,7 @@ src/app/components/manage/settings/settings.component.html 114 - Reset + Sıfırla Bulk editing @@ -3083,11 +3195,19 @@ Kapanışta uygula + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 Bildirimler @@ -3095,7 +3215,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 Belge işleme @@ -3103,7 +3223,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 Yeni belge bulunduğunda bildirimi göster @@ -3111,7 +3231,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 Belge işleme başarıyla tamamlandığında bildirimleri göster @@ -3119,7 +3239,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 Belge işleme başarız tamamlandığında bildirimleri göster @@ -3127,7 +3247,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 Kontrol panodaki bildirimleri bastır @@ -3135,7 +3255,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 Bu, kontrol panodaki belge işleme durumuyla ilgili tüm iletileri bastırır. @@ -3143,7 +3263,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 Görünür @@ -3151,7 +3271,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 Kaydedilmiş görünüm tanımlanmadı. @@ -3159,7 +3279,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 adlı görünüm silindi. @@ -3167,7 +3287,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 Settings saved @@ -3175,7 +3295,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 Settings were saved successfully. @@ -3183,7 +3303,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 Settings were saved successfully. Reload is required to apply some changes. @@ -3191,15 +3311,15 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 - Reload now + Şimdi yenile An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 An error occurred while saving settings. @@ -3207,7 +3327,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 Sistem dilini kullan @@ -3215,7 +3335,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 Görüntüleme dilinin tarih formatını kullan @@ -3223,7 +3343,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 Error while storing settings on server: @@ -3257,7 +3377,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 30 - tag + etiket tags @@ -3265,7 +3385,7 @@ src/app/components/manage/tag-list/tag-list.component.ts 31 - tags + etiketler Do you really want to delete the tag ""? @@ -3307,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 20 - Refresh + Yenile Results @@ -3315,7 +3435,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + Sonuçlar click for full output @@ -3501,6 +3621,14 @@ Otomatik mod: Eşleşmeyi otomatik olarak öğrenir + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3637,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 Kaydedilmemiş değişiklikler @@ -3525,7 +3653,7 @@ src/app/services/open-documents.service.ts - 139 + 144 Kaydedilmemiş değişiklikleriniz var. @@ -3681,7 +3809,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 You have unsaved changes to the document @@ -3689,7 +3817,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 Bu belgeyi kapatmak istediğinizden emin misin? @@ -3697,7 +3825,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 Belgeyi kapat @@ -3705,7 +3833,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 Tüm belgeleri kapatmak istediğinizden emin misiniz? @@ -3713,7 +3841,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 Belgeleri kapat @@ -3748,7 +3876,7 @@ src/app/services/settings.service.ts 146 - Belarusian + Belarusça Czech @@ -3868,7 +3996,7 @@ src/app/services/settings.service.ts 236 - Slovenian + Slovakça Serbian @@ -3876,7 +4004,7 @@ src/app/services/settings.service.ts 242 - Serbian + Sırpça Swedish @@ -3892,7 +4020,7 @@ src/app/services/settings.service.ts 254 - Turkish + Türkçe Chinese Simplified @@ -3900,7 +4028,7 @@ src/app/services/settings.service.ts 260 - Chinese Simplified + Basitleştirilmiş Çince ISO 8601 diff --git a/src-ui/src/locale/messages.zh_CN.xlf b/src-ui/src/locale/messages.zh_CN.xlf index 1bda829f1..dc6a92b27 100644 --- a/src-ui/src/locale/messages.zh_CN.xlf +++ b/src-ui/src/locale/messages.zh_CN.xlf @@ -17,7 +17,7 @@ 157,166 Currently selected slide number read by screen reader - Slide of + 滑动 Previous @@ -155,7 +155,7 @@ node_modules/src/progressbar/progressbar.ts 23,26 - + HH @@ -201,7 +201,7 @@ Decrement hours node_modules/src/timepicker/timepicker.ts - 240,243 + 239,240 减少小时 @@ -209,7 +209,7 @@ Increment minutes node_modules/src/timepicker/timepicker.ts - 268 + 264,268 增加分钟 @@ -217,7 +217,7 @@ Decrement minutes node_modules/src/timepicker/timepicker.ts - 288,289 + 287,289 减少分钟 @@ -444,7 +444,7 @@ src/app/components/manage/settings/settings.component.html - 150 + 158 保存视图 @@ -522,7 +522,7 @@ src/app/components/app-frame/app-frame.component.html 148 - File Tasks + 文件任务 Logs @@ -574,6 +574,10 @@ Suggest an idea + + src/app/components/app-frame/app-frame.component.html + 192 + src/app/components/app-frame/app-frame.component.html 196 @@ -776,7 +780,7 @@ src/app/components/manage/settings/settings.component.html - 157 + 165 src/app/components/manage/tasks/tasks.component.html @@ -896,7 +900,7 @@ src/app/components/document-detail/document-detail.component.html - 168 + 184 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -904,7 +908,7 @@ src/app/components/manage/settings/settings.component.html - 189 + 197 保存 @@ -1086,7 +1090,7 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 23 - Any + 所有 Apply @@ -1258,7 +1262,7 @@ src/app/components/document-detail/document-detail.component.html - 69 + 75 src/app/components/document-list/document-list.component.html @@ -1441,6 +1445,46 @@ 正在以ASN搜索文档 + + Enter comment + + src/app/components/document-comments/document-comments.component.html + 4 + + Enter comment + + + Please enter a comment. + + src/app/components/document-comments/document-comments.component.html + 5,7 + + Please enter a comment. + + + Add comment + + src/app/components/document-comments/document-comments.component.html + 10 + + Add comment + + + Error saving comment: + + src/app/components/document-comments/document-comments.component.ts + 57 + + Error saving comment: + + + Error deleting comment: + + src/app/components/document-comments/document-comments.component.ts + 72 + + Error deleting comment: + Page @@ -1509,7 +1553,7 @@ src/app/components/manage/settings/settings.component.html - 175 + 183 删除 @@ -1537,11 +1581,23 @@ 下载原始文件 + + Redo OCR + + src/app/components/document-detail/document-detail.component.html + 34 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 90 + + 重新 OCR + More like this src/app/components/document-detail/document-detail.component.html - 34 + 40 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -1553,7 +1609,7 @@ Close src/app/components/document-detail/document-detail.component.html - 37 + 43 关闭 @@ -1561,7 +1617,7 @@ Previous src/app/components/document-detail/document-detail.component.html - 44 + 50 上一个 @@ -1569,7 +1625,7 @@ Next src/app/components/document-detail/document-detail.component.html - 49 + 55 下一个 @@ -1577,7 +1633,7 @@ Details src/app/components/document-detail/document-detail.component.html - 66 + 72 详细信息 @@ -1585,7 +1641,7 @@ Archive serial number src/app/components/document-detail/document-detail.component.html - 70 + 76 归档序列号 @@ -1593,7 +1649,7 @@ Date created src/app/components/document-detail/document-detail.component.html - 71 + 77 创建日期 @@ -1601,7 +1657,7 @@ Correspondent src/app/components/document-detail/document-detail.component.html - 72 + 78 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1625,7 +1681,7 @@ Document type src/app/components/document-detail/document-detail.component.html - 74 + 80 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1649,7 +1705,7 @@ Storage path src/app/components/document-detail/document-detail.component.html - 76 + 82 src/app/components/document-list/bulk-editor/bulk-editor.component.html @@ -1669,7 +1725,7 @@ Default src/app/components/document-detail/document-detail.component.html - 77 + 83 默认 @@ -1677,7 +1733,7 @@ Content src/app/components/document-detail/document-detail.component.html - 84 + 90 内容 @@ -1685,7 +1741,7 @@ Metadata src/app/components/document-detail/document-detail.component.html - 93 + 99 src/app/components/document-detail/metadata-collapse/metadata-collapse.component.ts @@ -1697,7 +1753,7 @@ Date modified src/app/components/document-detail/document-detail.component.html - 99 + 105 修改日期 @@ -1705,7 +1761,7 @@ Date added src/app/components/document-detail/document-detail.component.html - 103 + 109 日期已添加 @@ -1713,15 +1769,23 @@ Media filename src/app/components/document-detail/document-detail.component.html - 107 + 113 媒体文件名 + + Original filename + + src/app/components/document-detail/document-detail.component.html + 117 + + Original filename + Original MD5 checksum src/app/components/document-detail/document-detail.component.html - 111 + 121 原始 MD5 校验和 @@ -1729,7 +1793,7 @@ Original file size src/app/components/document-detail/document-detail.component.html - 115 + 125 原始文件大小 @@ -1737,7 +1801,7 @@ Original mime type src/app/components/document-detail/document-detail.component.html - 119 + 129 原始 mime 类型 @@ -1745,7 +1809,7 @@ Archive MD5 checksum src/app/components/document-detail/document-detail.component.html - 123 + 133 归档 MD5 校验和 @@ -1753,7 +1817,7 @@ Archive file size src/app/components/document-detail/document-detail.component.html - 127 + 137 归档文件大小 @@ -1761,7 +1825,7 @@ Original document metadata src/app/components/document-detail/document-detail.component.html - 133 + 143 原始文档元数据 @@ -1769,7 +1833,7 @@ Archived document metadata src/app/components/document-detail/document-detail.component.html - 134 + 144 归档文档元数据 @@ -1777,19 +1841,31 @@ Enter Password src/app/components/document-detail/document-detail.component.html - 156 + 166 src/app/components/document-detail/document-detail.component.html - 186 + 202 输入密码 + + Comments + + src/app/components/document-detail/document-detail.component.html + 173 + + + src/app/components/manage/settings/settings.component.html + 128 + + Comments + Discard src/app/components/document-detail/document-detail.component.html - 166 + 182 放弃 @@ -1797,7 +1873,7 @@ Save & next src/app/components/document-detail/document-detail.component.html - 167 + 183 保存 & 下一个 @@ -1805,7 +1881,7 @@ Confirm delete src/app/components/document-detail/document-detail.component.ts - 439 + 442 src/app/components/manage/management-list/management-list.component.ts @@ -1817,7 +1893,7 @@ Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 440 + 443 您真的想要删除文档 “” 吗? @@ -1825,7 +1901,7 @@ The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 441 + 444 此文档的文件将被永久删除。此操作无法撤消。 @@ -1833,7 +1909,7 @@ Delete document src/app/components/document-detail/document-detail.component.ts - 443 + 446 删除文档 @@ -1841,10 +1917,74 @@ Error deleting document: src/app/components/document-detail/document-detail.component.ts - 459 + 462 删除文档时出错: + + Redo OCR confirm + + src/app/components/document-detail/document-detail.component.ts + 482 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 387 + + 确定重新 OCR + + + This operation will permanently redo OCR for this document. + + src/app/components/document-detail/document-detail.component.ts + 483 + + This operation will permanently redo OCR for this document. + + + This operation cannot be undone. + + src/app/components/document-detail/document-detail.component.ts + 484 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 364 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 389 + + 此操作无法撤消。 + + + Proceed + + src/app/components/document-detail/document-detail.component.ts + 486 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 391 + + 继续操作 + + + Redo OCR operation will begin in the background. + + src/app/components/document-detail/document-detail.component.ts + 494 + + Redo OCR operation will begin in the background. + + + Error executing operation: + + src/app/components/document-detail/document-detail.component.ts + 505,507 + + Error executing operation: + Select: @@ -1933,7 +2073,7 @@ src/app/components/manage/settings/settings.component.html - 174 + 182 src/app/components/manage/tasks/tasks.component.html @@ -1947,7 +2087,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 78,82 - Download Preparing download... + 下载 正在准备下载... Download originals Preparing download... @@ -1955,15 +2095,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html 84,88 - Download originals Preparing download... - - - Redo OCR - - src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 - - Redo OCR + 下载原始文件 正在准备下载... Error executing bulk operation: @@ -2139,18 +2271,6 @@ 此操作将永久删除 个选定的文档。 - - This operation cannot be undone. - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 364 - - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 389 - - 此操作无法撤消。 - Delete document(s) @@ -2159,29 +2279,13 @@ 删除文档 - - Redo OCR confirm - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 387 - - Redo OCR confirm - This operation will permanently redo OCR for selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts 388 - This operation will permanently redo OCR for selected document(s). - - - Proceed - - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 391 - - Proceed + 此操作将永久重新 OCR 个选定的文档。 Filter by correspondent @@ -2491,7 +2595,7 @@ View "" saved successfully. src/app/components/document-list/document-list.component.ts - 180 + 176 视图保存成功。 @@ -2499,7 +2603,7 @@ View "" created successfully. src/app/components/document-list/document-list.component.ts - 210 + 206 视图:创建成功。 @@ -2655,7 +2759,7 @@ src/app/components/manage/settings/settings.component.html - 169 + 177 在侧边栏显示 @@ -2667,7 +2771,7 @@ src/app/components/manage/settings/settings.component.html - 165 + 173 在仪表板上显示 @@ -3083,11 +3187,19 @@ 关闭时应用 + + Enable comments + + src/app/components/manage/settings/settings.component.html + 132 + + Enable comments + Notifications src/app/components/manage/settings/settings.component.html - 132 + 140 通知 @@ -3095,7 +3207,7 @@ Document processing src/app/components/manage/settings/settings.component.html - 135 + 143 文档处理 @@ -3103,7 +3215,7 @@ Show notifications when new documents are detected src/app/components/manage/settings/settings.component.html - 139 + 147 检测到新文档时显示通知 @@ -3111,7 +3223,7 @@ Show notifications when document processing completes successfully src/app/components/manage/settings/settings.component.html - 140 + 148 文件处理成功完成时显示通知 @@ -3119,7 +3231,7 @@ Show notifications when document processing fails src/app/components/manage/settings/settings.component.html - 141 + 149 文件处理失败时显示通知 @@ -3127,7 +3239,7 @@ Suppress notifications on dashboard src/app/components/manage/settings/settings.component.html - 142 + 150 禁用在仪表盘上的通知 @@ -3135,7 +3247,7 @@ This will suppress all messages about document processing status on the dashboard. src/app/components/manage/settings/settings.component.html - 142 + 150 这将禁止仪表盘上所有有关文件处理状态的消息。 @@ -3143,7 +3255,7 @@ Appears on src/app/components/manage/settings/settings.component.html - 162 + 170 出现于 @@ -3151,7 +3263,7 @@ No saved views defined. src/app/components/manage/settings/settings.component.html - 179 + 187 未定义保存的视图。 @@ -3159,7 +3271,7 @@ Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 174 + 176 保存的视图已删除。 @@ -3167,7 +3279,7 @@ Settings saved src/app/components/manage/settings/settings.component.ts - 247 + 253 设置已保存 @@ -3175,7 +3287,7 @@ Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 248 + 254 设置保存成功 @@ -3183,7 +3295,7 @@ Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 252 + 258 设置已成功保存。需要重新加载以应用某些更改。 @@ -3191,7 +3303,7 @@ Reload now src/app/components/manage/settings/settings.component.ts - 253 + 259 立即重载 @@ -3199,7 +3311,7 @@ An error occurred while saving settings. src/app/components/manage/settings/settings.component.ts - 263 + 269 保存设置时发生错误。 @@ -3207,7 +3319,7 @@ Use system language src/app/components/manage/settings/settings.component.ts - 271 + 277 使用系统语言 @@ -3215,7 +3327,7 @@ Use date format of display language src/app/components/manage/settings/settings.component.ts - 278 + 284 使用显示语言的日期格式 @@ -3223,7 +3335,7 @@ Error while storing settings on server: src/app/components/manage/settings/settings.component.ts - 298,300 + 304,306 在服务器上存储设置时出错: @@ -3281,7 +3393,7 @@ src/app/components/manage/tasks/tasks.component.html 1 - File Tasks + 文件任务 Clear selection @@ -3289,7 +3401,7 @@ src/app/components/manage/tasks/tasks.component.html 6 - Clear selection + 清除选定内容 @@ -3299,7 +3411,7 @@ src/app/components/manage/tasks/tasks.component.html 11 - + Refresh @@ -3307,7 +3419,7 @@ src/app/components/manage/tasks/tasks.component.html 20 - Refresh + 刷新 Results @@ -3315,7 +3427,7 @@ src/app/components/manage/tasks/tasks.component.html 42 - Results + 结果 click for full output @@ -3323,7 +3435,7 @@ src/app/components/manage/tasks/tasks.component.html 66 - click for full output + 单击以获取完整输出 Dismiss @@ -3335,7 +3447,7 @@ src/app/components/manage/tasks/tasks.component.ts 54 - Dismiss + 关闭 Failed  @@ -3343,7 +3455,7 @@ src/app/components/manage/tasks/tasks.component.html 96 - Failed  + 失败  Complete  @@ -3351,7 +3463,7 @@ src/app/components/manage/tasks/tasks.component.html 102 - Complete  + 完成  Started  @@ -3359,7 +3471,7 @@ src/app/components/manage/tasks/tasks.component.html 108 - Started  + 开始  Queued  @@ -3367,7 +3479,7 @@ src/app/components/manage/tasks/tasks.component.html 114 - Queued  + 排队  Dismiss selected @@ -3375,7 +3487,7 @@ src/app/components/manage/tasks/tasks.component.ts 21 - Dismiss selected + 取消选择 Dismiss all @@ -3387,7 +3499,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - Dismiss all + 取消所有 Confirm Dismiss All @@ -3395,7 +3507,7 @@ src/app/components/manage/tasks/tasks.component.ts 50 - Confirm Dismiss All + 确认取消所有 tasks? @@ -3403,7 +3515,7 @@ src/app/components/manage/tasks/tasks.component.ts 52 - tasks? + 任务? 404 Not Found @@ -3501,6 +3613,14 @@ 自动:自动学习匹配 + + Warning: You have unsaved changes to your document(s). + + src/app/guards/dirty-doc.guard.ts + 17 + + Warning: You have unsaved changes to your document(s). + Unsaved Changes @@ -3509,11 +3629,11 @@ src/app/services/open-documents.service.ts - 111 + 116 src/app/services/open-documents.service.ts - 138 + 143 未保存的更改 @@ -3525,7 +3645,7 @@ src/app/services/open-documents.service.ts - 139 + 144 您有尚未保存的更改。 @@ -3681,7 +3801,7 @@ You have unsaved changes to the document src/app/services/open-documents.service.ts - 113 + 118 您对此文档的修改未保存 @@ -3689,7 +3809,7 @@ Are you sure you want to close this document? src/app/services/open-documents.service.ts - 117 + 122 您确定要关闭此文档吗? @@ -3697,7 +3817,7 @@ Close document src/app/services/open-documents.service.ts - 119 + 124 关闭文档 @@ -3705,7 +3825,7 @@ Are you sure you want to close all documents? src/app/services/open-documents.service.ts - 140 + 145 您确定要关闭所有文档吗? @@ -3713,7 +3833,7 @@ Close documents src/app/services/open-documents.service.ts - 142 + 147 关闭文档 diff --git a/src-ui/src/manifest.webmanifest b/src-ui/src/manifest.webmanifest index aff3085fb..700365e28 100644 --- a/src-ui/src/manifest.webmanifest +++ b/src-ui/src/manifest.webmanifest @@ -15,4 +15,4 @@ "name": "Paperless-ngx", "short_name": "Paperless-ngx", "start_url": "/" -} \ No newline at end of file +} diff --git a/src-ui/src/styles.scss b/src-ui/src/styles.scss index a6199b24d..f096e7a33 100644 --- a/src-ui/src/styles.scss +++ b/src-ui/src/styles.scss @@ -1,9 +1,9 @@ // bs options $enable-negative-margins: true; +@import "theme"; @import "node_modules/bootstrap/scss/bootstrap"; @import "~@ng-select/ng-select/themes/default.theme.css"; -@import "theme"; @import "print"; // Paperless-ngx styles @@ -73,8 +73,8 @@ svg.logo { border-color: var(--bs-primary); &:hover, &:focus { - background-color: var(--pngx-primary-darken-5); - border-color: var(--pngx-primary-darken-5); + background-color: var(--pngx-primary-darken-5) !important; + border-color: var(--pngx-primary-darken-5) !important; } &:disabled, &.disabled { @@ -84,6 +84,15 @@ svg.logo { } } +.btn-dark { + --bs-btn-color: var(--bs-gray-600); + --bs-btn-bg: var(--bs-gray-200); + --bs-btn-border-color: var(--bs-gray-200); + --bs-btn-hover-bg: var(--bs-gray-400); + --bs-btn-hover-border-color: var(--bs-gray-500); + --bs-btn-active-bg: var(--bs-gray-200); +} + .text-primary { color: var(--bs-primary) !important; } @@ -155,10 +164,16 @@ a.navbar-brand:focus-visible { } } -a, a:hover, .btn-link, .btn-link:hover { +a, a:hover, +.btn-link { color: var(--bs-primary); } +.btn-link:hover, +.btn-link:active { + color: var(--pngx-primary-darken-15) !important; +} + .form-control-dark { color: #fff; background-color: rgba(255, 255, 255, .1); @@ -215,8 +230,6 @@ a, a:hover, .btn-link, .btn-link:hover { top: 7px; } - .paperless-input-select .ng-select .ng-select-container - .ng-dropdown-panel .ng-dropdown-panel-items .ng-option.ng-option-marked { background-color: var(--pngx-bg-darker) !important; color: var(--pngx-body-color-accent) !important; @@ -407,6 +420,11 @@ textarea, vertical-align: text-bottom; } +.sidebaricon-sm { + width: 12px; + height: 12px; +} + table.table { color: var(--bs-body-color); @@ -467,6 +485,12 @@ table.table { user-select: none !important; } +.alert-primary { + --bs-alert-color: var(--bs-primary); + --bs-alert-bg: var(--pngx-primary-faded); + --bs-alert-border-color: var(--bs-primary); +} + .alert-danger { color: var(--bs-body-color); background-color: var(--bs-danger); @@ -484,14 +508,33 @@ table.table { } .popover { + background-color: var(--pngx-bg-alt); + .popover-header { + background-color: var(--pngx-bg-alt); + } .popover-header, .popover-body { - background-color: var(--pngx-bg-alt); border-color: var(--bs-border-color); color: var(--bs-body-color); } } +// Tour +.tour-active .popover { + min-width: 360px; + margin: 0 .25rem .25rem !important; +} + +body.tour-active .row.sticky-top, +body.tour-active .sidebar { + z-index: inherit !important; +} + +.nav-item.touranchor--is-active a { + font-weight: bold !important; + color: var(--bs-primary); +} + // fix popover carat colors .bs-popover-start > .popover-arrow::after, .bs-popover-auto[data-popper-placement^="left"] { border-left-color: var(--pngx-bg-alt); @@ -528,6 +571,25 @@ a.badge { border-color: var(--bs-primary); } +.btn-group-xs { + > .btn { + padding: 0.2rem 0.25rem; + font-size: 0.675rem; + line-height: 1.2; + border-radius: 0.15rem; + } + + > .btn:not(:first-child) { + border-top-left-radius: 0; + border-bottom-left-radius: 0; + } + + > .btn:not(:last-child) { + border-top-right-radius: 0; + border-bottom-right-radius: 0; + } +} + code { color: var(--pngx-body-color-accent) } diff --git a/src-ui/src/theme.scss b/src-ui/src/theme.scss index bf9be6662..77260a882 100644 --- a/src-ui/src/theme.scss +++ b/src-ui/src/theme.scss @@ -10,11 +10,12 @@ body { --bs-primary: hsl(var(--pngx-primary), var(--pngx-primary-lightness)); --bs-border-color: var(--bs-gray-400); - --pngx-primary-faded: hsl(var(--pngx-primary), calc(var(--pngx-primary-lightness) + 72%)); + --pngx-primary-faded: hsl(var(--pngx-primary), calc(var(--pngx-primary-lightness) + 76%)); --pngx-primary-lighten-30: hsl(var(--pngx-primary), calc(var(--pngx-primary-lightness) + 30%)); --pngx-primary-darken-5: hsl(var(--pngx-primary), calc(var(--pngx-primary-lightness) - 5%)); --pngx-primary-darken-15: hsl(var(--pngx-primary), calc(var(--pngx-primary-lightness) - 15%)); --pngx-primary-darken-18: hsl(var(--pngx-primary), calc(var(--pngx-primary-lightness) - 18%)); + --pngx-primary-darken-27: hsl(var(--pngx-primary), calc(var(--pngx-primary-lightness) - 27%)); --pngx-bg-alt: #fff; --pngx-bg-darker: var(--bs-gray-100); --pngx-focus-alpha: 0.3; @@ -79,6 +80,15 @@ $form-check-radio-checked-bg-image-dark: url("data:image/svg+xml, tbody > tr:nth-of-type(odd) > * { color: var(--pngx-body-color-accent); } diff --git a/src/documents/admin.py b/src/documents/admin.py index 3e3f1eb1c..6fa06c49b 100644 --- a/src/documents/admin.py +++ b/src/documents/admin.py @@ -42,6 +42,7 @@ class DocumentAdmin(admin.ModelAdmin): "checksum", "archive_filename", "archive_checksum", + "original_filename", ) list_display_links = ("title",) diff --git a/src/documents/barcodes.py b/src/documents/barcodes.py index ccfae37cb..a4be126a5 100644 --- a/src/documents/barcodes.py +++ b/src/documents/barcodes.py @@ -3,12 +3,16 @@ import os import shutil import tempfile from functools import lru_cache -from typing import List # for type hinting. Can be removed, if only Python >3.8 is used +from typing import List +from typing import Optional +from typing import Tuple import magic from django.conf import settings from pdf2image import convert_from_path +from pikepdf import Page from pikepdf import Pdf +from pikepdf import PdfImage from PIL import Image from PIL import ImageSequence from pyzbar import pyzbar @@ -16,6 +20,10 @@ from pyzbar import pyzbar logger = logging.getLogger("paperless.barcodes") +class BarcodeImageFormatError(Exception): + pass + + @lru_cache(maxsize=8) def supported_file_type(mime_type) -> bool: """ @@ -31,7 +39,7 @@ def supported_file_type(mime_type) -> bool: return mime_type in supported_mime -def barcode_reader(image) -> List[str]: +def barcode_reader(image: Image) -> List[str]: """ Read any barcodes contained in image Returns a list containing all found barcodes @@ -98,21 +106,66 @@ def convert_from_tiff_to_pdf(filepath: str) -> str: return newpath -def scan_file_for_separating_barcodes(filepath: str) -> List[int]: +def scan_file_for_separating_barcodes(filepath: str) -> Tuple[Optional[str], List[int]]: """ Scan the provided pdf file for page separating barcodes - Returns a list of pagenumbers, which separate the file + Returns a PDF filepath and a list of pagenumbers, + which separate the file into new files """ + + def _pikepdf_barcode_scan(pdf_filepath: str): + with Pdf.open(pdf_filepath) as pdf: + for page_num, page in enumerate(pdf.pages): + for image_key in page.images: + pdfimage = PdfImage(page.images[image_key]) + + if "/CCITTFaxDecode" in pdfimage.filters: + raise BarcodeImageFormatError() + + # Not all images can be transcoded to a PIL image, which + # is what pyzbar expects to receive + pillow_img = pdfimage.as_pil_image() + + detected_barcodes = barcode_reader(pillow_img) + + if settings.CONSUMER_BARCODE_STRING in detected_barcodes: + separator_page_numbers.append(page_num) + + def _pdf2image_barcode_scan(pdf_filepath: str): + # use a temporary directory in case the file os too big to handle in memory + with tempfile.TemporaryDirectory() as path: + pages_from_path = convert_from_path(pdf_filepath, output_folder=path) + for current_page_number, page in enumerate(pages_from_path): + current_barcodes = barcode_reader(page) + if settings.CONSUMER_BARCODE_STRING in current_barcodes: + separator_page_numbers.append(current_page_number) + separator_page_numbers = [] - separator_barcode = str(settings.CONSUMER_BARCODE_STRING) - # use a temporary directory in case the file os too big to handle in memory - with tempfile.TemporaryDirectory() as path: - pages_from_path = convert_from_path(filepath, output_folder=path) - for current_page_number, page in enumerate(pages_from_path): - current_barcodes = barcode_reader(page) - if separator_barcode in current_barcodes: - separator_page_numbers.append(current_page_number) - return separator_page_numbers + pdf_filepath = None + + mime_type = get_file_mime_type(filepath) + + if supported_file_type(mime_type): + pdf_filepath = filepath + if mime_type == "image/tiff": + pdf_filepath = convert_from_tiff_to_pdf(filepath) + + try: + _pikepdf_barcode_scan(pdf_filepath) + except Exception as e: + + logger.warning( + f"Exception using pikepdf for barcodes, falling back to pdf2image: {e}", + ) + # Reset this incase pikepdf got part way through + separator_page_numbers = [] + _pdf2image_barcode_scan(pdf_filepath) + + else: + logger.warning( + f"Unsupported file format for barcode reader: {str(mime_type)}", + ) + return pdf_filepath, separator_page_numbers def separate_pages(filepath: str, pages_to_split_on: List[int]) -> List[str]: @@ -122,47 +175,56 @@ def separate_pages(filepath: str, pages_to_split_on: List[int]) -> List[str]: Returns a list of (temporary) filepaths to consume. These will need to be deleted later. """ + + document_paths = [] + + if not pages_to_split_on: + logger.warning("No pages to split on!") + return document_paths + os.makedirs(settings.SCRATCH_DIR, exist_ok=True) tempdir = tempfile.mkdtemp(prefix="paperless-", dir=settings.SCRATCH_DIR) fname = os.path.splitext(os.path.basename(filepath))[0] pdf = Pdf.open(filepath) - document_paths = [] - logger.debug(f"Temp dir is {str(tempdir)}") - if not pages_to_split_on: - logger.warning("No pages to split on!") - else: - # go from the first page to the first separator page + + # A list of documents, ie a list of lists of pages + documents: List[List[Page]] = [] + # A single document, ie a list of pages + document: List[Page] = [] + + for idx, page in enumerate(pdf.pages): + # Keep building the new PDF as long as it is not a + # separator index + if idx not in pages_to_split_on: + document.append(page) + # Make sure to append the very last document to the documents + if idx == (len(pdf.pages) - 1): + documents.append(document) + document = [] + else: + # This is a split index, save the current PDF pages, and restart + # a new destination page listing + logger.debug(f"Starting new document at idx {idx}") + documents.append(document) + document = [] + + documents = [x for x in documents if len(x)] + + logger.debug(f"Split into {len(documents)} new documents") + + # Write the new documents out + for doc_idx, document in enumerate(documents): dst = Pdf.new() - for n, page in enumerate(pdf.pages): - if n < pages_to_split_on[0]: - dst.pages.append(page) - output_filename = f"{fname}_document_0.pdf" + dst.pages.extend(document) + + output_filename = f"{fname}_document_{doc_idx}.pdf" + + logger.debug(f"pdf no:{doc_idx} has {len(dst.pages)} pages") savepath = os.path.join(tempdir, output_filename) with open(savepath, "wb") as out: dst.save(out) - document_paths = [savepath] + document_paths.append(savepath) - # iterate through the rest of the document - for count, page_number in enumerate(pages_to_split_on): - logger.debug(f"Count: {str(count)} page_number: {str(page_number)}") - dst = Pdf.new() - try: - next_page = pages_to_split_on[count + 1] - except IndexError: - next_page = len(pdf.pages) - # skip the first page_number. This contains the barcode page - for page in range(page_number + 1, next_page): - logger.debug( - f"page_number: {str(page_number)} next_page: {str(next_page)}", - ) - dst.pages.append(pdf.pages[page]) - output_filename = f"{fname}_document_{str(count + 1)}.pdf" - logger.debug(f"pdf no:{str(count)} has {str(len(dst.pages))} pages") - savepath = os.path.join(tempdir, output_filename) - with open(savepath, "wb") as out: - dst.save(out) - document_paths.append(savepath) - logger.debug(f"Temp files are {str(document_paths)}") return document_paths diff --git a/src/documents/bulk_edit.py b/src/documents/bulk_edit.py index babd5f3b4..663e96809 100644 --- a/src/documents/bulk_edit.py +++ b/src/documents/bulk_edit.py @@ -1,11 +1,12 @@ import itertools from django.db.models import Q -from django_q.tasks import async_task from documents.models import Correspondent from documents.models import Document from documents.models import DocumentType from documents.models import StoragePath +from documents.tasks import bulk_update_documents +from documents.tasks import update_document_archive_file def set_correspondent(doc_ids, correspondent): @@ -16,7 +17,7 @@ def set_correspondent(doc_ids, correspondent): affected_docs = [doc.id for doc in qs] qs.update(correspondent=correspondent) - async_task("documents.tasks.bulk_update_documents", document_ids=affected_docs) + bulk_update_documents.delay(document_ids=affected_docs) return "OK" @@ -31,8 +32,7 @@ def set_storage_path(doc_ids, storage_path): affected_docs = [doc.id for doc in qs] qs.update(storage_path=storage_path) - async_task( - "documents.tasks.bulk_update_documents", + bulk_update_documents.delay( document_ids=affected_docs, ) @@ -47,7 +47,7 @@ def set_document_type(doc_ids, document_type): affected_docs = [doc.id for doc in qs] qs.update(document_type=document_type) - async_task("documents.tasks.bulk_update_documents", document_ids=affected_docs) + bulk_update_documents.delay(document_ids=affected_docs) return "OK" @@ -63,7 +63,7 @@ def add_tag(doc_ids, tag): [DocumentTagRelationship(document_id=doc, tag_id=tag) for doc in affected_docs], ) - async_task("documents.tasks.bulk_update_documents", document_ids=affected_docs) + bulk_update_documents.delay(document_ids=affected_docs) return "OK" @@ -79,7 +79,7 @@ def remove_tag(doc_ids, tag): Q(document_id__in=affected_docs) & Q(tag_id=tag), ).delete() - async_task("documents.tasks.bulk_update_documents", document_ids=affected_docs) + bulk_update_documents.delay(document_ids=affected_docs) return "OK" @@ -103,7 +103,7 @@ def modify_tags(doc_ids, add_tags, remove_tags): ignore_conflicts=True, ) - async_task("documents.tasks.bulk_update_documents", document_ids=affected_docs) + bulk_update_documents.delay(document_ids=affected_docs) return "OK" @@ -122,6 +122,9 @@ def delete(doc_ids): def redo_ocr(doc_ids): - async_task("documents.tasks.redo_ocr", document_ids=doc_ids) + for document_id in doc_ids: + update_document_archive_file.delay( + document_id=document_id, + ) return "OK" diff --git a/src/documents/classifier.py b/src/documents/classifier.py index 594973ac6..2779fad7b 100644 --- a/src/documents/classifier.py +++ b/src/documents/classifier.py @@ -5,12 +5,15 @@ import pickle import re import shutil import warnings +from typing import List from typing import Optional from django.conf import settings from documents.models import Document from documents.models import MatchingModel +logger = logging.getLogger("paperless.classifier") + class IncompatibleClassifierVersionError(Exception): pass @@ -20,15 +23,6 @@ class ClassifierModelCorruptError(Exception): pass -logger = logging.getLogger("paperless.classifier") - - -def preprocess_content(content: str) -> str: - content = content.lower().strip() - content = re.sub(r"\s+", " ", content) - return content - - def load_classifier() -> Optional["DocumentClassifier"]: if not os.path.isfile(settings.MODEL_FILE): logger.debug( @@ -81,6 +75,9 @@ class DocumentClassifier: self.document_type_classifier = None self.storage_path_classifier = None + self._stemmer = None + self._stop_words = None + def load(self): # Catch warnings for processing with warnings.catch_warnings(record=True) as w: @@ -101,8 +98,8 @@ class DocumentClassifier: self.correspondent_classifier = pickle.load(f) self.document_type_classifier = pickle.load(f) self.storage_path_classifier = pickle.load(f) - except Exception: - raise ClassifierModelCorruptError() + except Exception as err: + raise ClassifierModelCorruptError() from err # Check for the warning about unpickling from differing versions # and consider it incompatible @@ -139,11 +136,11 @@ class DocumentClassifier: def train(self): - data = list() - labels_tags = list() - labels_correspondent = list() - labels_document_type = list() - labels_storage_path = list() + data = [] + labels_tags = [] + labels_correspondent = [] + labels_document_type = [] + labels_storage_path = [] # Step 1: Extract and preprocess training data from the database. logger.debug("Gathering data from database...") @@ -151,7 +148,7 @@ class DocumentClassifier: for doc in Document.objects.order_by("pk").exclude( tags__is_inbox_tag=True, ): - preprocessed_content = preprocess_content(doc.content) + preprocessed_content = self.preprocess_content(doc.content) m.update(preprocessed_content.encode("utf-8")) data.append(preprocessed_content) @@ -231,6 +228,11 @@ class DocumentClassifier: ) data_vectorized = self.data_vectorizer.fit_transform(data) + # See the notes here: + # https://scikit-learn.org/stable/modules/generated/sklearn.feature_extraction.text.CountVectorizer.html # noqa: 501 + # This attribute isn't needed to function and can be large + self.data_vectorizer.stop_words_ = None + # Step 3: train the classifiers if num_tags > 0: logger.debug("Training tags classifier...") @@ -296,9 +298,52 @@ class DocumentClassifier: return True + def preprocess_content(self, content: str) -> str: + """ + Process to contents of a document, distilling it down into + words which are meaningful to the content + """ + + # Lower case the document + content = content.lower().strip() + # Reduce spaces + content = re.sub(r"\s+", " ", content) + # Get only the letters + content = re.sub(r"[^\w\s]", " ", content) + + # If the NLTK language is supported, do further processing + if settings.NLTK_LANGUAGE is not None and settings.NLTK_ENABLED: + + import nltk + + from nltk.tokenize import word_tokenize + from nltk.corpus import stopwords + from nltk.stem import SnowballStemmer + + # Not really hacky, since it isn't private and is documented, but + # set the search path for NLTK data to the single location it should be in + nltk.data.path = [settings.NLTK_DIR] + + # Do some one time setup + if self._stemmer is None: + self._stemmer = SnowballStemmer(settings.NLTK_LANGUAGE) + if self._stop_words is None: + self._stop_words = set(stopwords.words(settings.NLTK_LANGUAGE)) + + # Tokenize + words: List[str] = word_tokenize(content, language=settings.NLTK_LANGUAGE) + # Remove stop words + meaningful_words = [w for w in words if w not in self._stop_words] + # Stem words + meaningful_words = [self._stemmer.stem(w) for w in meaningful_words] + + return " ".join(meaningful_words) + + return content + def predict_correspondent(self, content): if self.correspondent_classifier: - X = self.data_vectorizer.transform([preprocess_content(content)]) + X = self.data_vectorizer.transform([self.preprocess_content(content)]) correspondent_id = self.correspondent_classifier.predict(X) if correspondent_id != -1: return correspondent_id @@ -309,7 +354,7 @@ class DocumentClassifier: def predict_document_type(self, content): if self.document_type_classifier: - X = self.data_vectorizer.transform([preprocess_content(content)]) + X = self.data_vectorizer.transform([self.preprocess_content(content)]) document_type_id = self.document_type_classifier.predict(X) if document_type_id != -1: return document_type_id @@ -322,7 +367,7 @@ class DocumentClassifier: from sklearn.utils.multiclass import type_of_target if self.tags_classifier: - X = self.data_vectorizer.transform([preprocess_content(content)]) + X = self.data_vectorizer.transform([self.preprocess_content(content)]) y = self.tags_classifier.predict(X) tags_ids = self.tags_binarizer.inverse_transform(y)[0] if type_of_target(y).startswith("multilabel"): @@ -341,7 +386,7 @@ class DocumentClassifier: def predict_storage_path(self, content): if self.storage_path_classifier: - X = self.data_vectorizer.transform([preprocess_content(content)]) + X = self.data_vectorizer.transform([self.preprocess_content(content)]) storage_path_id = self.storage_path_classifier.predict(X) if storage_path_id != -1: return storage_path_id diff --git a/src/documents/consumer.py b/src/documents/consumer.py index e5794ce4f..609ebed83 100644 --- a/src/documents/consumer.py +++ b/src/documents/consumer.py @@ -78,10 +78,16 @@ class Consumer(LoggingMixin): {"type": "status_update", "data": payload}, ) - def _fail(self, message, log_message=None, exc_info=None): + def _fail( + self, + message, + log_message=None, + exc_info=None, + exception: Optional[Exception] = None, + ): self._send_progress(100, 100, "FAILED", message) self.log("error", log_message or message, exc_info=exc_info) - raise ConsumerError(f"{self.filename}: {log_message or message}") + raise ConsumerError(f"{self.filename}: {log_message or message}") from exception def __init__(self): super().__init__() @@ -105,14 +111,16 @@ class Consumer(LoggingMixin): def pre_check_duplicate(self): with open(self.path, "rb") as f: checksum = hashlib.md5(f.read()).hexdigest() - if Document.objects.filter( + existing_doc = Document.objects.filter( Q(checksum=checksum) | Q(archive_checksum=checksum), - ).exists(): + ) + if existing_doc.exists(): if settings.CONSUMER_DELETE_DUPLICATES: os.unlink(self.path) self._fail( MESSAGE_DOCUMENT_ALREADY_EXISTS, - f"Not consuming {self.filename}: It is a duplicate.", + f"Not consuming {self.filename}: It is a duplicate of" + f" {existing_doc.get().title} (#{existing_doc.get().pk})", ) def pre_check_directories(self): @@ -134,13 +142,25 @@ class Consumer(LoggingMixin): self.log("info", f"Executing pre-consume script {settings.PRE_CONSUME_SCRIPT}") + filepath_arg = os.path.normpath(self.path) + + script_env = os.environ.copy() + script_env["DOCUMENT_SOURCE_PATH"] = filepath_arg + try: - Popen((settings.PRE_CONSUME_SCRIPT, self.path)).wait() + Popen( + ( + settings.PRE_CONSUME_SCRIPT, + filepath_arg, + ), + env=script_env, + ).wait() except Exception as e: self._fail( MESSAGE_PRE_CONSUME_SCRIPT_ERROR, f"Error while executing pre-consume script: {e}", exc_info=True, + exception=e, ) def run_post_consume_script(self, document): @@ -159,6 +179,34 @@ class Consumer(LoggingMixin): f"Executing post-consume script {settings.POST_CONSUME_SCRIPT}", ) + script_env = os.environ.copy() + + script_env["DOCUMENT_ID"] = str(document.pk) + script_env["DOCUMENT_CREATED"] = str(document.created) + script_env["DOCUMENT_MODIFIED"] = str(document.modified) + script_env["DOCUMENT_ADDED"] = str(document.added) + script_env["DOCUMENT_FILE_NAME"] = document.get_public_filename() + script_env["DOCUMENT_SOURCE_PATH"] = os.path.normpath(document.source_path) + script_env["DOCUMENT_ARCHIVE_PATH"] = os.path.normpath( + str(document.archive_path), + ) + script_env["DOCUMENT_THUMBNAIL_PATH"] = os.path.normpath( + document.thumbnail_path, + ) + script_env["DOCUMENT_DOWNLOAD_URL"] = reverse( + "document-download", + kwargs={"pk": document.pk}, + ) + script_env["DOCUMENT_THUMBNAIL_URL"] = reverse( + "document-thumb", + kwargs={"pk": document.pk}, + ) + script_env["DOCUMENT_CORRESPONDENT"] = str(document.correspondent) + script_env["DOCUMENT_TAGS"] = str( + ",".join(document.tags.all().values_list("name", flat=True)), + ) + script_env["DOCUMENT_ORIGINAL_FILENAME"] = str(document.original_filename) + try: Popen( ( @@ -172,12 +220,14 @@ class Consumer(LoggingMixin): str(document.correspondent), str(",".join(document.tags.all().values_list("name", flat=True))), ), + env=script_env, ).wait() except Exception as e: self._fail( MESSAGE_POST_CONSUME_SCRIPT_ERROR, f"Error while executing post-consume script: {e}", exc_info=True, + exception=e, ) def try_consume_file( @@ -292,6 +342,7 @@ class Consumer(LoggingMixin): str(e), f"Error while consuming document {self.filename}: {e}", exc_info=True, + exception=e, ) # Prepare the document classifier. @@ -376,6 +427,7 @@ class Consumer(LoggingMixin): f"The following error occurred while consuming " f"{self.filename}: {e}", exc_info=True, + exception=e, ) finally: document_parser.cleanup() @@ -426,6 +478,7 @@ class Consumer(LoggingMixin): created=create_date, modified=create_date, storage_type=storage_type, + original_filename=self.filename, ) self.apply_overrides(document) diff --git a/src/documents/management/commands/document_archiver.py b/src/documents/management/commands/document_archiver.py index c51f1baeb..fa78a1963 100644 --- a/src/documents/management/commands/document_archiver.py +++ b/src/documents/management/commands/document_archiver.py @@ -1,85 +1,18 @@ -import hashlib import logging import multiprocessing import os -import shutil -import uuid import tqdm from django import db from django.conf import settings from django.core.management.base import BaseCommand -from django.db import transaction from documents.models import Document -from filelock import FileLock - -from ... import index -from ...file_handling import create_source_path_directory -from ...file_handling import generate_unique_filename -from ...parsers import get_parser_class_for_mime_type +from documents.tasks import update_document_archive_file logger = logging.getLogger("paperless.management.archiver") -def handle_document(document_id): - document = Document.objects.get(id=document_id) - - mime_type = document.mime_type - - parser_class = get_parser_class_for_mime_type(mime_type) - - if not parser_class: - logger.error( - f"No parser found for mime type {mime_type}, cannot " - f"archive document {document} (ID: {document_id})", - ) - return - - parser = parser_class(logging_group=uuid.uuid4()) - - try: - parser.parse(document.source_path, mime_type, document.get_public_filename()) - - thumbnail = parser.get_thumbnail( - document.source_path, - mime_type, - document.get_public_filename(), - ) - - if parser.get_archive_path(): - with transaction.atomic(): - with open(parser.get_archive_path(), "rb") as f: - checksum = hashlib.md5(f.read()).hexdigest() - # I'm going to save first so that in case the file move - # fails, the database is rolled back. - # We also don't use save() since that triggers the filehandling - # logic, and we don't want that yet (file not yet in place) - document.archive_filename = generate_unique_filename( - document, - archive_filename=True, - ) - Document.objects.filter(pk=document.pk).update( - archive_checksum=checksum, - content=parser.get_text(), - archive_filename=document.archive_filename, - ) - with FileLock(settings.MEDIA_LOCK): - create_source_path_directory(document.archive_path) - shutil.move(parser.get_archive_path(), document.archive_path) - shutil.move(thumbnail, document.thumbnail_path) - - with index.open_index_writer() as writer: - index.update_document(writer, document) - - except Exception: - logger.exception( - f"Error while parsing document {document} " f"(ID: {document_id})", - ) - finally: - parser.cleanup() - - class Command(BaseCommand): help = """ @@ -146,7 +79,7 @@ class Command(BaseCommand): with multiprocessing.Pool(processes=settings.TASK_WORKERS) as pool: list( tqdm.tqdm( - pool.imap_unordered(handle_document, document_ids), + pool.imap_unordered(update_document_archive_file, document_ids), total=len(document_ids), disable=options["no_progress_bar"], ), diff --git a/src/documents/management/commands/document_consumer.py b/src/documents/management/commands/document_consumer.py index baa14f166..3dce17263 100644 --- a/src/documents/management/commands/document_consumer.py +++ b/src/documents/management/commands/document_consumer.py @@ -2,6 +2,7 @@ import logging import os from pathlib import Path from pathlib import PurePath +from threading import Event from threading import Thread from time import monotonic from time import sleep @@ -10,9 +11,9 @@ from typing import Final from django.conf import settings from django.core.management.base import BaseCommand from django.core.management.base import CommandError -from django_q.tasks import async_task from documents.models import Tag from documents.parsers import is_file_ext_supported +from documents.tasks import consume_file from watchdog.events import FileSystemEventHandler from watchdog.observers.polling import PollingObserver @@ -91,11 +92,9 @@ def _consume(filepath): try: logger.info(f"Adding {filepath} to the task queue.") - async_task( - "documents.tasks.consume_file", + consume_file.delay( filepath, override_tag_ids=tag_ids if tag_ids else None, - task_name=os.path.basename(filepath)[:100], ) except Exception: # Catch all so that the consumer won't crash. @@ -148,9 +147,11 @@ class Command(BaseCommand): """ # This is here primarily for the tests and is irrelevant in production. - stop_flag = False - - observer = None + stop_flag = Event() + # Also only for testing, configures in one place the timeout used before checking + # the stop flag + testing_timeout_s: Final[float] = 0.5 + testing_timeout_ms: Final[float] = testing_timeout_s * 1000.0 def add_arguments(self, parser): parser.add_argument( @@ -161,6 +162,16 @@ class Command(BaseCommand): ) parser.add_argument("--oneshot", action="store_true", help="Run only once.") + # Only use during unit testing, will configure a timeout + # Leaving it unset or false and the consumer will exit when it + # receives SIGINT + parser.add_argument( + "--testing", + action="store_true", + help="Flag used only for unit testing", + default=False, + ) + def handle(self, *args, **options): directory = options["directory"] recursive = settings.CONSUMER_RECURSIVE @@ -186,29 +197,40 @@ class Command(BaseCommand): return if settings.CONSUMER_POLLING == 0 and INotify: - self.handle_inotify(directory, recursive) + self.handle_inotify(directory, recursive, options["testing"]) else: - self.handle_polling(directory, recursive) + self.handle_polling(directory, recursive, options["testing"]) logger.debug("Consumer exiting.") - def handle_polling(self, directory, recursive): + def handle_polling(self, directory, recursive, is_testing: bool): logger.info(f"Polling directory for changes: {directory}") - self.observer = PollingObserver(timeout=settings.CONSUMER_POLLING) - self.observer.schedule(Handler(), directory, recursive=recursive) - self.observer.start() - try: - while self.observer.is_alive(): - self.observer.join(1) - if self.stop_flag: - self.observer.stop() - except KeyboardInterrupt: - self.observer.stop() - self.observer.join() - def handle_inotify(self, directory, recursive): + timeout = None + if is_testing: + timeout = self.testing_timeout_s + logger.debug(f"Configuring timeout to {timeout}s") + + observer = PollingObserver(timeout=settings.CONSUMER_POLLING) + observer.schedule(Handler(), directory, recursive=recursive) + observer.start() + try: + while observer.is_alive(): + observer.join(timeout) + if self.stop_flag.is_set(): + observer.stop() + except KeyboardInterrupt: + observer.stop() + observer.join() + + def handle_inotify(self, directory, recursive, is_testing: bool): logger.info(f"Using inotify to watch directory for changes: {directory}") + timeout = None + if is_testing: + timeout = self.testing_timeout_ms + logger.debug(f"Configuring timeout to {timeout}ms") + inotify = INotify() inotify_flags = flags.CLOSE_WRITE | flags.MOVED_TO if recursive: @@ -216,14 +238,15 @@ class Command(BaseCommand): else: descriptor = inotify.add_watch(directory, inotify_flags) - try: + inotify_debounce: Final[float] = settings.CONSUMER_INOTIFY_DELAY - inotify_debounce: Final[float] = settings.CONSUMER_INOTIFY_DELAY - notified_files = {} + finished = False - while not self.stop_flag: + notified_files = {} - for event in inotify.read(timeout=1000): + while not finished: + try: + for event in inotify.read(timeout=timeout): if recursive: path = inotify.get_path(event.wd) else: @@ -256,8 +279,22 @@ class Command(BaseCommand): # These files are still waiting to hit the timeout notified_files = still_waiting - except KeyboardInterrupt: - pass + # If files are waiting, need to exit read() to check them + # Otherwise, go back to infinite sleep time, but only if not testing + if len(notified_files) > 0: + timeout = inotify_debounce + elif is_testing: + timeout = self.testing_timeout_ms + else: + timeout = None + + if self.stop_flag.is_set(): + logger.debug("Finishing because event is set") + finished = True + + except KeyboardInterrupt: + logger.info("Received SIGINT, stopping inotify") + finished = True inotify.rm_watch(descriptor) inotify.close() diff --git a/src/documents/management/commands/document_exporter.py b/src/documents/management/commands/document_exporter.py index 526d59368..0e99e7b7d 100644 --- a/src/documents/management/commands/document_exporter.py +++ b/src/documents/management/commands/document_exporter.py @@ -12,11 +12,13 @@ from django.core import serializers from django.core.management.base import BaseCommand from django.core.management.base import CommandError from django.db import transaction +from documents.models import Comment from documents.models import Correspondent from documents.models import Document from documents.models import DocumentType from documents.models import SavedView from documents.models import SavedViewFilterRule +from documents.models import StoragePath from documents.models import Tag from documents.models import UiSettings from documents.settings import EXPORTER_ARCHIVE_NAME @@ -113,8 +115,8 @@ class Command(BaseCommand): map(lambda f: os.path.abspath(os.path.join(root, f)), files), ) - # 2. Create manifest, containing all correspondents, types, tags, - # documents and ui_settings + # 2. Create manifest, containing all correspondents, types, tags, storage paths + # comments, documents and ui_settings with transaction.atomic(): manifest = json.loads( serializers.serialize("json", Correspondent.objects.all()), @@ -126,6 +128,14 @@ class Command(BaseCommand): serializers.serialize("json", DocumentType.objects.all()), ) + manifest += json.loads( + serializers.serialize("json", StoragePath.objects.all()), + ) + + manifest += json.loads( + serializers.serialize("json", Comment.objects.all()), + ) + documents = Document.objects.order_by("id") document_map = {d.pk: d for d in documents} document_manifest = json.loads(serializers.serialize("json", documents)) diff --git a/src/documents/management/commands/document_importer.py b/src/documents/management/commands/document_importer.py index 1a1316059..db85460da 100644 --- a/src/documents/management/commands/document_importer.py +++ b/src/documents/management/commands/document_importer.py @@ -3,6 +3,7 @@ import logging import os import shutil from contextlib import contextmanager +from pathlib import Path import tqdm from django.conf import settings @@ -14,6 +15,7 @@ from django.core.serializers.base import DeserializationError from django.db.models.signals import m2m_changed from django.db.models.signals import post_save from documents.models import Document +from documents.parsers import run_convert from documents.settings import EXPORTER_ARCHIVE_NAME from documents.settings import EXPORTER_FILE_NAME from documents.settings import EXPORTER_THUMBNAIL_NAME @@ -192,7 +194,7 @@ class Command(BaseCommand): document_path = os.path.join(self.source, doc_file) thumb_file = record[EXPORTER_THUMBNAIL_NAME] - thumbnail_path = os.path.join(self.source, thumb_file) + thumbnail_path = Path(os.path.join(self.source, thumb_file)).resolve() if EXPORTER_ARCHIVE_NAME in record: archive_file = record[EXPORTER_ARCHIVE_NAME] @@ -209,7 +211,20 @@ class Command(BaseCommand): create_source_path_directory(document.source_path) shutil.copy2(document_path, document.source_path) - shutil.copy2(thumbnail_path, document.thumbnail_path) + + if thumbnail_path.suffix in {".png", ".PNG"}: + run_convert( + density=300, + scale="500x5000>", + alpha="remove", + strip=True, + trim=False, + auto_orient=True, + input_file=f"{thumbnail_path}[0]", + output_file=str(document.thumbnail_path), + ) + else: + shutil.copy2(thumbnail_path, document.thumbnail_path) if archive_path: create_source_path_directory(document.archive_path) # TODO: this assumes that the export is valid and diff --git a/src/documents/management/commands/document_redo_ocr.py b/src/documents/management/commands/document_redo_ocr.py deleted file mode 100644 index 1e44e6134..000000000 --- a/src/documents/management/commands/document_redo_ocr.py +++ /dev/null @@ -1,35 +0,0 @@ -import tqdm -from django.core.management.base import BaseCommand -from documents.tasks import redo_ocr - - -class Command(BaseCommand): - - help = """ - This will rename all documents to match the latest filename format. - """.replace( - " ", - "", - ) - - def add_arguments(self, parser): - - parser.add_argument( - "--no-progress-bar", - default=False, - action="store_true", - help="If set, the progress bar will not be shown", - ) - - parser.add_argument( - "documents", - nargs="+", - help="Document primary keys for re-processing OCR on", - ) - - def handle(self, *args, **options): - doc_pks = tqdm.tqdm( - options["documents"], - disable=options["no_progress_bar"], - ) - redo_ocr(doc_pks) diff --git a/src/documents/management/commands/document_retagger.py b/src/documents/management/commands/document_retagger.py index 5ecf7f8ce..c42357eb5 100644 --- a/src/documents/management/commands/document_retagger.py +++ b/src/documents/management/commands/document_retagger.py @@ -7,6 +7,7 @@ from documents.models import Document from ...signals.handlers import set_correspondent from ...signals.handlers import set_document_type +from ...signals.handlers import set_storage_path from ...signals.handlers import set_tags @@ -29,6 +30,7 @@ class Command(BaseCommand): parser.add_argument("-c", "--correspondent", default=False, action="store_true") parser.add_argument("-T", "--tags", default=False, action="store_true") parser.add_argument("-t", "--document_type", default=False, action="store_true") + parser.add_argument("-s", "--storage_path", default=False, action="store_true") parser.add_argument("-i", "--inbox-only", default=False, action="store_true") parser.add_argument( "--use-first", @@ -112,3 +114,14 @@ class Command(BaseCommand): base_url=options["base_url"], color=color, ) + if options["storage_path"]: + set_storage_path( + sender=None, + document=document, + classifier=classifier, + replace=options["overwrite"], + use_first=options["use_first"], + suggest=options["suggest"], + base_url=options["base_url"], + color=color, + ) diff --git a/src/documents/migrations/1001_auto_20201109_1636.py b/src/documents/migrations/1001_auto_20201109_1636.py index 0558ee640..2558180bb 100644 --- a/src/documents/migrations/1001_auto_20201109_1636.py +++ b/src/documents/migrations/1001_auto_20201109_1636.py @@ -1,34 +1,14 @@ # Generated by Django 3.1.3 on 2020-11-09 16:36 from django.db import migrations -from django.db.migrations import RunPython -from django_q.models import Schedule -from django_q.tasks import schedule - - -def add_schedules(apps, schema_editor): - schedule( - "documents.tasks.train_classifier", - name="Train the classifier", - schedule_type=Schedule.HOURLY, - ) - schedule( - "documents.tasks.index_optimize", - name="Optimize the index", - schedule_type=Schedule.DAILY, - ) - - -def remove_schedules(apps, schema_editor): - Schedule.objects.filter(func="documents.tasks.train_classifier").delete() - Schedule.objects.filter(func="documents.tasks.index_optimize").delete() class Migration(migrations.Migration): dependencies = [ ("documents", "1000_update_paperless_all"), - ("django_q", "0013_task_attempt_count"), ] - operations = [RunPython(add_schedules, remove_schedules)] + operations = [ + migrations.RunPython(migrations.RunPython.noop, migrations.RunPython.noop) + ] diff --git a/src/documents/migrations/1004_sanity_check_schedule.py b/src/documents/migrations/1004_sanity_check_schedule.py index 61d617dde..0437fbd57 100644 --- a/src/documents/migrations/1004_sanity_check_schedule.py +++ b/src/documents/migrations/1004_sanity_check_schedule.py @@ -2,27 +2,12 @@ from django.db import migrations from django.db.migrations import RunPython -from django_q.models import Schedule -from django_q.tasks import schedule - - -def add_schedules(apps, schema_editor): - schedule( - "documents.tasks.sanity_check", - name="Perform sanity check", - schedule_type=Schedule.WEEKLY, - ) - - -def remove_schedules(apps, schema_editor): - Schedule.objects.filter(func="documents.tasks.sanity_check").delete() class Migration(migrations.Migration): dependencies = [ ("documents", "1003_mime_types"), - ("django_q", "0013_task_attempt_count"), ] - operations = [RunPython(add_schedules, remove_schedules)] + operations = [RunPython(migrations.RunPython.noop, migrations.RunPython.noop)] diff --git a/src/documents/migrations/1022_paperlesstask.py b/src/documents/migrations/1022_paperlesstask.py index f1ecb244f..b89e9bbac 100644 --- a/src/documents/migrations/1022_paperlesstask.py +++ b/src/documents/migrations/1022_paperlesstask.py @@ -4,28 +4,9 @@ from django.db import migrations, models import django.db.models.deletion -def init_paperless_tasks(apps, schema_editor): - PaperlessTask = apps.get_model("documents", "PaperlessTask") - Task = apps.get_model("django_q", "Task") - - for task in Task.objects.filter(func="documents.tasks.consume_file"): - if not hasattr(task, "paperlesstask"): - paperlesstask = PaperlessTask.objects.create( - attempted_task=task, - task_id=task.id, - name=task.name, - created=task.started, - started=task.started, - acknowledged=True, - ) - task.paperlesstask = paperlesstask - task.save() - - class Migration(migrations.Migration): dependencies = [ - ("django_q", "0014_schedule_cluster"), ("documents", "1021_webp_thumbnail_conversion"), ] @@ -60,10 +41,12 @@ class Migration(migrations.Migration): null=True, on_delete=django.db.models.deletion.CASCADE, related_name="attempted_task", - to="django_q.task", + # This is a dummy field, 1026 will fix up the column + # This manual change is required, as django doesn't django doesn't really support + # removing an app which has migration deps like this + to="documents.document", ), ), ], - ), - migrations.RunPython(init_paperless_tasks, migrations.RunPython.noop), + ) ] diff --git a/src/documents/migrations/1023_add_comments.py b/src/documents/migrations/1023_add_comments.py new file mode 100644 index 000000000..2c89947e9 --- /dev/null +++ b/src/documents/migrations/1023_add_comments.py @@ -0,0 +1,69 @@ +from django.db import migrations, models +import django.utils.timezone +from django.conf import settings + + +class Migration(migrations.Migration): + dependencies = [ + ("documents", "1022_paperlesstask"), + ] + + operations = [ + migrations.CreateModel( + name="Comment", + fields=[ + ( + "id", + models.AutoField( + auto_created=True, + primary_key=True, + serialize=False, + verbose_name="ID", + ), + ), + ( + "comment", + models.TextField( + blank=True, + help_text="Comment for the document", + verbose_name="content", + ), + ), + ( + "created", + models.DateTimeField( + db_index=True, + default=django.utils.timezone.now, + verbose_name="created", + ), + ), + ( + "document", + models.ForeignKey( + blank=True, + null=True, + on_delete=django.db.models.deletion.CASCADE, + related_name="documents", + to="documents.document", + verbose_name="document", + ), + ), + ( + "user", + models.ForeignKey( + blank=True, + null=True, + on_delete=django.db.models.deletion.SET_NULL, + related_name="users", + to=settings.AUTH_USER_MODEL, + verbose_name="user", + ), + ), + ], + options={ + "verbose_name": "comment", + "verbose_name_plural": "comments", + "ordering": ("created",), + }, + ), + ] diff --git a/src/documents/migrations/1024_document_original_filename.py b/src/documents/migrations/1024_document_original_filename.py new file mode 100644 index 000000000..b0f03cd50 --- /dev/null +++ b/src/documents/migrations/1024_document_original_filename.py @@ -0,0 +1,25 @@ +# Generated by Django 4.0.6 on 2022-07-25 06:34 + +from django.db import migrations, models + + +class Migration(migrations.Migration): + + dependencies = [ + ("documents", "1023_add_comments"), + ] + + operations = [ + migrations.AddField( + model_name="document", + name="original_filename", + field=models.CharField( + default=None, + editable=False, + help_text="The original name of the file when it was uploaded", + max_length=1024, + null=True, + verbose_name="original filename", + ), + ), + ] diff --git a/src/documents/migrations/1025_alter_savedviewfilterrule_rule_type.py b/src/documents/migrations/1025_alter_savedviewfilterrule_rule_type.py new file mode 100644 index 000000000..1e5b005b8 --- /dev/null +++ b/src/documents/migrations/1025_alter_savedviewfilterrule_rule_type.py @@ -0,0 +1,48 @@ +# Generated by Django 4.0.5 on 2022-08-26 16:49 + +from django.db import migrations, models + + +class Migration(migrations.Migration): + + dependencies = [ + ("documents", "1024_document_original_filename"), + ] + + operations = [ + migrations.AlterField( + model_name="savedviewfilterrule", + name="rule_type", + field=models.PositiveIntegerField( + choices=[ + (0, "title contains"), + (1, "content contains"), + (2, "ASN is"), + (3, "correspondent is"), + (4, "document type is"), + (5, "is in inbox"), + (6, "has tag"), + (7, "has any tag"), + (8, "created before"), + (9, "created after"), + (10, "created year is"), + (11, "created month is"), + (12, "created day is"), + (13, "added before"), + (14, "added after"), + (15, "modified before"), + (16, "modified after"), + (17, "does not have tag"), + (18, "does not have ASN"), + (19, "title or content contains"), + (20, "fulltext query"), + (21, "more like this"), + (22, "has tags in"), + (23, "ASN greater than"), + (24, "ASN less than"), + (25, "storage path is"), + ], + verbose_name="rule type", + ), + ), + ] diff --git a/src/documents/migrations/1026_transition_to_celery.py b/src/documents/migrations/1026_transition_to_celery.py new file mode 100644 index 000000000..76c6edf11 --- /dev/null +++ b/src/documents/migrations/1026_transition_to_celery.py @@ -0,0 +1,57 @@ +# Generated by Django 4.1.1 on 2022-09-27 19:31 + +from django.db import migrations, models +import django.db.models.deletion + + +class Migration(migrations.Migration): + + dependencies = [ + ("django_celery_results", "0011_taskresult_periodic_task_name"), + ("documents", "1025_alter_savedviewfilterrule_rule_type"), + ] + + operations = [ + migrations.RemoveField( + model_name="paperlesstask", + name="created", + ), + migrations.RemoveField( + model_name="paperlesstask", + name="name", + ), + migrations.RemoveField( + model_name="paperlesstask", + name="started", + ), + # Remove the field from the model + migrations.RemoveField( + model_name="paperlesstask", + name="attempted_task", + ), + # Add the field back, pointing to the correct model + # This resolves a problem where the temporary change in 1022 + # results in a type mismatch + migrations.AddField( + model_name="paperlesstask", + name="attempted_task", + field=models.OneToOneField( + blank=True, + null=True, + on_delete=django.db.models.deletion.CASCADE, + related_name="attempted_task", + to="django_celery_results.taskresult", + ), + ), + # Drop the django-q tables entirely + # Must be done last or there could be references here + migrations.RunSQL( + "DROP TABLE IF EXISTS django_q_ormq", reverse_sql=migrations.RunSQL.noop + ), + migrations.RunSQL( + "DROP TABLE IF EXISTS django_q_schedule", reverse_sql=migrations.RunSQL.noop + ), + migrations.RunSQL( + "DROP TABLE IF EXISTS django_q_task", reverse_sql=migrations.RunSQL.noop + ), + ] diff --git a/src/documents/models.py b/src/documents/models.py index d8e02e570..5a84c467b 100644 --- a/src/documents/models.py +++ b/src/documents/models.py @@ -12,7 +12,7 @@ from django.contrib.auth.models import User from django.db import models from django.utils import timezone from django.utils.translation import gettext_lazy as _ -from django_q.tasks import Task +from django_celery_results.models import TaskResult from documents.parsers import get_default_file_extension @@ -214,6 +214,16 @@ class Document(models.Model): help_text=_("Current archive filename in storage"), ) + original_filename = models.CharField( + _("original filename"), + max_length=1024, + editable=False, + default=None, + unique=False, + null=True, + help_text=_("The original name of the file when it was uploaded"), + ) + archive_serial_number = models.IntegerField( _("archive serial number"), blank=True, @@ -394,6 +404,9 @@ class SavedViewFilterRule(models.Model): (20, _("fulltext query")), (21, _("more like this")), (22, _("has tags in")), + (23, _("ASN greater than")), + (24, _("ASN less than")), + (25, _("storage path is")), ] saved_view = models.ForeignKey( @@ -514,16 +527,53 @@ class UiSettings(models.Model): class PaperlessTask(models.Model): - task_id = models.CharField(max_length=128) - name = models.CharField(max_length=256) - created = models.DateTimeField(_("created"), auto_now=True) - started = models.DateTimeField(_("started"), null=True) + acknowledged = models.BooleanField(default=False) + attempted_task = models.OneToOneField( - Task, + TaskResult, on_delete=models.CASCADE, related_name="attempted_task", null=True, blank=True, ) - acknowledged = models.BooleanField(default=False) + + +class Comment(models.Model): + comment = models.TextField( + _("content"), + blank=True, + help_text=_("Comment for the document"), + ) + + created = models.DateTimeField( + _("created"), + default=timezone.now, + db_index=True, + ) + + document = models.ForeignKey( + Document, + blank=True, + null=True, + related_name="documents", + on_delete=models.CASCADE, + verbose_name=_("document"), + ) + + user = models.ForeignKey( + User, + blank=True, + null=True, + related_name="users", + on_delete=models.SET_NULL, + verbose_name=_("user"), + ) + + class Meta: + ordering = ("created",) + verbose_name = _("comment") + verbose_name_plural = _("comments") + + def __str__(self): + return self.content diff --git a/src/documents/parsers.py b/src/documents/parsers.py index 721346fb0..f62199677 100644 --- a/src/documents/parsers.py +++ b/src/documents/parsers.py @@ -6,6 +6,8 @@ import re import shutil import subprocess import tempfile +from typing import Iterator +from typing import Match from typing import Optional from typing import Set @@ -216,6 +218,10 @@ def make_thumbnail_from_pdf(in_path, temp_dir, logging_group=None) -> str: def parse_date(filename, text) -> Optional[datetime.datetime]: + return next(parse_date_generator(filename, text), None) + + +def parse_date_generator(filename, text) -> Iterator[datetime.datetime]: """ Returns the date of the document. """ @@ -246,38 +252,32 @@ def parse_date(filename, text) -> Optional[datetime.datetime]: return date return None - date = None + def __process_match( + match: Match[str], + date_order: str, + ) -> Optional[datetime.datetime]: + date_string = match.group(0) + + try: + date = __parser(date_string, date_order) + except (TypeError, ValueError): + # Skip all matches that do not parse to a proper date + date = None + + return __filter(date) + + def __process_content(content: str, date_order: str) -> Iterator[datetime.datetime]: + for m in re.finditer(DATE_REGEX, content): + date = __process_match(m, date_order) + if date is not None: + yield date # if filename date parsing is enabled, search there first: if settings.FILENAME_DATE_ORDER: - for m in re.finditer(DATE_REGEX, filename): - date_string = m.group(0) - - try: - date = __parser(date_string, settings.FILENAME_DATE_ORDER) - except (TypeError, ValueError): - # Skip all matches that do not parse to a proper date - continue - - date = __filter(date) - if date is not None: - return date + yield from __process_content(filename, settings.FILENAME_DATE_ORDER) # Iterate through all regex matches in text and try to parse the date - for m in re.finditer(DATE_REGEX, text): - date_string = m.group(0) - - try: - date = __parser(date_string, settings.DATE_ORDER) - except (TypeError, ValueError): - # Skip all matches that do not parse to a proper date - continue - - date = __filter(date) - if date is not None: - return date - - return date + yield from __process_content(text, settings.DATE_ORDER) class ParseError(Exception): diff --git a/src/documents/serialisers.py b/src/documents/serialisers.py index c83dc2541..5f59d2c17 100644 --- a/src/documents/serialisers.py +++ b/src/documents/serialisers.py @@ -1,6 +1,14 @@ import datetime import math import re +from ast import literal_eval +from asyncio.log import logger +from pathlib import Path +from typing import Dict +from typing import Optional +from typing import Tuple + +from celery import states try: import zoneinfo @@ -18,12 +26,12 @@ from .models import Correspondent from .models import Document from .models import DocumentType from .models import MatchingModel -from .models import PaperlessTask from .models import SavedView from .models import SavedViewFilterRule from .models import StoragePath from .models import Tag from .models import UiSettings +from .models import PaperlessTask from .parsers import is_mime_type_supported @@ -240,7 +248,8 @@ class DocumentSerializer(DynamicFieldsModelSerializer): ) instance.created = new_datetime instance.save() - validated_data.pop("created_date") + if "created_date" in validated_data: + validated_data.pop("created_date") super().update(instance, validated_data) return instance @@ -607,6 +616,15 @@ class UiSettingsViewSerializer(serializers.ModelSerializer): "settings", ] + def validate_settings(self, settings): + # we never save update checking backend setting + if "update_checking" in settings: + try: + settings["update_checking"].pop("backend_setting") + except KeyError: + pass + return settings + def create(self, validated_data): ui_settings = UiSettings.objects.update_or_create( user=validated_data.get("user"), @@ -619,7 +637,19 @@ class TasksViewSerializer(serializers.ModelSerializer): class Meta: model = PaperlessTask depth = 1 - fields = "__all__" + fields = ( + "id", + "task_id", + "date_created", + "date_done", + "type", + "status", + "result", + "acknowledged", + "task_name", + "name", + "related_document", + ) type = serializers.SerializerMethodField() @@ -631,24 +661,108 @@ class TasksViewSerializer(serializers.ModelSerializer): def get_result(self, obj): result = "" - if hasattr(obj, "attempted_task") and obj.attempted_task: - result = obj.attempted_task.result + if ( + hasattr(obj, "attempted_task") + and obj.attempted_task + and obj.attempted_task.result + ): + try: + result: str = obj.attempted_task.result + if "exc_message" in result: + # This is a dict in this case + result: Dict = literal_eval(result) + # This is a list, grab the first item (most recent) + result = result["exc_message"][0] + except Exception as e: # pragma: no cover + # Extra security if something is malformed + logger.warn(f"Error getting task result: {e}", exc_info=True) return result status = serializers.SerializerMethodField() def get_status(self, obj): - if obj.attempted_task is None: - if obj.started: - return "started" - else: - return "queued" - elif obj.attempted_task.success: - return "complete" - elif not obj.attempted_task.success: - return "failed" - else: - return "unknown" + result = "unknown" + if hasattr(obj, "attempted_task") and obj.attempted_task: + result = obj.attempted_task.status + return result + + date_created = serializers.SerializerMethodField() + + def get_date_created(self, obj): + result = "" + if hasattr(obj, "attempted_task") and obj.attempted_task: + result = obj.attempted_task.date_created + return result + + date_done = serializers.SerializerMethodField() + + def get_date_done(self, obj): + result = "" + if hasattr(obj, "attempted_task") and obj.attempted_task: + result = obj.attempted_task.date_done + return result + + task_id = serializers.SerializerMethodField() + + def get_task_id(self, obj): + result = "" + if hasattr(obj, "attempted_task") and obj.attempted_task: + result = obj.attempted_task.task_id + return result + + task_name = serializers.SerializerMethodField() + + def get_task_name(self, obj): + result = "" + if hasattr(obj, "attempted_task") and obj.attempted_task: + result = obj.attempted_task.task_name + return result + + name = serializers.SerializerMethodField() + + def get_name(self, obj): + result = "" + if hasattr(obj, "attempted_task") and obj.attempted_task: + try: + task_kwargs: Optional[str] = obj.attempted_task.task_kwargs + # Try the override filename first (this is a webui created task?) + if task_kwargs is not None: + # It's a string, string of a dict. Who knows why... + kwargs = literal_eval(literal_eval(task_kwargs)) + if "override_filename" in kwargs: + result = kwargs["override_filename"] + + # Nothing was found, report the task first argument + if not len(result): + # There are always some arguments to the consume + task_args: Tuple = literal_eval( + literal_eval(obj.attempted_task.task_args), + ) + filepath = Path(task_args[0]) + result = filepath.name + except Exception as e: # pragma: no cover + # Extra security if something is malformed + logger.warning(f"Error getting file name from task: {e}", exc_info=True) + + return result + + related_document = serializers.SerializerMethodField() + + def get_related_document(self, obj): + result = "" + regexp = r"New document id (\d+) created" + if ( + hasattr(obj, "attempted_task") + and obj.attempted_task + and obj.attempted_task.result + and obj.attempted_task.status == states.SUCCESS + ): + try: + result = re.search(regexp, obj.attempted_task.result).group(1) + except Exception: + pass + + return result class AcknowledgeTasksViewSerializer(serializers.Serializer): diff --git a/src/documents/signals/handlers.py b/src/documents/signals/handlers.py index f7a04ad51..76ae974c6 100644 --- a/src/documents/signals/handlers.py +++ b/src/documents/signals/handlers.py @@ -2,7 +2,6 @@ import logging import os import shutil -import django_q from django.conf import settings from django.contrib.admin.models import ADDITION from django.contrib.admin.models import LogEntry @@ -14,6 +13,7 @@ from django.db.models import Q from django.dispatch import receiver from django.utils import termcolors from django.utils import timezone +from django_celery_results.models import TaskResult from filelock import FileLock from .. import matching @@ -25,7 +25,6 @@ from ..models import MatchingModel from ..models import PaperlessTask from ..models import Tag - logger = logging.getLogger("paperless.handlers") @@ -291,7 +290,7 @@ def set_storage_path( ) + f" [{document.pk}]", ) - print(f"Sugest storage directory {selected}") + print(f"Suggest storage directory {selected}") else: logger.info( f"Assigning storage path {selected} to {document}", @@ -503,34 +502,19 @@ def add_to_index(sender, document, **kwargs): index.add_or_update_document(document) -@receiver(django_q.signals.pre_enqueue) -def init_paperless_task(sender, task, **kwargs): - if task["func"] == "documents.tasks.consume_file": - paperless_task, created = PaperlessTask.objects.get_or_create( - task_id=task["id"], - ) - paperless_task.name = task["name"] - paperless_task.created = task["started"] - paperless_task.save() - - -@receiver(django_q.signals.pre_execute) -def paperless_task_started(sender, task, **kwargs): +@receiver(models.signals.post_save, sender=TaskResult) +def update_paperless_task(sender, instance: TaskResult, **kwargs): try: - if task["func"] == "documents.tasks.consume_file": - paperless_task = PaperlessTask.objects.get(task_id=task["id"]) - paperless_task.started = timezone.now() - paperless_task.save() - except PaperlessTask.DoesNotExist: - pass - - -@receiver(models.signals.post_save, sender=django_q.models.Task) -def update_paperless_task(sender, instance, **kwargs): - try: - if instance.func == "documents.tasks.consume_file": - paperless_task = PaperlessTask.objects.get(task_id=instance.id) + if instance.task_name == "documents.tasks.consume_file": + paperless_task, _ = PaperlessTask.objects.get_or_create( + task_id=instance.task_id, + ) + paperless_task.name = instance.task_name + paperless_task.created = instance.date_created + paperless_task.completed = instance.date_done paperless_task.attempted_task = instance paperless_task.save() - except PaperlessTask.DoesNotExist: - pass + except Exception as e: + # Don't let an exception in the signal handlers prevent + # a document from being consumed. + logger.error(f"Creating PaperlessTask failed: {e}") diff --git a/src/documents/tasks.py b/src/documents/tasks.py index 0390129e2..667c3d9df 100644 --- a/src/documents/tasks.py +++ b/src/documents/tasks.py @@ -1,14 +1,17 @@ +import hashlib import logging import os import shutil +import uuid from pathlib import Path from typing import Type import tqdm from asgiref.sync import async_to_sync +from celery import shared_task from channels.layers import get_channel_layer from django.conf import settings -from django.core.exceptions import ObjectDoesNotExist +from django.db import transaction from django.db.models.signals import post_save from documents import barcodes from documents import index @@ -17,6 +20,8 @@ from documents.classifier import DocumentClassifier from documents.classifier import load_classifier from documents.consumer import Consumer from documents.consumer import ConsumerError +from documents.file_handling import create_source_path_directory +from documents.file_handling import generate_unique_filename from documents.models import Correspondent from documents.models import Document from documents.models import DocumentType @@ -24,14 +29,16 @@ from documents.models import StoragePath from documents.models import Tag from documents.parsers import DocumentParser from documents.parsers import get_parser_class_for_mime_type -from documents.parsers import ParseError from documents.sanity_checker import SanityCheckFailedException +from filelock import FileLock +from redis.exceptions import ConnectionError from whoosh.writing import AsyncWriter logger = logging.getLogger("paperless.tasks") +@shared_task def index_optimize(): ix = index.open_index() writer = AsyncWriter(ix) @@ -48,6 +55,7 @@ def index_reindex(progress_bar_disable=False): index.update_document(writer, document) +@shared_task def train_classifier(): if ( not Tag.objects.filter(matching_algorithm=Tag.MATCH_AUTO).exists() @@ -76,6 +84,7 @@ def train_classifier(): logger.warning("Classifier error: " + str(e)) +@shared_task def consume_file( path, override_filename=None, @@ -87,32 +96,18 @@ def consume_file( override_created=None, ): + path = Path(path).resolve() + # check for separators in current document if settings.CONSUMER_ENABLE_BARCODES: - mime_type = barcodes.get_file_mime_type(path) + pdf_filepath, separators = barcodes.scan_file_for_separating_barcodes(path) - if not barcodes.supported_file_type(mime_type): - # if not supported, skip this routine - logger.warning( - f"Unsupported file format for barcode reader: {str(mime_type)}", + if separators: + logger.debug( + f"Pages with separators found in: {str(path)}", ) - else: - separators = [] - document_list = [] - - if mime_type == "image/tiff": - file_to_process = barcodes.convert_from_tiff_to_pdf(path) - else: - file_to_process = path - - separators = barcodes.scan_file_for_separating_barcodes(file_to_process) - - if separators: - logger.debug( - f"Pages with separators found in: {str(path)}", - ) - document_list = barcodes.separate_pages(file_to_process, separators) + document_list = barcodes.separate_pages(pdf_filepath, separators) if document_list: for n, document in enumerate(document_list): @@ -122,17 +117,31 @@ def consume_file( newname = f"{str(n)}_" + override_filename else: newname = None - barcodes.save_to_dir(document, newname=newname) - # if we got here, the document was successfully split - # and can safely be deleted - if mime_type == "image/tiff": - # Remove the TIFF converted to PDF file - logger.debug(f"Deleting file {file_to_process}") - os.unlink(file_to_process) - # Remove the original file (new file is saved above) - logger.debug(f"Deleting file {path}") - os.unlink(path) + # If the file is an upload, it's in the scratch directory + # Move it to consume directory to be picked up + # Otherwise, use the current parent to keep possible tags + # from subdirectories + try: + # is_relative_to would be nicer, but new in 3.9 + _ = path.relative_to(settings.SCRATCH_DIR) + save_to_dir = settings.CONSUMPTION_DIR + except ValueError: + save_to_dir = path.parent + + barcodes.save_to_dir( + document, + newname=newname, + target_dir=save_to_dir, + ) + + # Delete the PDF file which was split + os.remove(pdf_filepath) + + # If the original was a TIFF, remove the original file as well + if str(pdf_filepath) != str(path): + logger.debug(f"Deleting file {path}") + os.unlink(path) # notify the sender, otherwise the progress bar # in the UI stays stuck @@ -149,11 +158,8 @@ def consume_file( "status_updates", {"type": "status_update", "data": payload}, ) - except OSError as e: - logger.warning( - "OSError. It could be, the broker cannot be reached.", - ) - logger.warning(str(e)) + except ConnectionError as e: + logger.warning(f"ConnectionError on status send: {str(e)}") # consuming stops here, since the original document with # the barcodes has been split and will be consumed separately return "File successfully split" @@ -179,6 +185,7 @@ def consume_file( ) +@shared_task def sanity_check(): messages = sanity_checker.check_sanity() @@ -194,6 +201,7 @@ def sanity_check(): return "No issues detected." +@shared_task def bulk_update_documents(document_ids): documents = Document.objects.filter(id__in=document_ids) @@ -207,44 +215,63 @@ def bulk_update_documents(document_ids): index.update_document(writer, doc) -def redo_ocr(document_ids): - all_docs = Document.objects.all() +@shared_task +def update_document_archive_file(document_id): + """ + Re-creates the archive file of a document, including new OCR content and thumbnail + """ + document = Document.objects.get(id=document_id) - for doc_pk in document_ids: - try: - logger.info(f"Parsing document {doc_pk}") - doc: Document = all_docs.get(pk=doc_pk) - except ObjectDoesNotExist: - logger.error(f"Document {doc_pk} does not exist") - continue + mime_type = document.mime_type - # Get the correct parser for this mime type - parser_class: Type[DocumentParser] = get_parser_class_for_mime_type( - doc.mime_type, + parser_class: Type[DocumentParser] = get_parser_class_for_mime_type(mime_type) + + if not parser_class: + logger.error( + f"No parser found for mime type {mime_type}, cannot " + f"archive document {document} (ID: {document_id})", ) - document_parser: DocumentParser = parser_class( - "redo-ocr", + return + + parser: DocumentParser = parser_class(logging_group=uuid.uuid4()) + + try: + parser.parse(document.source_path, mime_type, document.get_public_filename()) + + thumbnail = parser.get_thumbnail( + document.source_path, + mime_type, + document.get_public_filename(), ) - # Create a file path to copy the original file to for working on - temp_file = (Path(document_parser.tempdir) / Path("new-ocr-file")).resolve() + if parser.get_archive_path(): + with transaction.atomic(): + with open(parser.get_archive_path(), "rb") as f: + checksum = hashlib.md5(f.read()).hexdigest() + # I'm going to save first so that in case the file move + # fails, the database is rolled back. + # We also don't use save() since that triggers the filehandling + # logic, and we don't want that yet (file not yet in place) + document.archive_filename = generate_unique_filename( + document, + archive_filename=True, + ) + Document.objects.filter(pk=document.pk).update( + archive_checksum=checksum, + content=parser.get_text(), + archive_filename=document.archive_filename, + ) + with FileLock(settings.MEDIA_LOCK): + create_source_path_directory(document.archive_path) + shutil.move(parser.get_archive_path(), document.archive_path) + shutil.move(thumbnail, document.thumbnail_path) - shutil.copy(doc.source_path, temp_file) + with index.open_index_writer() as writer: + index.update_document(writer, document) - try: - logger.info( - f"Using {type(document_parser).__name__} for document", - ) - # Try to re-parse the document into text - document_parser.parse(str(temp_file), doc.mime_type) - - doc.content = document_parser.get_text() - doc.save() - logger.info("Document OCR updated") - - except ParseError as e: - logger.error(f"Error parsing document: {e}") - finally: - # Remove the file path if it was created - if temp_file.exists() and temp_file.is_file(): - temp_file.unlink() + except Exception: + logger.exception( + f"Error while parsing document {document} " f"(ID: {document_id})", + ) + finally: + parser.cleanup() diff --git a/src/documents/tests/samples/barcodes/barcode-fax-image.pdf b/src/documents/tests/samples/barcodes/barcode-fax-image.pdf new file mode 100644 index 000000000..2e248c82b Binary files /dev/null and b/src/documents/tests/samples/barcodes/barcode-fax-image.pdf differ diff --git a/src/documents/tests/samples/barcodes/patch-code-t-double.pdf b/src/documents/tests/samples/barcodes/patch-code-t-double.pdf new file mode 100644 index 000000000..b68d3cc7f Binary files /dev/null and b/src/documents/tests/samples/barcodes/patch-code-t-double.pdf differ diff --git a/src/documents/tests/test_api.py b/src/documents/tests/test_api.py index 38fe6f07b..0a8d72155 100644 --- a/src/documents/tests/test_api.py +++ b/src/documents/tests/test_api.py @@ -10,6 +10,8 @@ import zipfile from unittest import mock from unittest.mock import MagicMock +import celery + try: import zoneinfo except ImportError: @@ -20,7 +22,6 @@ from django.conf import settings from django.contrib.auth.models import User from django.test import override_settings from django.utils import timezone -from django_q.models import Task from documents import bulk_edit from documents import index from documents.models import Correspondent @@ -31,7 +32,8 @@ from documents.models import PaperlessTask from documents.models import SavedView from documents.models import StoragePath from documents.models import Tag -from documents.models import UiSettings +from django_celery_results.models import TaskResult +from documents.models import Comment from documents.models import StoragePath from documents.tests.utils import DirectoriesMixin from paperless import version @@ -789,7 +791,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): self.assertEqual(response.status_code, 200) self.assertEqual(response.data["documents_inbox"], None) - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload(self, m): with open( @@ -812,7 +814,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): self.assertIsNone(kwargs["override_document_type_id"]) self.assertIsNone(kwargs["override_tag_ids"]) - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload_empty_metadata(self, m): with open( @@ -835,7 +837,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): self.assertIsNone(kwargs["override_document_type_id"]) self.assertIsNone(kwargs["override_tag_ids"]) - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload_invalid_form(self, m): with open( @@ -849,7 +851,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): self.assertEqual(response.status_code, 400) m.assert_not_called() - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload_invalid_file(self, m): with open( @@ -863,7 +865,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): self.assertEqual(response.status_code, 400) m.assert_not_called() - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload_with_title(self, async_task): with open( os.path.join(os.path.dirname(__file__), "samples", "simple.pdf"), @@ -881,7 +883,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): self.assertEqual(kwargs["override_title"], "my custom title") - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload_with_correspondent(self, async_task): c = Correspondent.objects.create(name="test-corres") with open( @@ -900,7 +902,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): self.assertEqual(kwargs["override_correspondent_id"], c.id) - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload_with_invalid_correspondent(self, async_task): with open( os.path.join(os.path.dirname(__file__), "samples", "simple.pdf"), @@ -914,7 +916,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): async_task.assert_not_called() - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload_with_document_type(self, async_task): dt = DocumentType.objects.create(name="invoice") with open( @@ -933,7 +935,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): self.assertEqual(kwargs["override_document_type_id"], dt.id) - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload_with_invalid_document_type(self, async_task): with open( os.path.join(os.path.dirname(__file__), "samples", "simple.pdf"), @@ -947,7 +949,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): async_task.assert_not_called() - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload_with_tags(self, async_task): t1 = Tag.objects.create(name="tag1") t2 = Tag.objects.create(name="tag2") @@ -967,7 +969,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): self.assertCountEqual(kwargs["override_tag_ids"], [t1.id, t2.id]) - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload_with_invalid_tags(self, async_task): t1 = Tag.objects.create(name="tag1") t2 = Tag.objects.create(name="tag2") @@ -983,7 +985,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): async_task.assert_not_called() - @mock.patch("documents.views.async_task") + @mock.patch("documents.views.consume_file.delay") def test_upload_with_created(self, async_task): created = datetime.datetime( 2022, @@ -1107,6 +1109,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): "tags": [], "document_types": [], "storage_paths": [], + "dates": [], }, ) @@ -1118,6 +1121,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): @mock.patch("documents.views.match_document_types") @mock.patch("documents.views.match_tags") @mock.patch("documents.views.match_correspondents") + @override_settings(NUMBER_OF_SUGGESTED_DATES=10) def test_get_suggestions( self, match_correspondents, @@ -1128,7 +1132,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): doc = Document.objects.create( title="test", mime_type="application/pdf", - content="this is an invoice!", + content="this is an invoice from 12.04.2022!", ) match_correspondents.return_value = [Correspondent(id=88), Correspondent(id=2)] @@ -1144,6 +1148,7 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): "tags": [56, 123], "document_types": [23], "storage_paths": [99, 77], + "dates": ["2022-04-12"], }, ) @@ -1354,6 +1359,133 @@ class TestDocumentApi(DirectoriesMixin, APITestCase): 1, ) + def test_get_existing_comments(self): + """ + GIVEN: + - A document with a single comment + WHEN: + - API reuqest for document comments is made + THEN: + - The associated comment is returned + """ + doc = Document.objects.create( + title="test", + mime_type="application/pdf", + content="this is a document which will have comments!", + ) + comment = Comment.objects.create( + comment="This is a comment.", + document=doc, + user=self.user, + ) + + response = self.client.get( + f"/api/documents/{doc.pk}/comments/", + format="json", + ) + + self.assertEqual(response.status_code, 200) + + resp_data = response.json() + + self.assertEqual(len(resp_data), 1) + + resp_data = resp_data[0] + del resp_data["created"] + + self.assertDictEqual( + resp_data, + { + "id": comment.id, + "comment": comment.comment, + "user": { + "id": comment.user.id, + "username": comment.user.username, + "firstname": comment.user.first_name, + "lastname": comment.user.last_name, + }, + }, + ) + + def test_create_comment(self): + """ + GIVEN: + - Existing document + WHEN: + - API request is made to add a comment + THEN: + - Comment is created and associated with document + """ + doc = Document.objects.create( + title="test", + mime_type="application/pdf", + content="this is a document which will have comments added", + ) + resp = self.client.post( + f"/api/documents/{doc.pk}/comments/", + data={"comment": "this is a posted comment"}, + ) + self.assertEqual(resp.status_code, 200) + + response = self.client.get( + f"/api/documents/{doc.pk}/comments/", + format="json", + ) + + self.assertEqual(response.status_code, 200) + + resp_data = response.json() + + self.assertEqual(len(resp_data), 1) + + resp_data = resp_data[0] + + self.assertEqual(resp_data["comment"], "this is a posted comment") + + def test_delete_comment(self): + """ + GIVEN: + - Existing document + WHEN: + - API request is made to add a comment + THEN: + - Comment is created and associated with document + """ + doc = Document.objects.create( + title="test", + mime_type="application/pdf", + content="this is a document which will have comments!", + ) + comment = Comment.objects.create( + comment="This is a comment.", + document=doc, + user=self.user, + ) + + response = self.client.delete( + f"/api/documents/{doc.pk}/comments/?id={comment.pk}", + format="json", + ) + + self.assertEqual(response.status_code, 200) + + self.assertEqual(len(Comment.objects.all()), 0) + + def test_get_comments_no_doc(self): + """ + GIVEN: + - A request to get comments from a non-existent document + WHEN: + - API request for document comments is made + THEN: + - HTTP 404 is returned + """ + response = self.client.get( + "/api/documents/500/comments/", + format="json", + ) + self.assertEqual(response.status_code, 404) + class TestDocumentApiV2(DirectoriesMixin, APITestCase): def setUp(self): @@ -1450,7 +1582,11 @@ class TestApiUiSettings(DirectoriesMixin, APITestCase): self.assertEqual(response.status_code, 200) self.assertDictEqual( response.data["settings"], - {}, + { + "update_checking": { + "backend_setting": "default", + }, + }, ) def test_api_set_ui_settings(self): @@ -1484,7 +1620,7 @@ class TestBulkEdit(DirectoriesMixin, APITestCase): user = User.objects.create_superuser(username="temp_admin") self.client.force_authenticate(user=user) - patcher = mock.patch("documents.bulk_edit.async_task") + patcher = mock.patch("documents.bulk_edit.bulk_update_documents.delay") self.async_task = patcher.start() self.addCleanup(patcher.stop) self.c1 = Correspondent.objects.create(name="c1") @@ -2411,38 +2547,6 @@ class TestApiRemoteVersion(DirectoriesMixin, APITestCase): def setUp(self): super().setUp() - def test_remote_version_default(self): - response = self.client.get(self.ENDPOINT) - - self.assertEqual(response.status_code, 200) - self.assertDictEqual( - response.data, - { - "version": "0.0.0", - "update_available": False, - "feature_is_set": False, - }, - ) - - @override_settings( - ENABLE_UPDATE_CHECK=False, - ) - def test_remote_version_disabled(self): - response = self.client.get(self.ENDPOINT) - - self.assertEqual(response.status_code, 200) - self.assertDictEqual( - response.data, - { - "version": "0.0.0", - "update_available": False, - "feature_is_set": True, - }, - ) - - @override_settings( - ENABLE_UPDATE_CHECK=True, - ) @mock.patch("urllib.request.urlopen") def test_remote_version_enabled_no_update_prefix(self, urlopen_mock): @@ -2460,13 +2564,9 @@ class TestApiRemoteVersion(DirectoriesMixin, APITestCase): { "version": "1.6.0", "update_available": False, - "feature_is_set": True, }, ) - @override_settings( - ENABLE_UPDATE_CHECK=True, - ) @mock.patch("urllib.request.urlopen") def test_remote_version_enabled_no_update_no_prefix(self, urlopen_mock): @@ -2486,13 +2586,9 @@ class TestApiRemoteVersion(DirectoriesMixin, APITestCase): { "version": version.__full_version_str__, "update_available": False, - "feature_is_set": True, }, ) - @override_settings( - ENABLE_UPDATE_CHECK=True, - ) @mock.patch("urllib.request.urlopen") def test_remote_version_enabled_update(self, urlopen_mock): @@ -2519,13 +2615,9 @@ class TestApiRemoteVersion(DirectoriesMixin, APITestCase): { "version": new_version_str, "update_available": True, - "feature_is_set": True, }, ) - @override_settings( - ENABLE_UPDATE_CHECK=True, - ) @mock.patch("urllib.request.urlopen") def test_remote_version_bad_json(self, urlopen_mock): @@ -2543,13 +2635,9 @@ class TestApiRemoteVersion(DirectoriesMixin, APITestCase): { "version": "0.0.0", "update_available": False, - "feature_is_set": True, }, ) - @override_settings( - ENABLE_UPDATE_CHECK=True, - ) @mock.patch("urllib.request.urlopen") def test_remote_version_exception(self, urlopen_mock): @@ -2567,7 +2655,6 @@ class TestApiRemoteVersion(DirectoriesMixin, APITestCase): { "version": "0.0.0", "update_available": False, - "feature_is_set": True, }, ) @@ -2652,7 +2739,7 @@ class TestApiStoragePaths(DirectoriesMixin, APITestCase): class TestTasks(APITestCase): ENDPOINT = "/api/tasks/" - ENDPOINT_ACKOWLEDGE = "/api/acknowledge_tasks/" + ENDPOINT_ACKNOWLEDGE = "/api/acknowledge_tasks/" def setUp(self): super().setUp() @@ -2661,16 +2748,27 @@ class TestTasks(APITestCase): self.client.force_authenticate(user=self.user) def test_get_tasks(self): - task_id1 = str(uuid.uuid4()) - PaperlessTask.objects.create(task_id=task_id1) - Task.objects.create( - id=task_id1, - started=timezone.now() - datetime.timedelta(seconds=30), - stopped=timezone.now(), - func="documents.tasks.consume_file", + """ + GIVEN: + - Attempted celery tasks + WHEN: + - API call is made to get tasks + THEN: + - Attempting and pending tasks are serialized and provided + """ + result1 = TaskResult.objects.create( + task_id=str(uuid.uuid4()), + task_name="documents.tasks.some_great_task", + status=celery.states.PENDING, ) - task_id2 = str(uuid.uuid4()) - PaperlessTask.objects.create(task_id=task_id2) + PaperlessTask.objects.create(attempted_task=result1) + + result2 = TaskResult.objects.create( + task_id=str(uuid.uuid4()), + task_name="documents.tasks.some_awesome_task", + status=celery.states.STARTED, + ) + PaperlessTask.objects.create(attempted_task=result2) response = self.client.get(self.ENDPOINT) @@ -2678,25 +2776,155 @@ class TestTasks(APITestCase): self.assertEqual(len(response.data), 2) returned_task1 = response.data[1] returned_task2 = response.data[0] - self.assertEqual(returned_task1["task_id"], task_id1) - self.assertEqual(returned_task1["status"], "complete") - self.assertIsNotNone(returned_task1["attempted_task"]) - self.assertEqual(returned_task2["task_id"], task_id2) - self.assertEqual(returned_task2["status"], "queued") - self.assertIsNone(returned_task2["attempted_task"]) + + self.assertEqual(returned_task1["task_id"], result1.task_id) + self.assertEqual(returned_task1["status"], celery.states.PENDING) + self.assertEqual(returned_task1["task_name"], result1.task_name) + + self.assertEqual(returned_task2["task_id"], result2.task_id) + self.assertEqual(returned_task2["status"], celery.states.STARTED) + self.assertEqual(returned_task2["task_name"], result2.task_name) def test_acknowledge_tasks(self): - task_id = str(uuid.uuid4()) - task = PaperlessTask.objects.create(task_id=task_id) + """ + GIVEN: + - Attempted celery tasks + WHEN: + - API call is made to get mark task as acknowledged + THEN: + - Task is marked as acknowledged + """ + result1 = TaskResult.objects.create( + task_id=str(uuid.uuid4()), + task_name="documents.tasks.some_task", + status=celery.states.PENDING, + ) + task = PaperlessTask.objects.create(attempted_task=result1) response = self.client.get(self.ENDPOINT) self.assertEqual(len(response.data), 1) response = self.client.post( - self.ENDPOINT_ACKOWLEDGE, + self.ENDPOINT_ACKNOWLEDGE, {"tasks": [task.id]}, ) self.assertEqual(response.status_code, 200) response = self.client.get(self.ENDPOINT) self.assertEqual(len(response.data), 0) + + def test_task_result_no_error(self): + """ + GIVEN: + - A celery task completed without error + WHEN: + - API call is made to get tasks + THEN: + - The returned data includes the task result + """ + result1 = TaskResult.objects.create( + task_id=str(uuid.uuid4()), + task_name="documents.tasks.some_task", + status=celery.states.SUCCESS, + result="Success. New document id 1 created", + ) + _ = PaperlessTask.objects.create(attempted_task=result1) + + response = self.client.get(self.ENDPOINT) + + self.assertEqual(response.status_code, 200) + self.assertEqual(len(response.data), 1) + + returned_data = response.data[0] + + self.assertEqual(returned_data["result"], "Success. New document id 1 created") + self.assertEqual(returned_data["related_document"], "1") + + def test_task_result_with_error(self): + """ + GIVEN: + - A celery task completed with an exception + WHEN: + - API call is made to get tasks + THEN: + - The returned result is the exception info + """ + result1 = TaskResult.objects.create( + task_id=str(uuid.uuid4()), + task_name="documents.tasks.some_task", + status=celery.states.SUCCESS, + result={ + "exc_type": "ConsumerError", + "exc_message": ["test.pdf: Not consuming test.pdf: It is a duplicate."], + "exc_module": "documents.consumer", + }, + ) + _ = PaperlessTask.objects.create(attempted_task=result1) + + response = self.client.get(self.ENDPOINT) + + self.assertEqual(response.status_code, 200) + self.assertEqual(len(response.data), 1) + + returned_data = response.data[0] + + self.assertEqual( + returned_data["result"], + "test.pdf: Not consuming test.pdf: It is a duplicate.", + ) + + def test_task_name_webui(self): + """ + GIVEN: + - Attempted celery task + - Task was created through the webui + WHEN: + - API call is made to get tasks + THEN: + - Returned data include the filename + """ + result1 = TaskResult.objects.create( + task_id=str(uuid.uuid4()), + task_name="documents.tasks.some_task", + status=celery.states.SUCCESS, + task_args="\"('/tmp/paperless/paperless-upload-5iq7skzc',)\"", + task_kwargs="\"{'override_filename': 'test.pdf', 'override_title': None, 'override_correspondent_id': None, 'override_document_type_id': None, 'override_tag_ids': None, 'task_id': '466e8fe7-7193-4698-9fff-72f0340e2082', 'override_created': None}\"", + ) + _ = PaperlessTask.objects.create(attempted_task=result1) + + response = self.client.get(self.ENDPOINT) + + self.assertEqual(response.status_code, 200) + self.assertEqual(len(response.data), 1) + + returned_data = response.data[0] + + self.assertEqual(returned_data["name"], "test.pdf") + + def test_task_name_consume_folder(self): + """ + GIVEN: + - Attempted celery task + - Task was created through the consume folder + WHEN: + - API call is made to get tasks + THEN: + - Returned data include the filename + """ + result1 = TaskResult.objects.create( + task_id=str(uuid.uuid4()), + task_name="documents.tasks.some_task", + status=celery.states.SUCCESS, + task_args="\"('/consume/anothertest.pdf',)\"", + task_kwargs="\"{'override_tag_ids': None}\"", + ) + _ = PaperlessTask.objects.create(attempted_task=result1) + + response = self.client.get(self.ENDPOINT) + + self.assertEqual(response.status_code, 200) + self.assertEqual(len(response.data), 1) + + returned_data = response.data[0] + + self.assertEqual(returned_data["name"], "anothertest.pdf") diff --git a/src/documents/tests/test_barcodes.py b/src/documents/tests/test_barcodes.py index e4e7566ad..ee8df9f34 100644 --- a/src/documents/tests/test_barcodes.py +++ b/src/documents/tests/test_barcodes.py @@ -3,6 +3,7 @@ import shutil import tempfile from unittest import mock +import pikepdf from django.conf import settings from django.test import override_settings from django.test import TestCase @@ -13,22 +14,23 @@ from PIL import Image class TestBarcode(DirectoriesMixin, TestCase): + + SAMPLE_DIR = os.path.join( + os.path.dirname(__file__), + "samples", + ) + + BARCODE_SAMPLE_DIR = os.path.join(SAMPLE_DIR, "barcodes") + def test_barcode_reader(self): - test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", - "barcode-39-PATCHT.png", - ) + test_file = os.path.join(self.BARCODE_SAMPLE_DIR, "barcode-39-PATCHT.png") img = Image.open(test_file) separator_barcode = str(settings.CONSUMER_BARCODE_STRING) self.assertEqual(barcodes.barcode_reader(img), [separator_barcode]) def test_barcode_reader2(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t.pbm", ) img = Image.open(test_file) @@ -37,9 +39,7 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_barcode_reader_distorsion(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-39-PATCHT-distorsion.png", ) img = Image.open(test_file) @@ -48,9 +48,7 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_barcode_reader_distorsion2(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-39-PATCHT-distorsion2.png", ) img = Image.open(test_file) @@ -59,9 +57,7 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_barcode_reader_unreadable(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-39-PATCHT-unreadable.png", ) img = Image.open(test_file) @@ -69,9 +65,7 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_barcode_reader_qr(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "qr-code-PATCHT.png", ) img = Image.open(test_file) @@ -80,9 +74,7 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_barcode_reader_128(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-128-PATCHT.png", ) img = Image.open(test_file) @@ -90,15 +82,13 @@ class TestBarcode(DirectoriesMixin, TestCase): self.assertEqual(barcodes.barcode_reader(img), [separator_barcode]) def test_barcode_reader_no_barcode(self): - test_file = os.path.join(os.path.dirname(__file__), "samples", "simple.png") + test_file = os.path.join(self.SAMPLE_DIR, "simple.png") img = Image.open(test_file) self.assertEqual(barcodes.barcode_reader(img), []) def test_barcode_reader_custom_separator(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-39-custom.png", ) img = Image.open(test_file) @@ -106,9 +96,7 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_barcode_reader_custom_qr_separator(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-qr-custom.png", ) img = Image.open(test_file) @@ -116,9 +104,7 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_barcode_reader_custom_128_separator(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-128-custom.png", ) img = Image.open(test_file) @@ -126,19 +112,15 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_get_mime_type(self): tiff_file = os.path.join( - os.path.dirname(__file__), - "samples", + self.SAMPLE_DIR, "simple.tiff", ) pdf_file = os.path.join( - os.path.dirname(__file__), - "samples", + self.SAMPLE_DIR, "simple.pdf", ) png_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-128-custom.png", ) tiff_file_no_extension = os.path.join(settings.SCRATCH_DIR, "testfile1") @@ -173,8 +155,7 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_convert_error_from_pdf_to_pdf(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", + self.SAMPLE_DIR, "simple.pdf", ) dst = os.path.join(settings.SCRATCH_DIR, "simple.pdf") @@ -183,117 +164,235 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_scan_file_for_separating_barcodes(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t.pdf", ) - pages = barcodes.scan_file_for_separating_barcodes(test_file) - self.assertEqual(pages, [0]) + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(pdf_file, test_file) + self.assertListEqual(separator_page_numbers, [0]) def test_scan_file_for_separating_barcodes2(self): - test_file = os.path.join(os.path.dirname(__file__), "samples", "simple.pdf") - pages = barcodes.scan_file_for_separating_barcodes(test_file) - self.assertEqual(pages, []) + test_file = os.path.join(self.SAMPLE_DIR, "simple.pdf") + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(pdf_file, test_file) + self.assertListEqual(separator_page_numbers, []) def test_scan_file_for_separating_barcodes3(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t-middle.pdf", ) - pages = barcodes.scan_file_for_separating_barcodes(test_file) - self.assertEqual(pages, [1]) + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(pdf_file, test_file) + self.assertListEqual(separator_page_numbers, [1]) def test_scan_file_for_separating_barcodes4(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "several-patcht-codes.pdf", ) - pages = barcodes.scan_file_for_separating_barcodes(test_file) - self.assertEqual(pages, [2, 5]) + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(pdf_file, test_file) + self.assertListEqual(separator_page_numbers, [2, 5]) def test_scan_file_for_separating_barcodes_upsidedown(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t-middle_reverse.pdf", ) - pages = barcodes.scan_file_for_separating_barcodes(test_file) - self.assertEqual(pages, [1]) + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(pdf_file, test_file) + self.assertListEqual(separator_page_numbers, [1]) + + def test_scan_file_for_separating_barcodes_pillow_transcode_error(self): + """ + GIVEN: + - A PDF containing an image which cannot be transcoded to a PIL image + WHEN: + - The image tries to be transcoded to a PIL image, but fails + THEN: + - The barcode reader is still called + """ + + def _build_device_n_pdf(self, save_path: str): + # Based on the pikepdf tests + # https://github.com/pikepdf/pikepdf/blob/abb35ebe17d579d76abe08265e00cf8890a12a95/tests/test_image_access.py + pdf = pikepdf.new() + pdf.add_blank_page(page_size=(72, 72)) + imobj = pikepdf.Stream( + pdf, + bytes(range(0, 256)), + BitsPerComponent=8, + ColorSpace=pikepdf.Array( + [ + pikepdf.Name.DeviceN, + pikepdf.Array([pikepdf.Name.Black]), + pikepdf.Name.DeviceCMYK, + pikepdf.Stream( + pdf, + b"{0 0 0 4 -1 roll}", # Colorspace conversion function + FunctionType=4, + Domain=[0.0, 1.0], + Range=[0.0, 1.0, 0.0, 1.0, 0.0, 1.0, 0.0, 1.0], + ), + ], + ), + Width=16, + Height=16, + Type=pikepdf.Name.XObject, + Subtype=pikepdf.Name.Image, + ) + pim = pikepdf.PdfImage(imobj) + self.assertEqual(pim.mode, "DeviceN") + self.assertTrue(pim.is_device_n) + + pdf.pages[0].Contents = pikepdf.Stream(pdf, b"72 0 0 72 0 0 cm /Im0 Do") + pdf.pages[0].Resources = pikepdf.Dictionary( + XObject=pikepdf.Dictionary(Im0=imobj), + ) + pdf.save(save_path) + + with tempfile.NamedTemporaryFile(suffix="pdf") as device_n_pdf: + # Build an offending file + _build_device_n_pdf(self, str(device_n_pdf.name)) + with mock.patch("documents.barcodes.barcode_reader") as reader: + reader.return_value = list() + + _, _ = barcodes.scan_file_for_separating_barcodes( + str(device_n_pdf.name), + ) + + reader.assert_called() + + def test_scan_file_for_separating_barcodes_fax_decode(self): + """ + GIVEN: + - A PDF containing an image encoded as CCITT Group 4 encoding + WHEN: + - Barcode processing happens with the file + THEN: + - The barcode is still detected + """ + test_file = os.path.join( + self.BARCODE_SAMPLE_DIR, + "barcode-fax-image.pdf", + ) + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(pdf_file, test_file) + self.assertListEqual(separator_page_numbers, [1]) def test_scan_file_for_separating_qr_barcodes(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t-qr.pdf", ) - pages = barcodes.scan_file_for_separating_barcodes(test_file) - self.assertEqual(pages, [0]) + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(pdf_file, test_file) + self.assertListEqual(separator_page_numbers, [0]) @override_settings(CONSUMER_BARCODE_STRING="CUSTOM BARCODE") def test_scan_file_for_separating_custom_barcodes(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-39-custom.pdf", ) - pages = barcodes.scan_file_for_separating_barcodes(test_file) - self.assertEqual(pages, [0]) + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(pdf_file, test_file) + self.assertListEqual(separator_page_numbers, [0]) @override_settings(CONSUMER_BARCODE_STRING="CUSTOM BARCODE") def test_scan_file_for_separating_custom_qr_barcodes(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-qr-custom.pdf", ) - pages = barcodes.scan_file_for_separating_barcodes(test_file) - self.assertEqual(pages, [0]) + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(pdf_file, test_file) + self.assertListEqual(separator_page_numbers, [0]) @override_settings(CONSUMER_BARCODE_STRING="CUSTOM BARCODE") def test_scan_file_for_separating_custom_128_barcodes(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-128-custom.pdf", ) - pages = barcodes.scan_file_for_separating_barcodes(test_file) - self.assertEqual(pages, [0]) + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(pdf_file, test_file) + self.assertListEqual(separator_page_numbers, [0]) def test_scan_file_for_separating_wrong_qr_barcodes(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "barcode-39-custom.pdf", ) - pages = barcodes.scan_file_for_separating_barcodes(test_file) - self.assertEqual(pages, []) + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(pdf_file, test_file) + self.assertListEqual(separator_page_numbers, []) def test_separate_pages(self): + test_file = os.path.join( + self.BARCODE_SAMPLE_DIR, + "patch-code-t-middle.pdf", + ) + pages = barcodes.separate_pages(test_file, [1]) + + self.assertEqual(len(pages), 2) + + def test_separate_pages_double_code(self): + """ + GIVEN: + - Input PDF with two patch code pages in a row + WHEN: + - The input file is split + THEN: + - Only two files are output + """ test_file = os.path.join( os.path.dirname(__file__), "samples", "barcodes", - "patch-code-t-middle.pdf", + "patch-code-t-double.pdf", ) - pages = barcodes.separate_pages(test_file, [1]) + pages = barcodes.separate_pages(test_file, [1, 2]) + self.assertEqual(len(pages), 2) def test_separate_pages_no_list(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t-middle.pdf", ) with self.assertLogs("paperless.barcodes", level="WARNING") as cm: @@ -308,9 +407,7 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_save_to_dir(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t.pdf", ) tempdir = tempfile.mkdtemp(prefix="paperless-", dir=settings.SCRATCH_DIR) @@ -320,9 +417,7 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_save_to_dir2(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t.pdf", ) nonexistingdir = "/nowhere" @@ -340,9 +435,7 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_save_to_dir3(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t.pdf", ) tempdir = tempfile.mkdtemp(prefix="paperless-", dir=settings.SCRATCH_DIR) @@ -352,35 +445,41 @@ class TestBarcode(DirectoriesMixin, TestCase): def test_barcode_splitter(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t-middle.pdf", ) tempdir = tempfile.mkdtemp(prefix="paperless-", dir=settings.SCRATCH_DIR) - separators = barcodes.scan_file_for_separating_barcodes(test_file) - self.assertTrue(separators) - document_list = barcodes.separate_pages(test_file, separators) + + pdf_file, separator_page_numbers = barcodes.scan_file_for_separating_barcodes( + test_file, + ) + + self.assertEqual(test_file, pdf_file) + self.assertTrue(len(separator_page_numbers) > 0) + + document_list = barcodes.separate_pages(test_file, separator_page_numbers) self.assertTrue(document_list) for document in document_list: barcodes.save_to_dir(document, target_dir=tempdir) + target_file1 = os.path.join(tempdir, "patch-code-t-middle_document_0.pdf") target_file2 = os.path.join(tempdir, "patch-code-t-middle_document_1.pdf") + self.assertTrue(os.path.isfile(target_file1)) self.assertTrue(os.path.isfile(target_file2)) @override_settings(CONSUMER_ENABLE_BARCODES=True) def test_consume_barcode_file(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t-middle.pdf", ) + dst = os.path.join(settings.SCRATCH_DIR, "patch-code-t-middle.pdf") shutil.copy(test_file, dst) - self.assertEqual(tasks.consume_file(dst), "File successfully split") + with mock.patch("documents.tasks.async_to_sync"): + self.assertEqual(tasks.consume_file(dst), "File successfully split") @override_settings( CONSUMER_ENABLE_BARCODES=True, @@ -388,15 +487,14 @@ class TestBarcode(DirectoriesMixin, TestCase): ) def test_consume_barcode_tiff_file(self): test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t-middle.tiff", ) dst = os.path.join(settings.SCRATCH_DIR, "patch-code-t-middle.tiff") shutil.copy(test_file, dst) - self.assertEqual(tasks.consume_file(dst), "File successfully split") + with mock.patch("documents.tasks.async_to_sync"): + self.assertEqual(tasks.consume_file(dst), "File successfully split") @override_settings( CONSUMER_ENABLE_BARCODES=True, @@ -412,18 +510,17 @@ class TestBarcode(DirectoriesMixin, TestCase): and continue archiving the file as is. """ test_file = os.path.join( - os.path.dirname(__file__), - "samples", + self.SAMPLE_DIR, "simple.jpg", ) dst = os.path.join(settings.SCRATCH_DIR, "simple.jpg") shutil.copy(test_file, dst) - with self.assertLogs("paperless.tasks", level="WARNING") as cm: + with self.assertLogs("paperless.barcodes", level="WARNING") as cm: self.assertIn("Success", tasks.consume_file(dst)) self.assertListEqual( cm.output, [ - "WARNING:paperless.tasks:Unsupported file format for barcode reader: image/jpeg", + "WARNING:paperless.barcodes:Unsupported file format for barcode reader: image/jpeg", ], ) m.assert_called_once() @@ -445,12 +542,11 @@ class TestBarcode(DirectoriesMixin, TestCase): the user uploads a supported image file, but without extension """ test_file = os.path.join( - os.path.dirname(__file__), - "samples", - "barcodes", + self.BARCODE_SAMPLE_DIR, "patch-code-t-middle.tiff", ) dst = os.path.join(settings.SCRATCH_DIR, "patch-code-t-middle") shutil.copy(test_file, dst) - self.assertEqual(tasks.consume_file(dst), "File successfully split") + with mock.patch("documents.tasks.async_to_sync"): + self.assertEqual(tasks.consume_file(dst), "File successfully split") diff --git a/src/documents/tests/test_classifier.py b/src/documents/tests/test_classifier.py index cfa662c02..8daaafc07 100644 --- a/src/documents/tests/test_classifier.py +++ b/src/documents/tests/test_classifier.py @@ -1,9 +1,9 @@ import os +import re import tempfile from pathlib import Path from unittest import mock -import documents import pytest from django.conf import settings from django.test import override_settings @@ -20,10 +20,19 @@ from documents.models import Tag from documents.tests.utils import DirectoriesMixin +def dummy_preprocess(content: str): + content = content.lower().strip() + content = re.sub(r"\s+", " ", content) + return content + + class TestClassifier(DirectoriesMixin, TestCase): def setUp(self): super().setUp() self.classifier = DocumentClassifier() + self.classifier.preprocess_content = mock.MagicMock( + side_effect=dummy_preprocess, + ) def generate_test_data(self): self.c1 = Correspondent.objects.create( @@ -192,6 +201,8 @@ class TestClassifier(DirectoriesMixin, TestCase): new_classifier = DocumentClassifier() new_classifier.load() + new_classifier.preprocess_content = mock.MagicMock(side_effect=dummy_preprocess) + self.assertFalse(new_classifier.train()) # @override_settings( @@ -215,6 +226,7 @@ class TestClassifier(DirectoriesMixin, TestCase): new_classifier = DocumentClassifier() new_classifier.load() + new_classifier.preprocess_content = mock.MagicMock(side_effect=dummy_preprocess) self.assertCountEqual(new_classifier.predict_tags(self.doc2.content), [45, 12]) diff --git a/src/documents/tests/test_date_parsing.py b/src/documents/tests/test_date_parsing.py index 1019c572f..b9151a6f7 100644 --- a/src/documents/tests/test_date_parsing.py +++ b/src/documents/tests/test_date_parsing.py @@ -8,6 +8,7 @@ from django.conf import settings from django.test import override_settings from django.test import TestCase from documents.parsers import parse_date +from documents.parsers import parse_date_generator from paperless.settings import DATE_ORDER @@ -161,6 +162,25 @@ class TestDate(TestCase): def test_crazy_date_with_spaces(self, *args): self.assertIsNone(parse_date("", "20 408000l 2475")) + def test_multiple_dates(self): + text = """This text has multiple dates. + For example 02.02.2018, 22 July 2022 and Dezember 2021. + But not 24-12-9999 because its in the future...""" + dates = list(parse_date_generator("", text)) + self.assertEqual(len(dates), 3) + self.assertEqual( + dates[0], + datetime.datetime(2018, 2, 2, 0, 0, tzinfo=tz.gettz(settings.TIME_ZONE)), + ) + self.assertEqual( + dates[1], + datetime.datetime(2022, 7, 22, 0, 0, tzinfo=tz.gettz(settings.TIME_ZONE)), + ) + self.assertEqual( + dates[2], + datetime.datetime(2021, 12, 1, 0, 0, tzinfo=tz.gettz(settings.TIME_ZONE)), + ) + @override_settings(FILENAME_DATE_ORDER="YMD") def test_filename_date_parse_valid_ymd(self, *args): """ diff --git a/src/documents/tests/test_management.py b/src/documents/tests/test_management.py index 76a5459b5..fe217676b 100644 --- a/src/documents/tests/test_management.py +++ b/src/documents/tests/test_management.py @@ -10,8 +10,8 @@ from django.core.management import call_command from django.test import override_settings from django.test import TestCase from documents.file_handling import generate_filename -from documents.management.commands.document_archiver import handle_document from documents.models import Document +from documents.tasks import update_document_archive_file from documents.tests.utils import DirectoriesMixin @@ -46,7 +46,7 @@ class TestArchiver(DirectoriesMixin, TestCase): os.path.join(self.dirs.originals_dir, f"{doc.id:07}.pdf"), ) - handle_document(doc.pk) + update_document_archive_file(doc.pk) doc = Document.objects.get(id=doc.id) @@ -63,7 +63,7 @@ class TestArchiver(DirectoriesMixin, TestCase): doc.save() shutil.copy(sample_file, doc.source_path) - handle_document(doc.pk) + update_document_archive_file(doc.pk) doc = Document.objects.get(id=doc.id) @@ -94,8 +94,8 @@ class TestArchiver(DirectoriesMixin, TestCase): os.path.join(self.dirs.originals_dir, f"document_01.pdf"), ) - handle_document(doc2.pk) - handle_document(doc1.pk) + update_document_archive_file(doc2.pk) + update_document_archive_file(doc1.pk) doc1 = Document.objects.get(id=doc1.id) doc2 = Document.objects.get(id=doc2.id) diff --git a/src/documents/tests/test_management_consumer.py b/src/documents/tests/test_management_consumer.py index 32b04282b..822a7ed07 100644 --- a/src/documents/tests/test_management_consumer.py +++ b/src/documents/tests/test_management_consumer.py @@ -20,13 +20,14 @@ class ConsumerThread(Thread): def __init__(self): super().__init__() self.cmd = document_consumer.Command() + self.cmd.stop_flag.clear() def run(self) -> None: - self.cmd.handle(directory=settings.CONSUMPTION_DIR, oneshot=False) + self.cmd.handle(directory=settings.CONSUMPTION_DIR, oneshot=False, testing=True) def stop(self): # Consumer checks this every second. - self.cmd.stop_flag = True + self.cmd.stop_flag.set() def chunked(size, source): @@ -42,7 +43,7 @@ class ConsumerMixin: super().setUp() self.t = None patcher = mock.patch( - "documents.management.commands.document_consumer.async_task", + "documents.tasks.consume_file.delay", ) self.task_mock = patcher.start() self.addCleanup(patcher.stop) @@ -59,13 +60,14 @@ class ConsumerMixin: self.t.stop() # wait for the consumer to exit. self.t.join() + self.t = None super().tearDown() - def wait_for_task_mock_call(self, excpeted_call_count=1): + def wait_for_task_mock_call(self, expected_call_count=1): n = 0 - while n < 100: - if self.task_mock.call_count >= excpeted_call_count: + while n < 50: + if self.task_mock.call_count >= expected_call_count: # give task_mock some time to finish and raise errors sleep(1) return @@ -74,7 +76,7 @@ class ConsumerMixin: # A bogus async_task that will simply check the file for # completeness and raise an exception otherwise. - def bogus_task(self, func, filename, **kwargs): + def bogus_task(self, filename, **kwargs): eq = filecmp.cmp(filename, self.sample_file, shallow=False) if not eq: print("Consumed an INVALID file.") @@ -113,7 +115,7 @@ class TestConsumer(DirectoriesMixin, ConsumerMixin, TransactionTestCase): self.task_mock.assert_called_once() args, kwargs = self.task_mock.call_args - self.assertEqual(args[1], f) + self.assertEqual(args[0], f) def test_consume_file_invalid_ext(self): self.t_start() @@ -133,7 +135,7 @@ class TestConsumer(DirectoriesMixin, ConsumerMixin, TransactionTestCase): self.task_mock.assert_called_once() args, kwargs = self.task_mock.call_args - self.assertEqual(args[1], f) + self.assertEqual(args[0], f) @mock.patch("documents.management.commands.document_consumer.logger.error") def test_slow_write_pdf(self, error_logger): @@ -153,7 +155,7 @@ class TestConsumer(DirectoriesMixin, ConsumerMixin, TransactionTestCase): self.task_mock.assert_called_once() args, kwargs = self.task_mock.call_args - self.assertEqual(args[1], fname) + self.assertEqual(args[0], fname) @mock.patch("documents.management.commands.document_consumer.logger.error") def test_slow_write_and_move(self, error_logger): @@ -173,7 +175,7 @@ class TestConsumer(DirectoriesMixin, ConsumerMixin, TransactionTestCase): self.task_mock.assert_called_once() args, kwargs = self.task_mock.call_args - self.assertEqual(args[1], fname2) + self.assertEqual(args[0], fname2) error_logger.assert_not_called() @@ -191,7 +193,7 @@ class TestConsumer(DirectoriesMixin, ConsumerMixin, TransactionTestCase): self.task_mock.assert_called_once() args, kwargs = self.task_mock.call_args - self.assertEqual(args[1], fname) + self.assertEqual(args[0], fname) # assert that we have an error logged with this invalid file. error_logger.assert_called_once() @@ -234,12 +236,12 @@ class TestConsumer(DirectoriesMixin, ConsumerMixin, TransactionTestCase): sleep(5) - self.wait_for_task_mock_call(excpeted_call_count=2) + self.wait_for_task_mock_call(expected_call_count=2) self.assertEqual(2, self.task_mock.call_count) fnames = [ - os.path.basename(args[1]) for args, _ in self.task_mock.call_args_list + os.path.basename(args[0]) for args, _ in self.task_mock.call_args_list ] self.assertCountEqual(fnames, ["my_file.pdf", "my_second_file.pdf"]) @@ -281,6 +283,8 @@ class TestConsumer(DirectoriesMixin, ConsumerMixin, TransactionTestCase): @override_settings( CONSUMER_POLLING=1, + # please leave the delay here and down below + # see https://github.com/paperless-ngx/paperless-ngx/pull/66 CONSUMER_POLLING_DELAY=3, CONSUMER_POLLING_RETRY_COUNT=20, ) @@ -307,8 +311,7 @@ class TestConsumerRecursivePolling(TestConsumer): class TestConsumerTags(DirectoriesMixin, ConsumerMixin, TransactionTestCase): - @override_settings(CONSUMER_RECURSIVE=True) - @override_settings(CONSUMER_SUBDIRS_AS_TAGS=True) + @override_settings(CONSUMER_RECURSIVE=True, CONSUMER_SUBDIRS_AS_TAGS=True) def test_consume_file_with_path_tags(self): tag_names = ("existingTag", "Space Tag") @@ -335,7 +338,7 @@ class TestConsumerTags(DirectoriesMixin, ConsumerMixin, TransactionTestCase): tag_ids.append(Tag.objects.get(name=tag_names[1]).pk) args, kwargs = self.task_mock.call_args - self.assertEqual(args[1], f) + self.assertEqual(args[0], f) # assertCountEqual has a bad name, but test that the first # sequence contains the same elements as second, regardless of @@ -344,7 +347,7 @@ class TestConsumerTags(DirectoriesMixin, ConsumerMixin, TransactionTestCase): @override_settings( CONSUMER_POLLING=1, - CONSUMER_POLLING_DELAY=1, + CONSUMER_POLLING_DELAY=3, CONSUMER_POLLING_RETRY_COUNT=20, ) def test_consume_file_with_path_tags_polling(self): diff --git a/src/documents/tests/test_management_exporter.py b/src/documents/tests/test_management_exporter.py index a9dcabc4d..fa7567f05 100644 --- a/src/documents/tests/test_management_exporter.py +++ b/src/documents/tests/test_management_exporter.py @@ -10,10 +10,13 @@ from django.core.management import call_command from django.test import override_settings from django.test import TestCase from documents.management.commands import document_exporter +from documents.models import Comment from documents.models import Correspondent from documents.models import Document from documents.models import DocumentType +from documents.models import StoragePath from documents.models import Tag +from documents.models import User from documents.sanity_checker import check_sanity from documents.settings import EXPORTER_FILE_NAME from documents.tests.utils import DirectoriesMixin @@ -25,6 +28,8 @@ class TestExportImport(DirectoriesMixin, TestCase): self.target = tempfile.mkdtemp() self.addCleanup(shutil.rmtree, self.target) + self.user = User.objects.create(username="temp_admin") + self.d1 = Document.objects.create( content="Content", checksum="42995833e01aea9b3edee44bbfdd7ce1", @@ -57,14 +62,23 @@ class TestExportImport(DirectoriesMixin, TestCase): storage_type=Document.STORAGE_TYPE_GPG, ) + self.comment = Comment.objects.create( + comment="This is a comment. amaze.", + document=self.d1, + user=self.user, + ) + self.t1 = Tag.objects.create(name="t") self.dt1 = DocumentType.objects.create(name="dt") self.c1 = Correspondent.objects.create(name="c") + self.sp1 = StoragePath.objects.create(path="{created_year}-{title}") self.d1.tags.add(self.t1) self.d1.correspondent = self.c1 self.d1.document_type = self.dt1 self.d1.save() + self.d4.storage_path = self.sp1 + self.d4.save() super().setUp() def _get_document_from_manifest(self, manifest, id): @@ -110,7 +124,7 @@ class TestExportImport(DirectoriesMixin, TestCase): manifest = self._do_export(use_filename_format=use_filename_format) - self.assertEqual(len(manifest), 8) + self.assertEqual(len(manifest), 11) self.assertEqual( len(list(filter(lambda e: e["model"] == "documents.document", manifest))), 4, @@ -171,6 +185,11 @@ class TestExportImport(DirectoriesMixin, TestCase): checksum = hashlib.md5(f.read()).hexdigest() self.assertEqual(checksum, element["fields"]["archive_checksum"]) + elif element["model"] == "documents.comment": + self.assertEqual(element["fields"]["comment"], self.comment.comment) + self.assertEqual(element["fields"]["document"], self.d1.id) + self.assertEqual(element["fields"]["user"], self.user.id) + with paperless_environment() as dirs: self.assertEqual(Document.objects.count(), 4) Document.objects.all().delete() @@ -184,6 +203,7 @@ class TestExportImport(DirectoriesMixin, TestCase): self.assertEqual(Tag.objects.count(), 1) self.assertEqual(Correspondent.objects.count(), 1) self.assertEqual(DocumentType.objects.count(), 1) + self.assertEqual(StoragePath.objects.count(), 1) self.assertEqual(Document.objects.get(id=self.d1.id).title, "wow1") self.assertEqual(Document.objects.get(id=self.d2.id).title, "wow2") self.assertEqual(Document.objects.get(id=self.d3.id).title, "wow2") diff --git a/src/documents/tests/test_management_retagger.py b/src/documents/tests/test_management_retagger.py index c31462855..2b7aae649 100644 --- a/src/documents/tests/test_management_retagger.py +++ b/src/documents/tests/test_management_retagger.py @@ -3,12 +3,34 @@ from django.test import TestCase from documents.models import Correspondent from documents.models import Document from documents.models import DocumentType +from documents.models import StoragePath from documents.models import Tag from documents.tests.utils import DirectoriesMixin class TestRetagger(DirectoriesMixin, TestCase): def make_models(self): + + self.sp1 = StoragePath.objects.create( + name="dummy a", + path="{created_data}/{title}", + match="auto document", + matching_algorithm=StoragePath.MATCH_LITERAL, + ) + self.sp2 = StoragePath.objects.create( + name="dummy b", + path="{title}", + match="^first|^unrelated", + matching_algorithm=StoragePath.MATCH_REGEX, + ) + + self.sp3 = StoragePath.objects.create( + name="dummy c", + path="{title}", + match="^blah", + matching_algorithm=StoragePath.MATCH_REGEX, + ) + self.d1 = Document.objects.create( checksum="A", title="A", @@ -23,6 +45,7 @@ class TestRetagger(DirectoriesMixin, TestCase): checksum="C", title="C", content="unrelated document", + storage_path=self.sp3, ) self.d4 = Document.objects.create( checksum="D", @@ -146,15 +169,15 @@ class TestRetagger(DirectoriesMixin, TestCase): call_command("document_retagger", "--document_type", "--suggest") d_first, d_second, d_unrelated, d_auto = self.get_updated_docs() - self.assertEqual(d_first.document_type, None) - self.assertEqual(d_second.document_type, None) + self.assertIsNone(d_first.document_type) + self.assertIsNone(d_second.document_type) def test_add_correspondent_suggest(self): call_command("document_retagger", "--correspondent", "--suggest") d_first, d_second, d_unrelated, d_auto = self.get_updated_docs() - self.assertEqual(d_first.correspondent, None) - self.assertEqual(d_second.correspondent, None) + self.assertIsNone(d_first.correspondent) + self.assertIsNone(d_second.correspondent) def test_add_tags_suggest_url(self): call_command( @@ -178,8 +201,8 @@ class TestRetagger(DirectoriesMixin, TestCase): ) d_first, d_second, d_unrelated, d_auto = self.get_updated_docs() - self.assertEqual(d_first.document_type, None) - self.assertEqual(d_second.document_type, None) + self.assertIsNone(d_first.document_type) + self.assertIsNone(d_second.document_type) def test_add_correspondent_suggest_url(self): call_command( @@ -190,5 +213,48 @@ class TestRetagger(DirectoriesMixin, TestCase): ) d_first, d_second, d_unrelated, d_auto = self.get_updated_docs() - self.assertEqual(d_first.correspondent, None) - self.assertEqual(d_second.correspondent, None) + self.assertIsNone(d_first.correspondent) + self.assertIsNone(d_second.correspondent) + + def test_add_storage_path(self): + """ + GIVEN: + - 2 storage paths with documents which match them + - 1 document which matches but has a storage path + WHEN: + - document retagger is called + THEN: + - Matching document's storage paths updated + - Non-matching documents have no storage path + - Existing storage patch left unchanged + """ + call_command( + "document_retagger", + "--storage_path", + ) + d_first, d_second, d_unrelated, d_auto = self.get_updated_docs() + + self.assertEqual(d_first.storage_path, self.sp2) + self.assertEqual(d_auto.storage_path, self.sp1) + self.assertIsNone(d_second.storage_path) + self.assertEqual(d_unrelated.storage_path, self.sp3) + + def test_overwrite_storage_path(self): + """ + GIVEN: + - 2 storage paths with documents which match them + - 1 document which matches but has a storage path + WHEN: + - document retagger is called with overwrite + THEN: + - Matching document's storage paths updated + - Non-matching documents have no storage path + - Existing storage patch overwritten + """ + call_command("document_retagger", "--storage_path", "--overwrite") + d_first, d_second, d_unrelated, d_auto = self.get_updated_docs() + + self.assertEqual(d_first.storage_path, self.sp2) + self.assertEqual(d_auto.storage_path, self.sp1) + self.assertIsNone(d_second.storage_path) + self.assertEqual(d_unrelated.storage_path, self.sp2) diff --git a/src/documents/tests/test_settings.py b/src/documents/tests/test_settings.py deleted file mode 100644 index 9b8edab27..000000000 --- a/src/documents/tests/test_settings.py +++ /dev/null @@ -1,35 +0,0 @@ -import logging -from unittest import mock - -from django.test import TestCase -from paperless.settings import default_task_workers -from paperless.settings import default_threads_per_worker - - -class TestSettings(TestCase): - @mock.patch("paperless.settings.multiprocessing.cpu_count") - def test_single_core(self, cpu_count): - cpu_count.return_value = 1 - - default_workers = default_task_workers() - - default_threads = default_threads_per_worker(default_workers) - - self.assertEqual(default_workers, 1) - self.assertEqual(default_threads, 1) - - def test_workers_threads(self): - for i in range(1, 64): - with mock.patch( - "paperless.settings.multiprocessing.cpu_count", - ) as cpu_count: - cpu_count.return_value = i - - default_workers = default_task_workers() - - default_threads = default_threads_per_worker(default_workers) - - self.assertTrue(default_workers >= 1) - self.assertTrue(default_threads >= 1) - - self.assertTrue(default_workers * default_threads <= i, f"{i}") diff --git a/src/documents/tests/test_tasks.py b/src/documents/tests/test_tasks.py index a2b4ef000..8b104ab1d 100644 --- a/src/documents/tests/test_tasks.py +++ b/src/documents/tests/test_tasks.py @@ -11,6 +11,7 @@ from documents.models import DocumentType from documents.models import Tag from documents.sanity_checker import SanityCheckFailedException from documents.sanity_checker import SanityCheckMessages +from documents.tests.test_classifier import dummy_preprocess from documents.tests.utils import DirectoriesMixin @@ -75,21 +76,26 @@ class TestClassifier(DirectoriesMixin, TestCase): doc = Document.objects.create(correspondent=c, content="test", title="test") self.assertFalse(os.path.isfile(settings.MODEL_FILE)) - tasks.train_classifier() - self.assertTrue(os.path.isfile(settings.MODEL_FILE)) - mtime = os.stat(settings.MODEL_FILE).st_mtime + with mock.patch( + "documents.classifier.DocumentClassifier.preprocess_content", + ) as pre_proc_mock: + pre_proc_mock.side_effect = dummy_preprocess - tasks.train_classifier() - self.assertTrue(os.path.isfile(settings.MODEL_FILE)) - mtime2 = os.stat(settings.MODEL_FILE).st_mtime - self.assertEqual(mtime, mtime2) + tasks.train_classifier() + self.assertTrue(os.path.isfile(settings.MODEL_FILE)) + mtime = os.stat(settings.MODEL_FILE).st_mtime - doc.content = "test2" - doc.save() - tasks.train_classifier() - self.assertTrue(os.path.isfile(settings.MODEL_FILE)) - mtime3 = os.stat(settings.MODEL_FILE).st_mtime - self.assertNotEqual(mtime2, mtime3) + tasks.train_classifier() + self.assertTrue(os.path.isfile(settings.MODEL_FILE)) + mtime2 = os.stat(settings.MODEL_FILE).st_mtime + self.assertEqual(mtime, mtime2) + + doc.content = "test2" + doc.save() + tasks.train_classifier() + self.assertTrue(os.path.isfile(settings.MODEL_FILE)) + mtime3 = os.stat(settings.MODEL_FILE).st_mtime + self.assertNotEqual(mtime2, mtime3) class TestSanityCheck(DirectoriesMixin, TestCase): diff --git a/src/documents/views.py b/src/documents/views.py index 84fc38a38..025ff2f67 100644 --- a/src/documents/views.py +++ b/src/documents/views.py @@ -1,3 +1,4 @@ +import itertools import json import logging import os @@ -21,12 +22,13 @@ from django.db.models.functions import Lower from django.http import Http404 from django.http import HttpResponse from django.http import HttpResponseBadRequest +from django.shortcuts import get_object_or_404 from django.utils.decorators import method_decorator from django.utils.translation import get_language from django.views.decorators.cache import cache_control from django.views.generic import TemplateView from django_filters.rest_framework import DjangoFilterBackend -from django_q.tasks import async_task +from documents.tasks import consume_file from packaging import version as packaging_version from paperless import version from paperless.db import GnuPG @@ -62,6 +64,7 @@ from .matching import match_correspondents from .matching import match_document_types from .matching import match_storage_paths from .matching import match_tags +from .models import Comment from .models import Correspondent from .models import Document from .models import DocumentType @@ -70,6 +73,7 @@ from .models import SavedView from .models import StoragePath from .models import Tag from .parsers import get_parser_class_for_mime_type +from .parsers import parse_date_generator from .serialisers import AcknowledgeTasksViewSerializer from .serialisers import BulkDownloadSerializer from .serialisers import BulkEditSerializer @@ -257,6 +261,9 @@ class DocumentViewSet( file_handle = doc.source_file filename = doc.get_public_filename() mime_type = doc.mime_type + # Support browser previewing csv files by using text mime type + if mime_type in {"application/csv", "text/csv"} and disposition == "inline": + mime_type = "text/plain" if doc.storage_type == Document.STORAGE_TYPE_GPG: file_handle = GnuPG.decrypted(file_handle) @@ -313,6 +320,7 @@ class DocumentViewSet( "original_metadata": self.get_metadata(doc.source_path, doc.mime_type), "archive_checksum": doc.archive_checksum, "archive_media_filename": doc.archive_filename, + "original_filename": doc.original_filename, } if doc.has_archive_version: @@ -329,13 +337,15 @@ class DocumentViewSet( @action(methods=["get"], detail=True) def suggestions(self, request, pk=None): - try: - doc = Document.objects.get(pk=pk) - except Document.DoesNotExist: - raise Http404() + doc = get_object_or_404(Document, pk=pk) classifier = load_classifier() + gen = parse_date_generator(doc.filename, doc.content) + dates = sorted( + {i for i in itertools.islice(gen, settings.NUMBER_OF_SUGGESTED_DATES)}, + ) + return Response( { "correspondents": [c.id for c in match_correspondents(doc, classifier)], @@ -344,6 +354,9 @@ class DocumentViewSet( dt.id for dt in match_document_types(doc, classifier) ], "storage_paths": [dt.id for dt in match_storage_paths(doc, classifier)], + "dates": [ + date.strftime("%Y-%m-%d") for date in dates if date is not None + ], }, ) @@ -378,6 +391,67 @@ class DocumentViewSet( except (FileNotFoundError, Document.DoesNotExist): raise Http404() + def getComments(self, doc): + return [ + { + "id": c.id, + "comment": c.comment, + "created": c.created, + "user": { + "id": c.user.id, + "username": c.user.username, + "firstname": c.user.first_name, + "lastname": c.user.last_name, + }, + } + for c in Comment.objects.filter(document=doc).order_by("-created") + ] + + @action(methods=["get", "post", "delete"], detail=True) + def comments(self, request, pk=None): + try: + doc = Document.objects.get(pk=pk) + except Document.DoesNotExist: + raise Http404() + + currentUser = request.user + + if request.method == "GET": + try: + return Response(self.getComments(doc)) + except Exception as e: + logger.warning(f"An error occurred retrieving comments: {str(e)}") + return Response( + {"error": "Error retreiving comments, check logs for more detail."}, + ) + elif request.method == "POST": + try: + c = Comment.objects.create( + document=doc, + comment=request.data["comment"], + user=currentUser, + ) + c.save() + + return Response(self.getComments(doc)) + except Exception as e: + logger.warning(f"An error occurred saving comment: {str(e)}") + return Response( + { + "error": "Error saving comment, check logs for more detail.", + }, + ) + elif request.method == "DELETE": + comment = Comment.objects.get(id=int(request.GET.get("id"))) + comment.delete() + return Response(self.getComments(doc)) + + return Response( + { + "error": "error", + }, + ) + class SearchResultSerializer(DocumentSerializer): def to_representation(self, instance): @@ -541,8 +615,7 @@ class PostDocumentView(GenericAPIView): task_id = str(uuid.uuid4()) - async_task( - "documents.tasks.consume_file", + consume_file.delay( temp_filename, override_filename=doc_name, override_title=title, @@ -550,7 +623,6 @@ class PostDocumentView(GenericAPIView): override_document_type_id=document_type_id, override_tag_ids=tag_ids, task_id=task_id, - task_name=os.path.basename(doc_name)[:100], override_created=created, ) @@ -709,42 +781,38 @@ class RemoteVersionView(GenericAPIView): remote_version = "0.0.0" is_greater_than_current = False current_version = packaging_version.parse(version.__full_version_str__) - # TODO: this can likely be removed when frontend settings are saved to DB - feature_is_set = settings.ENABLE_UPDATE_CHECK != "default" - if feature_is_set and settings.ENABLE_UPDATE_CHECK: - try: - req = urllib.request.Request( - "https://api.github.com/repos/paperless-ngx/" - "paperless-ngx/releases/latest", - ) - # Ensure a JSON response - req.add_header("Accept", "application/json") - - with urllib.request.urlopen(req) as response: - remote = response.read().decode("utf-8") - try: - remote_json = json.loads(remote) - remote_version = remote_json["tag_name"] - # Basically PEP 616 but that only went in 3.9 - if remote_version.startswith("ngx-"): - remote_version = remote_version[len("ngx-") :] - except ValueError: - logger.debug("An error occurred parsing remote version json") - except urllib.error.URLError: - logger.debug("An error occurred checking for available updates") - - is_greater_than_current = ( - packaging_version.parse( - remote_version, - ) - > current_version + try: + req = urllib.request.Request( + "https://api.github.com/repos/paperless-ngx/" + "paperless-ngx/releases/latest", ) + # Ensure a JSON response + req.add_header("Accept", "application/json") + + with urllib.request.urlopen(req) as response: + remote = response.read().decode("utf-8") + try: + remote_json = json.loads(remote) + remote_version = remote_json["tag_name"] + # Basically PEP 616 but that only went in 3.9 + if remote_version.startswith("ngx-"): + remote_version = remote_version[len("ngx-") :] + except ValueError: + logger.debug("An error occurred parsing remote version json") + except urllib.error.URLError: + logger.debug("An error occurred checking for available updates") + + is_greater_than_current = ( + packaging_version.parse( + remote_version, + ) + > current_version + ) return Response( { "version": remote_version, "update_available": is_greater_than_current, - "feature_is_set": feature_is_set, }, ) @@ -777,15 +845,23 @@ class UiSettingsView(GenericAPIView): displayname = user.username if user.first_name or user.last_name: displayname = " ".join([user.first_name, user.last_name]) - settings = {} + ui_settings = {} if hasattr(user, "ui_settings"): - settings = user.ui_settings.settings + ui_settings = user.ui_settings.settings + if "update_checking" in ui_settings: + ui_settings["update_checking"][ + "backend_setting" + ] = settings.ENABLE_UPDATE_CHECK + else: + ui_settings["update_checking"] = { + "backend_setting": settings.ENABLE_UPDATE_CHECK, + } return Response( { "user_id": user.id, "username": user.username, "display_name": displayname, - "settings": settings, + "settings": ui_settings, }, ) @@ -810,8 +886,9 @@ class TasksViewSet(ReadOnlyModelViewSet): queryset = ( PaperlessTask.objects.filter( acknowledged=False, + attempted_task__isnull=False, ) - .order_by("created") + .order_by("attempted_task__date_created") .reverse() ) diff --git a/src/locale/ar_SA/LC_MESSAGES/django.po b/src/locale/ar_AR/LC_MESSAGES/django.po similarity index 99% rename from src/locale/ar_SA/LC_MESSAGES/django.po rename to src/locale/ar_AR/LC_MESSAGES/django.po index 424a55843..0aef31644 100644 --- a/src/locale/ar_SA/LC_MESSAGES/django.po +++ b/src/locale/ar_AR/LC_MESSAGES/django.po @@ -5,15 +5,15 @@ msgstr "" "POT-Creation-Date: 2022-07-08 14:11-0700\n" "PO-Revision-Date: 2022-07-08 22:07\n" "Last-Translator: \n" -"Language-Team: Arabic, Saudi Arabia\n" -"Language: ar_SA\n" +"Language-Team: Arabic, Arabic\n" +"Language: ar_AR\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=6; plural=(n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5);\n" "X-Crowdin-Project: paperless-ngx\n" "X-Crowdin-Project-ID: 500308\n" -"X-Crowdin-Language: ar-SA\n" +"X-Crowdin-Language: ar-AR\n" "X-Crowdin-File: /dev/src/locale/en_US/LC_MESSAGES/django.po\n" "X-Crowdin-File-ID: 14\n" diff --git a/src/locale/be_BY/LC_MESSAGES/django.po b/src/locale/be_BY/LC_MESSAGES/django.po index 810fec8bf..8c661bcb2 100644 --- a/src/locale/be_BY/LC_MESSAGES/django.po +++ b/src/locale/be_BY/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-07-29 20:44\n" "Last-Translator: \n" "Language-Team: Belarusian\n" "Language: be_BY\n" @@ -100,7 +100,7 @@ msgstr "тыпы дакументаў" #: documents/models.py:90 msgid "path" -msgstr "" +msgstr "шлях" #: documents/models.py:96 documents/models.py:124 msgid "storage path" diff --git a/src/locale/de_DE/LC_MESSAGES/django.po b/src/locale/de_DE/LC_MESSAGES/django.po index a9b39db08..e61bcb564 100644 --- a/src/locale/de_DE/LC_MESSAGES/django.po +++ b/src/locale/de_DE/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-09-04 11:44\n" "Last-Translator: \n" "Language-Team: German\n" "Language: de_DE\n" @@ -376,7 +376,7 @@ msgstr "Filterregeln" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "gestartet" #: documents/serialisers.py:70 #, python-format @@ -402,7 +402,7 @@ msgstr "Paperless-ngx wird geladen..." #: documents/templates/index.html:79 msgid "Still here?! Hmm, something might be wrong." -msgstr "Du bist noch hier?! Hmm, da muss wohl etwas schief gelaufen sein." +msgstr "Du bist noch hier? Hmm, da muss wohl etwas schiefgelaufen sein." #: documents/templates/index.html:79 msgid "Here's a link to the docs." @@ -654,7 +654,7 @@ msgstr "Als wichtig markieren, markierte E-Mails nicht verarbeiten" #: paperless_mail/models.py:68 msgid "Tag the mail with specified tag, don't process tagged mails" -msgstr "" +msgstr "Markiere die Mail mit dem angegebenen Tag, verarbeite nicht markierte Mails" #: paperless_mail/models.py:71 msgid "Use subject as title" diff --git a/src/locale/fi_FI/LC_MESSAGES/django.po b/src/locale/fi_FI/LC_MESSAGES/django.po index ab274f8fa..8d817560e 100644 --- a/src/locale/fi_FI/LC_MESSAGES/django.po +++ b/src/locale/fi_FI/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-09-06 20:21\n" "Last-Translator: \n" "Language-Team: Finnish\n" "Language: fi_FI\n" @@ -376,7 +376,7 @@ msgstr "suodatussäännöt" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "aloitettu" #: documents/serialisers.py:70 #, python-format @@ -638,11 +638,11 @@ msgstr "Prosessoi kaikki tiedostot, sisältäen \"inline\"-liitteet." #: paperless_mail/models.py:64 msgid "Delete" -msgstr "" +msgstr "Poista" #: paperless_mail/models.py:65 msgid "Move to specified folder" -msgstr "" +msgstr "Siirrä määritettyyn kansioon" #: paperless_mail/models.py:66 msgid "Mark as read, don't process read mails" @@ -650,117 +650,117 @@ msgstr "Merkitse luetuksi, älä prosessoi luettuja sähköposteja" #: paperless_mail/models.py:67 msgid "Flag the mail, don't process flagged mails" -msgstr "" +msgstr "Liputa sähköposti, älä käsittele liputettuja sähköposteja" #: paperless_mail/models.py:68 msgid "Tag the mail with specified tag, don't process tagged mails" -msgstr "" +msgstr "Merkitse viesti määrätyllä tagilla, älä käsittele tageja" #: paperless_mail/models.py:71 msgid "Use subject as title" -msgstr "" +msgstr "Käytä aihetta otsikkona" #: paperless_mail/models.py:72 msgid "Use attachment filename as title" -msgstr "" +msgstr "Käytä liitteen tiedostonimeä otsikkona" #: paperless_mail/models.py:75 msgid "Do not assign a correspondent" -msgstr "" +msgstr "Älä määritä yhteyshenkilöä" #: paperless_mail/models.py:76 msgid "Use mail address" -msgstr "" +msgstr "Käytä sähköpostiosoitetta" #: paperless_mail/models.py:77 msgid "Use name (or mail address if not available)" -msgstr "" +msgstr "Käytä nimeä (tai sähköpostiosoitetta, jos ei ole saatavilla)" #: paperless_mail/models.py:78 msgid "Use correspondent selected below" -msgstr "" +msgstr "Käytä alla valittua yhteyshenkilöä" #: paperless_mail/models.py:82 msgid "order" -msgstr "" +msgstr "järjestys" #: paperless_mail/models.py:88 msgid "account" -msgstr "" +msgstr "tili" #: paperless_mail/models.py:92 msgid "folder" -msgstr "" +msgstr "kansio" #: paperless_mail/models.py:96 msgid "Subfolders must be separated by a delimiter, often a dot ('.') or slash ('/'), but it varies by mail server." -msgstr "" +msgstr "Alikansiot on erotettava erottimella, usein pisteellä ('.') tai kauttaviivalla ('/'), mutta se vaihtelee postipalvelimen mukaan." #: paperless_mail/models.py:102 msgid "filter from" -msgstr "" +msgstr "suodata lähettäjä-kenttä" #: paperless_mail/models.py:108 msgid "filter subject" -msgstr "" +msgstr "suodata aihe" #: paperless_mail/models.py:114 msgid "filter body" -msgstr "" +msgstr "suodata runko" #: paperless_mail/models.py:121 msgid "filter attachment filename" -msgstr "" +msgstr "suodata liitteen tiedostonimi" #: paperless_mail/models.py:126 msgid "Only consume documents which entirely match this filename if specified. Wildcards such as *.pdf or *invoice* are allowed. Case insensitive." -msgstr "" +msgstr "Tuo vain dokumentit jotka täsmäävät täysin tiedostonimen suhteen. Jokerimerkit kuten *.pdf tai *lasku* ovat sallittuja. Kirjainkoko ei merkitse." #: paperless_mail/models.py:133 msgid "maximum age" -msgstr "" +msgstr "ikä enintään" #: paperless_mail/models.py:135 msgid "Specified in days." -msgstr "" +msgstr "Määritetty päivinä." #: paperless_mail/models.py:139 msgid "attachment type" -msgstr "" +msgstr "liitteen tyyppi" #: paperless_mail/models.py:143 msgid "Inline attachments include embedded images, so it's best to combine this option with a filename filter." -msgstr "" +msgstr "Sisäiset liitteet sisältävät upotettuja kuvia, joten on parasta yhdistää tämä vaihtoehto tiedostonimen suodattimeen." #: paperless_mail/models.py:149 msgid "action" -msgstr "" +msgstr "toiminto" #: paperless_mail/models.py:155 msgid "action parameter" -msgstr "" +msgstr "toiminnon parametrit" #: paperless_mail/models.py:160 msgid "Additional parameter for the action selected above, i.e., the target folder of the move to folder action. Subfolders must be separated by dots." -msgstr "" +msgstr "Yllä valitun toiminnon lisäparametri eli siirrä hakemistoon -toiminnon kohdehakemisto. Alikansiot on erotettava toisistaan pisteillä." #: paperless_mail/models.py:168 msgid "assign title from" -msgstr "" +msgstr "aseta otsikko kohteesta" #: paperless_mail/models.py:176 msgid "assign this tag" -msgstr "" +msgstr "määritä tämä tunniste" #: paperless_mail/models.py:184 msgid "assign this document type" -msgstr "" +msgstr "määritä tämä asiakirjatyyppi" #: paperless_mail/models.py:188 msgid "assign correspondent from" -msgstr "" +msgstr "määritä kirjeenvaihtaja kohteesta" #: paperless_mail/models.py:198 msgid "assign this correspondent" -msgstr "" +msgstr "määritä tämä kirjeenvaihtaja" diff --git a/src/locale/fr_FR/LC_MESSAGES/django.po b/src/locale/fr_FR/LC_MESSAGES/django.po index d6384b10b..75b58e884 100644 --- a/src/locale/fr_FR/LC_MESSAGES/django.po +++ b/src/locale/fr_FR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-09-07 21:41\n" "Last-Translator: \n" "Language-Team: French\n" "Language: fr_FR\n" @@ -100,15 +100,15 @@ msgstr "types de document" #: documents/models.py:90 msgid "path" -msgstr "" +msgstr "chemin" #: documents/models.py:96 documents/models.py:124 msgid "storage path" -msgstr "" +msgstr "chemin de stockage" #: documents/models.py:97 msgid "storage paths" -msgstr "" +msgstr "chemins de stockage" #: documents/models.py:105 msgid "Unencrypted" @@ -376,7 +376,7 @@ msgstr "règles de filtrage" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "démarré" #: documents/serialisers.py:70 #, python-format @@ -394,7 +394,7 @@ msgstr "Type de fichier %(type)s non pris en charge" #: documents/serialisers.py:596 msgid "Invalid variable detected." -msgstr "" +msgstr "Variable non valide détectée." #: documents/templates/index.html:78 msgid "Paperless-ngx is loading..." @@ -402,11 +402,11 @@ msgstr "Paperless-ngx est en cours de chargement..." #: documents/templates/index.html:79 msgid "Still here?! Hmm, something might be wrong." -msgstr "" +msgstr "Toujours ici ? Hum, quelque chose a dû mal se passer." #: documents/templates/index.html:79 msgid "Here's a link to the docs." -msgstr "" +msgstr "Lien vers la documentation." #: documents/templates/registration/logged_out.html:14 msgid "Paperless-ngx signed out" @@ -450,7 +450,7 @@ msgstr "Anglais (US)" #: paperless/settings.py:340 msgid "Belarusian" -msgstr "" +msgstr "Biélorusse" #: paperless/settings.py:341 msgid "Czech" @@ -510,11 +510,11 @@ msgstr "Russe" #: paperless/settings.py:355 msgid "Slovenian" -msgstr "" +msgstr "Slovène" #: paperless/settings.py:356 msgid "Serbian" -msgstr "" +msgstr "Serbe" #: paperless/settings.py:357 msgid "Swedish" @@ -522,11 +522,11 @@ msgstr "Suédois" #: paperless/settings.py:358 msgid "Turkish" -msgstr "" +msgstr "Turc" #: paperless/settings.py:359 msgid "Chinese Simplified" -msgstr "" +msgstr "Chinois simplifié" #: paperless/urls.py:161 msgid "Paperless-ngx administration" @@ -654,7 +654,7 @@ msgstr "Marquer le courriel, ne pas traiter les courriels marqués" #: paperless_mail/models.py:68 msgid "Tag the mail with specified tag, don't process tagged mails" -msgstr "" +msgstr "Affecter l’étiquette spécifée au courrier, ne pas traiter les courriels étiquetés" #: paperless_mail/models.py:71 msgid "Use subject as title" @@ -694,7 +694,7 @@ msgstr "répertoire" #: paperless_mail/models.py:96 msgid "Subfolders must be separated by a delimiter, often a dot ('.') or slash ('/'), but it varies by mail server." -msgstr "" +msgstr "Les sous-dossiers doivent être séparés par un délimiteurs, souvent un point ('.') ou un slash ('/'), en fonction du serveur de messagerie." #: paperless_mail/models.py:102 msgid "filter from" diff --git a/src/locale/it_IT/LC_MESSAGES/django.po b/src/locale/it_IT/LC_MESSAGES/django.po index a8bc4ae57..c827d96f0 100644 --- a/src/locale/it_IT/LC_MESSAGES/django.po +++ b/src/locale/it_IT/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-08-03 11:24\n" "Last-Translator: \n" "Language-Team: Italian\n" "Language: it_IT\n" @@ -376,7 +376,7 @@ msgstr "regole filtro" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "avviato" #: documents/serialisers.py:70 #, python-format @@ -654,7 +654,7 @@ msgstr "Contrassegna la email, non elaborare le email elaborate." #: paperless_mail/models.py:68 msgid "Tag the mail with specified tag, don't process tagged mails" -msgstr "" +msgstr "Etichetta la posta con il tag specificato, non processare le email etichettate" #: paperless_mail/models.py:71 msgid "Use subject as title" diff --git a/src/locale/nl_NL/LC_MESSAGES/django.po b/src/locale/nl_NL/LC_MESSAGES/django.po index 6dad5d30a..00387a8e8 100644 --- a/src/locale/nl_NL/LC_MESSAGES/django.po +++ b/src/locale/nl_NL/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-08-26 20:54\n" "Last-Translator: \n" "Language-Team: Dutch\n" "Language: nl_NL\n" @@ -100,15 +100,15 @@ msgstr "documenttypen" #: documents/models.py:90 msgid "path" -msgstr "" +msgstr "pad" #: documents/models.py:96 documents/models.py:124 msgid "storage path" -msgstr "" +msgstr "opslag pad" #: documents/models.py:97 msgid "storage paths" -msgstr "" +msgstr "opslag paden" #: documents/models.py:105 msgid "Unencrypted" @@ -376,7 +376,7 @@ msgstr "filterregels" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "gestart" #: documents/serialisers.py:70 #, python-format @@ -394,7 +394,7 @@ msgstr "Bestandstype %(type)s niet ondersteund" #: documents/serialisers.py:596 msgid "Invalid variable detected." -msgstr "" +msgstr "Ongeldige variabele ontdekt." #: documents/templates/index.html:78 msgid "Paperless-ngx is loading..." @@ -402,7 +402,7 @@ msgstr "Paperless-ngx is aan het laden..." #: documents/templates/index.html:79 msgid "Still here?! Hmm, something might be wrong." -msgstr "" +msgstr "Nog steeds hier?! Hmm, er kan iets mis zijn." #: documents/templates/index.html:79 msgid "Here's a link to the docs." @@ -450,7 +450,7 @@ msgstr "Engels (US)" #: paperless/settings.py:340 msgid "Belarusian" -msgstr "" +msgstr "Wit-Russisch" #: paperless/settings.py:341 msgid "Czech" @@ -510,11 +510,11 @@ msgstr "Russisch" #: paperless/settings.py:355 msgid "Slovenian" -msgstr "" +msgstr "Sloveens" #: paperless/settings.py:356 msgid "Serbian" -msgstr "" +msgstr "Servisch" #: paperless/settings.py:357 msgid "Swedish" @@ -522,11 +522,11 @@ msgstr "Zweeds" #: paperless/settings.py:358 msgid "Turkish" -msgstr "" +msgstr "Turks" #: paperless/settings.py:359 msgid "Chinese Simplified" -msgstr "" +msgstr "Chinees (vereenvoudigd)" #: paperless/urls.py:161 msgid "Paperless-ngx administration" @@ -654,7 +654,7 @@ msgstr "Markeer de mail, verwerk geen mails met markering" #: paperless_mail/models.py:68 msgid "Tag the mail with specified tag, don't process tagged mails" -msgstr "" +msgstr "Tag de mail met de opgegeven tag, verwerk geen getagde mails" #: paperless_mail/models.py:71 msgid "Use subject as title" @@ -694,7 +694,7 @@ msgstr "map" #: paperless_mail/models.py:96 msgid "Subfolders must be separated by a delimiter, often a dot ('.') or slash ('/'), but it varies by mail server." -msgstr "" +msgstr "Submappen moeten gescheiden worden door een scheidingsteken, vaak een punt ('.') of slash ('/'), maar het varieert per mailserver." #: paperless_mail/models.py:102 msgid "filter from" diff --git a/src/locale/no_NO/LC_MESSAGES/django.po b/src/locale/no_NO/LC_MESSAGES/django.po index 765290f10..d5a1a2b09 100644 --- a/src/locale/no_NO/LC_MESSAGES/django.po +++ b/src/locale/no_NO/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-08-03 08:59\n" "Last-Translator: \n" "Language-Team: Norwegian\n" "Language: no_NO\n" @@ -220,7 +220,7 @@ msgstr "kritisk" #: documents/models.py:325 msgid "group" -msgstr "" +msgstr "gruppe" #: documents/models.py:327 msgid "message" @@ -228,11 +228,11 @@ msgstr "melding" #: documents/models.py:330 msgid "level" -msgstr "" +msgstr "nivå" #: documents/models.py:339 msgid "log" -msgstr "log" +msgstr "Logg" #: documents/models.py:340 msgid "logs" @@ -240,11 +240,11 @@ msgstr "logger" #: documents/models.py:350 documents/models.py:403 msgid "saved view" -msgstr "" +msgstr "lagret visning" #: documents/models.py:351 msgid "saved views" -msgstr "" +msgstr "lagrede visninger" #: documents/models.py:353 msgid "user" @@ -252,35 +252,35 @@ msgstr "bruker" #: documents/models.py:357 msgid "show on dashboard" -msgstr "" +msgstr "vis på dashbordet" #: documents/models.py:360 msgid "show in sidebar" -msgstr "" +msgstr "vis i sidestolpen" #: documents/models.py:364 msgid "sort field" -msgstr "" +msgstr "sorter felt" #: documents/models.py:369 msgid "sort reverse" -msgstr "" +msgstr "sorter på baksiden" #: documents/models.py:374 msgid "title contains" -msgstr "" +msgstr "tittelen inneholder" #: documents/models.py:375 msgid "content contains" -msgstr "" +msgstr "innholdet inneholder" #: documents/models.py:376 msgid "ASN is" -msgstr "" +msgstr "ASN er" #: documents/models.py:377 msgid "correspondent is" -msgstr "" +msgstr "tilsvarendet er" #: documents/models.py:378 msgid "document type is" @@ -288,15 +288,15 @@ msgstr "dokumenttype er" #: documents/models.py:379 msgid "is in inbox" -msgstr "" +msgstr "er i innboksen" #: documents/models.py:380 msgid "has tag" -msgstr "" +msgstr "har tagg" #: documents/models.py:381 msgid "has any tag" -msgstr "" +msgstr "har en tag" #: documents/models.py:382 msgid "created before" @@ -304,125 +304,125 @@ msgstr "opprettet før" #: documents/models.py:383 msgid "created after" -msgstr "" +msgstr "opprettet etter" #: documents/models.py:384 msgid "created year is" -msgstr "" +msgstr "opprettet år er" #: documents/models.py:385 msgid "created month is" -msgstr "" +msgstr "opprettet måned er" #: documents/models.py:386 msgid "created day is" -msgstr "" +msgstr "opprettet dag er" #: documents/models.py:387 msgid "added before" -msgstr "" +msgstr "lagt til før" #: documents/models.py:388 msgid "added after" -msgstr "" +msgstr "lagt til etter" #: documents/models.py:389 msgid "modified before" -msgstr "" +msgstr "endret før" #: documents/models.py:390 msgid "modified after" -msgstr "" +msgstr "endret etter" #: documents/models.py:391 msgid "does not have tag" -msgstr "" +msgstr "har ikke tagg" #: documents/models.py:392 msgid "does not have ASN" -msgstr "" +msgstr "har ikke ASN" #: documents/models.py:393 msgid "title or content contains" -msgstr "" +msgstr "tittel eller innhold inneholder" #: documents/models.py:394 msgid "fulltext query" -msgstr "" +msgstr "full tekst spørring" #: documents/models.py:395 msgid "more like this" -msgstr "" +msgstr "mer som dette" #: documents/models.py:396 msgid "has tags in" -msgstr "" +msgstr "har tags i" #: documents/models.py:406 msgid "rule type" -msgstr "" +msgstr "Type regel" #: documents/models.py:408 msgid "value" -msgstr "" +msgstr "verdi" #: documents/models.py:411 msgid "filter rule" -msgstr "" +msgstr "filtrer regel" #: documents/models.py:412 msgid "filter rules" -msgstr "" +msgstr "filtrer regler" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "startet" #: documents/serialisers.py:70 #, python-format msgid "Invalid regular expression: %(error)s" -msgstr "" +msgstr "Ugyldig regulært uttrykk: %(error)s" #: documents/serialisers.py:191 msgid "Invalid color." -msgstr "" +msgstr "Ugyldig farge." #: documents/serialisers.py:515 #, python-format msgid "File type %(type)s not supported" -msgstr "" +msgstr "Filtype %(type)s støttes ikke" #: documents/serialisers.py:596 msgid "Invalid variable detected." -msgstr "" +msgstr "Ugyldig variabel oppdaget." #: documents/templates/index.html:78 msgid "Paperless-ngx is loading..." -msgstr "" +msgstr "Paperless-ngx laster..." #: documents/templates/index.html:79 msgid "Still here?! Hmm, something might be wrong." -msgstr "" +msgstr "Fortsatt her?! Hmm, noe kan være galt." #: documents/templates/index.html:79 msgid "Here's a link to the docs." -msgstr "" +msgstr "Her er en lenke til dokkene." #: documents/templates/registration/logged_out.html:14 msgid "Paperless-ngx signed out" -msgstr "" +msgstr "Paperless-ngx logget ut" #: documents/templates/registration/logged_out.html:59 msgid "You have been successfully logged out. Bye!" -msgstr "" +msgstr "Du har blitt logget ut. Av!" #: documents/templates/registration/logged_out.html:60 msgid "Sign in again" -msgstr "" +msgstr "Logg inn igjen" #: documents/templates/registration/login.html:15 msgid "Paperless-ngx sign in" -msgstr "" +msgstr "Paperless-ngx-tegn inn" #: documents/templates/registration/login.html:61 msgid "Please sign in." @@ -450,63 +450,63 @@ msgstr "Engelsk (US)" #: paperless/settings.py:340 msgid "Belarusian" -msgstr "Belarusian" +msgstr "Hviterussisk" #: paperless/settings.py:341 msgid "Czech" -msgstr "Czech" +msgstr "Tsjekkisk" #: paperless/settings.py:342 msgid "Danish" -msgstr "Danish" +msgstr "Dansk" #: paperless/settings.py:343 msgid "German" -msgstr "German" +msgstr "Tysk" #: paperless/settings.py:344 msgid "English (GB)" -msgstr "English (GB)" +msgstr "Engelsk (GB)" #: paperless/settings.py:345 msgid "Spanish" -msgstr "Spanish" +msgstr "Spansk" #: paperless/settings.py:346 msgid "French" -msgstr "French" +msgstr "Fransk" #: paperless/settings.py:347 msgid "Italian" -msgstr "Italian" +msgstr "Italiensk" #: paperless/settings.py:348 msgid "Luxembourgish" -msgstr "Luxembourgish" +msgstr "Luxembourgsk" #: paperless/settings.py:349 msgid "Dutch" -msgstr "Dutch" +msgstr "Nederlandsk" #: paperless/settings.py:350 msgid "Polish" -msgstr "Polish" +msgstr "Polsk" #: paperless/settings.py:351 msgid "Portuguese (Brazil)" -msgstr "Portuguese (Brazil)" +msgstr "Portugisisk (Brasil)" #: paperless/settings.py:352 msgid "Portuguese" -msgstr "Portuguese" +msgstr "Portugisisk" #: paperless/settings.py:353 msgid "Romanian" -msgstr "Romanian" +msgstr "Rumensk" #: paperless/settings.py:354 msgid "Russian" -msgstr "Russian" +msgstr "Russisk" #: paperless/settings.py:355 msgid "Slovenian" @@ -514,19 +514,19 @@ msgstr "Slovenian" #: paperless/settings.py:356 msgid "Serbian" -msgstr "Serbian" +msgstr "Serbisk" #: paperless/settings.py:357 msgid "Swedish" -msgstr "Swedish" +msgstr "Svensk" #: paperless/settings.py:358 msgid "Turkish" -msgstr "Turkish" +msgstr "Tyrkisk" #: paperless/settings.py:359 msgid "Chinese Simplified" -msgstr "Chinese Simplified" +msgstr "Kinesisk forenklet" #: paperless/urls.py:161 msgid "Paperless-ngx administration" @@ -542,7 +542,7 @@ msgstr "Avanserte innstillinger" #: paperless_mail/admin.py:47 msgid "Filter" -msgstr "Filter" +msgstr "Filtrer" #: paperless_mail/admin.py:50 msgid "Paperless will only process mails that match ALL of the filters given below." @@ -554,19 +554,19 @@ msgstr "Handlinger" #: paperless_mail/admin.py:67 msgid "The action applied to the mail. This action is only performed when documents were consumed from the mail. Mails without attachments will remain entirely untouched." -msgstr "" +msgstr "Handlingen som brukes på e-posten. Denne handlingen blir bare utført når dokumenter blir forbrukt av e-posten. Mailer uten vedlegg forblir helt urørte." #: paperless_mail/admin.py:75 msgid "Metadata" -msgstr "Metadata" +msgstr "Nøkkeldata" #: paperless_mail/admin.py:78 msgid "Assign metadata to documents consumed from this rule automatically. If you do not assign tags, types or correspondents here, paperless will still process all matching rules that you have defined." -msgstr "" +msgstr "Tilordne metadata til dokumenter som brukes fra denne regelen automatisk. Hvis du ikke tilordner etiketter, typer eller korrespondenter her, vil papirløs fremdeles behandle alle matchende regler som du har definert." #: paperless_mail/apps.py:8 msgid "Paperless mail" -msgstr "" +msgstr "Paperløst e-post" #: paperless_mail/models.py:8 msgid "mail account" @@ -586,23 +586,23 @@ msgstr "Bruk SSL" #: paperless_mail/models.py:14 msgid "Use STARTTLS" -msgstr "" +msgstr "Bruk STARTTLS" #: paperless_mail/models.py:18 msgid "IMAP server" -msgstr "" +msgstr "IMAP tjener" #: paperless_mail/models.py:21 msgid "IMAP port" -msgstr "" +msgstr "IMAP port" #: paperless_mail/models.py:25 msgid "This is usually 143 for unencrypted and STARTTLS connections, and 993 for SSL connections." -msgstr "" +msgstr "Dette er vanligvis 143 for ukrypterte og STARTTLS-tilkoblinger, og 993 for SSL-tilkoblinger." #: paperless_mail/models.py:31 msgid "IMAP security" -msgstr "" +msgstr "IMAP sikkerhet" #: paperless_mail/models.py:36 msgid "username" @@ -618,7 +618,7 @@ msgstr "tegnsett" #: paperless_mail/models.py:45 msgid "The character set to use when communicating with the mail server, such as 'UTF-8' or 'US-ASCII'." -msgstr "" +msgstr "Tegnet som skal brukes ved kommunikasjon med e-posttjeneren, som for eksempel 'UTF-8' eller 'US-ASCII'." #: paperless_mail/models.py:56 msgid "mail rule" @@ -626,141 +626,141 @@ msgstr "e-post regel" #: paperless_mail/models.py:57 msgid "mail rules" -msgstr "" +msgstr "Epost regler" #: paperless_mail/models.py:60 msgid "Only process attachments." -msgstr "" +msgstr "Bare behandle vedlegg." #: paperless_mail/models.py:61 msgid "Process all files, including 'inline' attachments." -msgstr "" +msgstr "Behandle alle filer, inkludert \"inline\"-vedlegg." #: paperless_mail/models.py:64 msgid "Delete" -msgstr "" +msgstr "Slett" #: paperless_mail/models.py:65 msgid "Move to specified folder" -msgstr "" +msgstr "Flytt til angitt mappe" #: paperless_mail/models.py:66 msgid "Mark as read, don't process read mails" -msgstr "" +msgstr "Merk som lest og ikke behandle e-post" #: paperless_mail/models.py:67 msgid "Flag the mail, don't process flagged mails" -msgstr "" +msgstr "Marker posten, ikke behandle flaggede meldinger" #: paperless_mail/models.py:68 msgid "Tag the mail with specified tag, don't process tagged mails" -msgstr "" +msgstr "Merk e-post med angitte tag, ikke bruk merkede meldinger" #: paperless_mail/models.py:71 msgid "Use subject as title" -msgstr "" +msgstr "Bruk emne som tittel" #: paperless_mail/models.py:72 msgid "Use attachment filename as title" -msgstr "" +msgstr "Bruk vedlagte filnavn som tittel" #: paperless_mail/models.py:75 msgid "Do not assign a correspondent" -msgstr "" +msgstr "Ikke tildel en korrespondent" #: paperless_mail/models.py:76 msgid "Use mail address" -msgstr "" +msgstr "Bruk e-postadresse" #: paperless_mail/models.py:77 msgid "Use name (or mail address if not available)" -msgstr "" +msgstr "Bruk navn (eller e-postadresse hvis det ikke er tilgjengelig)" #: paperless_mail/models.py:78 msgid "Use correspondent selected below" -msgstr "" +msgstr "Bruk tilsvarende valgt nedenfor" #: paperless_mail/models.py:82 msgid "order" -msgstr "" +msgstr "ordre" #: paperless_mail/models.py:88 msgid "account" -msgstr "" +msgstr "konto" #: paperless_mail/models.py:92 msgid "folder" -msgstr "" +msgstr "mappe" #: paperless_mail/models.py:96 msgid "Subfolders must be separated by a delimiter, often a dot ('.') or slash ('/'), but it varies by mail server." -msgstr "" +msgstr "Undermapper må være atskilt av en skilletegn, ofte en punktum ('.') eller skråstrek ('/'), men den varierer fra e-postserver." #: paperless_mail/models.py:102 msgid "filter from" -msgstr "" +msgstr "filtrer fra" #: paperless_mail/models.py:108 msgid "filter subject" -msgstr "" +msgstr "filtrer emne" #: paperless_mail/models.py:114 msgid "filter body" -msgstr "" +msgstr "filtrer innhold" #: paperless_mail/models.py:121 msgid "filter attachment filename" -msgstr "" +msgstr "filtrer vedlagte filnavn" #: paperless_mail/models.py:126 msgid "Only consume documents which entirely match this filename if specified. Wildcards such as *.pdf or *invoice* are allowed. Case insensitive." -msgstr "" +msgstr "Bare bruke dokumenter som samsvarer med dette filnavnet hvis angitt. Jokertegn som *.pdf eller *faktura* er tillatt. Saksfortegnet." #: paperless_mail/models.py:133 msgid "maximum age" -msgstr "" +msgstr "maksimal alder" #: paperless_mail/models.py:135 msgid "Specified in days." -msgstr "" +msgstr "Spesifisert i dager" #: paperless_mail/models.py:139 msgid "attachment type" -msgstr "" +msgstr "vedlegg type" #: paperless_mail/models.py:143 msgid "Inline attachments include embedded images, so it's best to combine this option with a filename filter." -msgstr "" +msgstr "Innebygde vedlegg inkluderer innebygde bilder, så det er best å kombinere dette alternativet med et filter." #: paperless_mail/models.py:149 msgid "action" -msgstr "" +msgstr "handling" #: paperless_mail/models.py:155 msgid "action parameter" -msgstr "" +msgstr "parameter for handling" #: paperless_mail/models.py:160 msgid "Additional parameter for the action selected above, i.e., the target folder of the move to folder action. Subfolders must be separated by dots." -msgstr "" +msgstr "Ytterligere parameter for handlingen valgt ovenfor, dvs. målmappen for flytting til mappehandling. Undermapper må separeres med punkter." #: paperless_mail/models.py:168 msgid "assign title from" -msgstr "" +msgstr "tilordne tittel fra" #: paperless_mail/models.py:176 msgid "assign this tag" -msgstr "" +msgstr "tilordne denne taggen" #: paperless_mail/models.py:184 msgid "assign this document type" -msgstr "" +msgstr "tilordne denne dokumenttypen" #: paperless_mail/models.py:188 msgid "assign correspondent from" -msgstr "" +msgstr "Tildel korrespondent fra" #: paperless_mail/models.py:198 msgid "assign this correspondent" -msgstr "" +msgstr "Tildel denne korrespondenten" diff --git a/src/locale/pl_PL/LC_MESSAGES/django.po b/src/locale/pl_PL/LC_MESSAGES/django.po index 7109c1e60..29ca75596 100644 --- a/src/locale/pl_PL/LC_MESSAGES/django.po +++ b/src/locale/pl_PL/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-08-17 11:20\n" "Last-Translator: \n" "Language-Team: Polish\n" "Language: pl_PL\n" @@ -376,7 +376,7 @@ msgstr "reguły filtrowania" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "start" #: documents/serialisers.py:70 #, python-format @@ -654,7 +654,7 @@ msgstr "Oznacz wiadomość, nie przetwarzaj oznaczonych wiadomości" #: paperless_mail/models.py:68 msgid "Tag the mail with specified tag, don't process tagged mails" -msgstr "" +msgstr "Oznacz pocztę z podanym tagiem, nie przetwarzaj otagowanych wiadomości" #: paperless_mail/models.py:71 msgid "Use subject as title" diff --git a/src/locale/ru_RU/LC_MESSAGES/django.po b/src/locale/ru_RU/LC_MESSAGES/django.po index 10cbd0241..d5b200971 100644 --- a/src/locale/ru_RU/LC_MESSAGES/django.po +++ b/src/locale/ru_RU/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-08-03 16:12\n" "Last-Translator: \n" "Language-Team: Russian\n" "Language: ru_RU\n" @@ -100,15 +100,15 @@ msgstr "типы документов" #: documents/models.py:90 msgid "path" -msgstr "" +msgstr "путь" #: documents/models.py:96 documents/models.py:124 msgid "storage path" -msgstr "" +msgstr "путь к хранилищу" #: documents/models.py:97 msgid "storage paths" -msgstr "" +msgstr "пути хранения" #: documents/models.py:105 msgid "Unencrypted" @@ -376,7 +376,7 @@ msgstr "правила фильтрации" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "запущено" #: documents/serialisers.py:70 #, python-format @@ -394,7 +394,7 @@ msgstr "Тип файла %(type)s не поддерживается" #: documents/serialisers.py:596 msgid "Invalid variable detected." -msgstr "" +msgstr "Обнаружена неверная переменная." #: documents/templates/index.html:78 msgid "Paperless-ngx is loading..." @@ -402,11 +402,11 @@ msgstr "Paperless-ngx загружается..." #: documents/templates/index.html:79 msgid "Still here?! Hmm, something might be wrong." -msgstr "" +msgstr "Все еще здесь?! Хмм, возможно что-то не так." #: documents/templates/index.html:79 msgid "Here's a link to the docs." -msgstr "" +msgstr "Вот ссылка на документацию." #: documents/templates/registration/logged_out.html:14 msgid "Paperless-ngx signed out" @@ -450,7 +450,7 @@ msgstr "Английский (США)" #: paperless/settings.py:340 msgid "Belarusian" -msgstr "" +msgstr "Белорусский" #: paperless/settings.py:341 msgid "Czech" @@ -510,11 +510,11 @@ msgstr "Русский" #: paperless/settings.py:355 msgid "Slovenian" -msgstr "" +msgstr "Словенский" #: paperless/settings.py:356 msgid "Serbian" -msgstr "" +msgstr "Сербский" #: paperless/settings.py:357 msgid "Swedish" @@ -522,11 +522,11 @@ msgstr "Шведский" #: paperless/settings.py:358 msgid "Turkish" -msgstr "" +msgstr "Турецкий" #: paperless/settings.py:359 msgid "Chinese Simplified" -msgstr "" +msgstr "Китайский упрощенный" #: paperless/urls.py:161 msgid "Paperless-ngx administration" @@ -654,7 +654,7 @@ msgstr "Пометить почту, не обрабатывать помече #: paperless_mail/models.py:68 msgid "Tag the mail with specified tag, don't process tagged mails" -msgstr "" +msgstr "Отметить почту указанным тегом, не обрабатывать помеченные письма" #: paperless_mail/models.py:71 msgid "Use subject as title" @@ -694,7 +694,7 @@ msgstr "каталог" #: paperless_mail/models.py:96 msgid "Subfolders must be separated by a delimiter, often a dot ('.') or slash ('/'), but it varies by mail server." -msgstr "" +msgstr "Подпапки должны быть отделены разделителем, часто точкой ('.') или косой чертой ('/'), но это зависит от почтового сервера." #: paperless_mail/models.py:102 msgid "filter from" diff --git a/src/locale/sl_SI/LC_MESSAGES/django.po b/src/locale/sl_SI/LC_MESSAGES/django.po index 356162d3c..f1e408407 100644 --- a/src/locale/sl_SI/LC_MESSAGES/django.po +++ b/src/locale/sl_SI/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-08-25 12:46\n" "Last-Translator: \n" "Language-Team: Slovenian\n" "Language: sl_SI\n" @@ -100,15 +100,15 @@ msgstr "vrste dokumentov" #: documents/models.py:90 msgid "path" -msgstr "" +msgstr "pot" #: documents/models.py:96 documents/models.py:124 msgid "storage path" -msgstr "" +msgstr "pot do shrambe" #: documents/models.py:97 msgid "storage paths" -msgstr "" +msgstr "poti do shrambe" #: documents/models.py:105 msgid "Unencrypted" @@ -376,7 +376,7 @@ msgstr "filtriraj pravila" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "zagnano" #: documents/serialisers.py:70 #, python-format @@ -394,7 +394,7 @@ msgstr "Vrsta datoteke %(type)s ni podprta" #: documents/serialisers.py:596 msgid "Invalid variable detected." -msgstr "" +msgstr "Zaznani neveljavni znaki." #: documents/templates/index.html:78 msgid "Paperless-ngx is loading..." @@ -402,11 +402,11 @@ msgstr "Paperless-ngx se nalaga..." #: documents/templates/index.html:79 msgid "Still here?! Hmm, something might be wrong." -msgstr "" +msgstr "Še vedno tam? Hmm, kot kaže je šlo nekaj narobe." #: documents/templates/index.html:79 msgid "Here's a link to the docs." -msgstr "" +msgstr "Tu je povezava do dokumentacije." #: documents/templates/registration/logged_out.html:14 msgid "Paperless-ngx signed out" @@ -450,7 +450,7 @@ msgstr "Angleščina (ZDA)" #: paperless/settings.py:340 msgid "Belarusian" -msgstr "" +msgstr "Beloruščina" #: paperless/settings.py:341 msgid "Czech" @@ -510,11 +510,11 @@ msgstr "Ruščina" #: paperless/settings.py:355 msgid "Slovenian" -msgstr "" +msgstr "Slovenščina" #: paperless/settings.py:356 msgid "Serbian" -msgstr "" +msgstr "Srbščina" #: paperless/settings.py:357 msgid "Swedish" @@ -522,11 +522,11 @@ msgstr "Švedščina" #: paperless/settings.py:358 msgid "Turkish" -msgstr "" +msgstr "Turščina" #: paperless/settings.py:359 msgid "Chinese Simplified" -msgstr "" +msgstr "Poenostavljena kitajščina" #: paperless/urls.py:161 msgid "Paperless-ngx administration" @@ -654,7 +654,7 @@ msgstr "Označite pošto z zastavico, ne obdelujte označene pošte" #: paperless_mail/models.py:68 msgid "Tag the mail with specified tag, don't process tagged mails" -msgstr "" +msgstr "Označi pošto s določeno oznako, ne procesiraj označene pošte" #: paperless_mail/models.py:71 msgid "Use subject as title" @@ -694,7 +694,7 @@ msgstr "mapa" #: paperless_mail/models.py:96 msgid "Subfolders must be separated by a delimiter, often a dot ('.') or slash ('/'), but it varies by mail server." -msgstr "" +msgstr "Podmape morajo biti ločene s znakom, običajno je to pika (.) ali slash ('/'), je pa odvisno od poštnega strežnika." #: paperless_mail/models.py:102 msgid "filter from" diff --git a/src/locale/sr_CS/LC_MESSAGES/django.po b/src/locale/sr_CS/LC_MESSAGES/django.po index de65708f0..ca01c8d1e 100644 --- a/src/locale/sr_CS/LC_MESSAGES/django.po +++ b/src/locale/sr_CS/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-08-04 23:55\n" "Last-Translator: \n" "Language-Team: Serbian (Latin)\n" "Language: sr_CS\n" @@ -60,15 +60,15 @@ msgstr "algoritam podudaranja" #: documents/models.py:47 msgid "is insensitive" -msgstr "" +msgstr "bez razlike veliko/malo slovo" #: documents/models.py:60 documents/models.py:115 msgid "correspondent" -msgstr "dopisnik" +msgstr "korespodent" #: documents/models.py:61 msgid "correspondents" -msgstr "dopisnici" +msgstr "korespodenti" #: documents/models.py:66 msgid "color" @@ -80,7 +80,7 @@ msgstr "je oznaka prijemnog sandučeta" #: documents/models.py:72 msgid "Marks this tag as an inbox tag: All newly consumed documents will be tagged with inbox tags." -msgstr "" +msgstr "Označava ovu oznaku kao oznaku prijemnog sandučeta (inbox): Svi novoobrađeni dokumenti će biti označeni oznakama prijemnog sandučeta (inbox)." #: documents/models.py:78 msgid "tag" @@ -100,23 +100,23 @@ msgstr "tipovi dokumenta" #: documents/models.py:90 msgid "path" -msgstr "" +msgstr "putanja" #: documents/models.py:96 documents/models.py:124 msgid "storage path" -msgstr "" +msgstr "putanja skladišta" #: documents/models.py:97 msgid "storage paths" -msgstr "" +msgstr "putanja skladišta" #: documents/models.py:105 msgid "Unencrypted" -msgstr "" +msgstr "Nešifrovano" #: documents/models.py:106 msgid "Encrypted with GNU Privacy Guard" -msgstr "" +msgstr "Šifrovano pomoću GNU Privacy Guard" #: documents/models.py:127 msgid "title" @@ -128,7 +128,7 @@ msgstr "sadržaj" #: documents/models.py:142 msgid "The raw, text-only data of the document. This field is primarily used for searching." -msgstr "" +msgstr "Neobrađeni tekstualni podaci dokumenta. Ovo se polje koristi prvenstveno za pretraživanje." #: documents/models.py:147 msgid "mime type" @@ -172,7 +172,7 @@ msgstr "naziv fajla" #: documents/models.py:204 msgid "Current filename in storage" -msgstr "" +msgstr "Trenutni naziv sačuvane datoteke" #: documents/models.py:208 msgid "archive filename" @@ -180,7 +180,7 @@ msgstr "naziv fajla arhive" #: documents/models.py:214 msgid "Current archive filename in storage" -msgstr "" +msgstr "Trenutni naziv arhivirane sačuvane datoteke" #: documents/models.py:218 msgid "archive serial number" @@ -188,7 +188,7 @@ msgstr "arhivski serijski broj" #: documents/models.py:224 msgid "The position of this document in your physical document archive." -msgstr "" +msgstr "Položaj ovog dokumenta u vašoj fizičkoj arhivi dokumenata." #: documents/models.py:230 msgid "document" @@ -264,7 +264,7 @@ msgstr "polje za sortiranje" #: documents/models.py:369 msgid "sort reverse" -msgstr "" +msgstr "obrnuto sortiranje" #: documents/models.py:374 msgid "title contains" @@ -280,7 +280,7 @@ msgstr "ASN je" #: documents/models.py:377 msgid "correspondent is" -msgstr "dopisnik je" +msgstr "korespodent je" #: documents/models.py:378 msgid "document type is" @@ -348,7 +348,7 @@ msgstr "naslov i sadržaj sadrži" #: documents/models.py:394 msgid "fulltext query" -msgstr "" +msgstr "upit za ceo tekst" #: documents/models.py:395 msgid "more like this" @@ -376,12 +376,12 @@ msgstr "filter pravila" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "pokrenuto" #: documents/serialisers.py:70 #, python-format msgid "Invalid regular expression: %(error)s" -msgstr "" +msgstr "Nevažeći regularni izraz: %(error)s" #: documents/serialisers.py:191 msgid "Invalid color." @@ -390,11 +390,11 @@ msgstr "Nevažeća boja." #: documents/serialisers.py:515 #, python-format msgid "File type %(type)s not supported" -msgstr "" +msgstr "Vrsta datoteke %(type)s nije podržana" #: documents/serialisers.py:596 msgid "Invalid variable detected." -msgstr "" +msgstr "Otkrivena je nevažeća promenljiva." #: documents/templates/index.html:78 msgid "Paperless-ngx is loading..." @@ -402,19 +402,19 @@ msgstr "Paperless-ngx se učitava..." #: documents/templates/index.html:79 msgid "Still here?! Hmm, something might be wrong." -msgstr "" +msgstr "Još uvek si ovde?! Hmm, možda nešto nije u redu." #: documents/templates/index.html:79 msgid "Here's a link to the docs." -msgstr "" +msgstr "Veze ka dokumentima." #: documents/templates/registration/logged_out.html:14 msgid "Paperless-ngx signed out" -msgstr "" +msgstr "Paperless-ngx odjavljen" #: documents/templates/registration/logged_out.html:59 msgid "You have been successfully logged out. Bye!" -msgstr "" +msgstr "Uspešno ste se odjavili!" #: documents/templates/registration/logged_out.html:60 msgid "Sign in again" @@ -422,7 +422,7 @@ msgstr "Prijavitе sе ponovo" #: documents/templates/registration/login.html:15 msgid "Paperless-ngx sign in" -msgstr "" +msgstr "Paperless-ngx prijava" #: documents/templates/registration/login.html:61 msgid "Please sign in." @@ -430,7 +430,7 @@ msgstr "Prijavite se." #: documents/templates/registration/login.html:64 msgid "Your username and password didn't match. Please try again." -msgstr "" +msgstr "Vaše korisničko ime i lozinka ne odgovaraju. Molimo pokušajte ponovo." #: documents/templates/registration/login.html:67 msgid "Username" @@ -450,7 +450,7 @@ msgstr "Engleski (US)" #: paperless/settings.py:340 msgid "Belarusian" -msgstr "" +msgstr "Beloruski" #: paperless/settings.py:341 msgid "Czech" @@ -510,11 +510,11 @@ msgstr "Ruski" #: paperless/settings.py:355 msgid "Slovenian" -msgstr "" +msgstr "Slovenački" #: paperless/settings.py:356 msgid "Serbian" -msgstr "" +msgstr "Srpski" #: paperless/settings.py:357 msgid "Swedish" @@ -522,11 +522,11 @@ msgstr "Švedski" #: paperless/settings.py:358 msgid "Turkish" -msgstr "" +msgstr "Turski" #: paperless/settings.py:359 msgid "Chinese Simplified" -msgstr "" +msgstr "Kineski pojednostavljen" #: paperless/urls.py:161 msgid "Paperless-ngx administration" @@ -534,7 +534,7 @@ msgstr "Paperless-ngx administracija" #: paperless_mail/admin.py:29 msgid "Authentication" -msgstr "" +msgstr "Autentifikacija" #: paperless_mail/admin.py:30 msgid "Advanced settings" @@ -546,7 +546,7 @@ msgstr "Filter" #: paperless_mail/admin.py:50 msgid "Paperless will only process mails that match ALL of the filters given below." -msgstr "" +msgstr "Paperless-ngx će obrađivati samo e-poštu koja odgovara SVIM filterima navedenim u nastavku." #: paperless_mail/admin.py:64 msgid "Actions" @@ -554,7 +554,7 @@ msgstr "Radnje" #: paperless_mail/admin.py:67 msgid "The action applied to the mail. This action is only performed when documents were consumed from the mail. Mails without attachments will remain entirely untouched." -msgstr "" +msgstr "Akcija se odnosi na e-poštu. Ova se radnja izvodi samo ako su dokumenti konzumirani iz e-pošte. E-pošta bez priloga ostat će u potpunosti netaknuta." #: paperless_mail/admin.py:75 msgid "Metadata" @@ -562,7 +562,7 @@ msgstr "Metapodaci" #: paperless_mail/admin.py:78 msgid "Assign metadata to documents consumed from this rule automatically. If you do not assign tags, types or correspondents here, paperless will still process all matching rules that you have defined." -msgstr "" +msgstr "Automatski dodelite metapodatke dokumentima koji se koriste iz ovog pravila. Ako ne dodelite oznaku, vrstu ili korespodenta, Paperless-ngx će i dalje obraditi sva pravila podudaranja koja ste definisali." #: paperless_mail/apps.py:8 msgid "Paperless mail" @@ -578,7 +578,7 @@ msgstr "mejl nalozi" #: paperless_mail/models.py:12 msgid "No encryption" -msgstr "" +msgstr "Nema enkripcije" #: paperless_mail/models.py:13 msgid "Use SSL" @@ -598,7 +598,7 @@ msgstr "IMAP port" #: paperless_mail/models.py:25 msgid "This is usually 143 for unencrypted and STARTTLS connections, and 993 for SSL connections." -msgstr "" +msgstr "Uobičajno 143 za nešifrovane i STARTTLS veze, a 993 za SSL veze." #: paperless_mail/models.py:31 msgid "IMAP security" @@ -618,23 +618,23 @@ msgstr "karakter set" #: paperless_mail/models.py:45 msgid "The character set to use when communicating with the mail server, such as 'UTF-8' or 'US-ASCII'." -msgstr "" +msgstr "Skup znakova koji se koristi pri komunikaciji sa mejl serverom, poput 'UTF-8' ili 'US-ASCII'." #: paperless_mail/models.py:56 msgid "mail rule" -msgstr "" +msgstr "pravilo e-pošte" #: paperless_mail/models.py:57 msgid "mail rules" -msgstr "" +msgstr "pravila e-pošte" #: paperless_mail/models.py:60 msgid "Only process attachments." -msgstr "" +msgstr "Obradi samo priloge." #: paperless_mail/models.py:61 msgid "Process all files, including 'inline' attachments." -msgstr "" +msgstr "Obradite sve datoteke, uključujući \"umetnute\" priloge." #: paperless_mail/models.py:64 msgid "Delete" @@ -642,31 +642,31 @@ msgstr "Obriši" #: paperless_mail/models.py:65 msgid "Move to specified folder" -msgstr "" +msgstr "Premesti u određen folder" #: paperless_mail/models.py:66 msgid "Mark as read, don't process read mails" -msgstr "" +msgstr "Označi kao pročitano. Ne obrađuj pročitanu e-poštu" #: paperless_mail/models.py:67 msgid "Flag the mail, don't process flagged mails" -msgstr "" +msgstr "Označi poštu zastavicom. Ne obrađuj e-poštu sa zastavicom" #: paperless_mail/models.py:68 msgid "Tag the mail with specified tag, don't process tagged mails" -msgstr "" +msgstr "Označite poštu specifičnom oznakom. Ne obrađuj e-poštu s specifičnom oznakom" #: paperless_mail/models.py:71 msgid "Use subject as title" -msgstr "" +msgstr "Koristi predmet kao naziv" #: paperless_mail/models.py:72 msgid "Use attachment filename as title" -msgstr "" +msgstr "Koristi naziv datoteke priloga kao naziv" #: paperless_mail/models.py:75 msgid "Do not assign a correspondent" -msgstr "Ne dodeljuj dopisnika" +msgstr "Ne dodeljuj korespodenta" #: paperless_mail/models.py:76 msgid "Use mail address" @@ -678,7 +678,7 @@ msgstr "Koristi naziv (ili mejl adresu ako nije dostupno)" #: paperless_mail/models.py:78 msgid "Use correspondent selected below" -msgstr "Koristi dopisnika ispod" +msgstr "Koristi koreespodenta ispod" #: paperless_mail/models.py:82 msgid "order" @@ -694,7 +694,7 @@ msgstr "folder" #: paperless_mail/models.py:96 msgid "Subfolders must be separated by a delimiter, often a dot ('.') or slash ('/'), but it varies by mail server." -msgstr "" +msgstr "Podfolderi moraju biti odvojeni separatorom, često tačkom ('.') ili kosom crtom ('/'), ali to se razlikuje zavisno od servera e-pošte." #: paperless_mail/models.py:102 msgid "filter from" @@ -714,15 +714,15 @@ msgstr "filter naziv fajla priloga" #: paperless_mail/models.py:126 msgid "Only consume documents which entirely match this filename if specified. Wildcards such as *.pdf or *invoice* are allowed. Case insensitive." -msgstr "" +msgstr "Konzumirajte samo dokumente koji u potpunosti odgovaraju ovom nazivu datoteke ako je navedeno. Dopušteni su zamenski znakovi kao što su *.pdf ili *faktura*. Neosetljivo je na mala i mala slova." #: paperless_mail/models.py:133 msgid "maximum age" -msgstr "" +msgstr "maksimalna starost" #: paperless_mail/models.py:135 msgid "Specified in days." -msgstr "" +msgstr "Navedeno u danima." #: paperless_mail/models.py:139 msgid "attachment type" @@ -730,7 +730,7 @@ msgstr "tip priloga" #: paperless_mail/models.py:143 msgid "Inline attachments include embedded images, so it's best to combine this option with a filename filter." -msgstr "" +msgstr "Ugrađeni prilozi uključuju ugrađene slike, pa je najbolje kombinovati ovu opciju s filterom naziva datoteke." #: paperless_mail/models.py:149 msgid "action" @@ -738,11 +738,11 @@ msgstr "radnja" #: paperless_mail/models.py:155 msgid "action parameter" -msgstr "" +msgstr "parametar akcije" #: paperless_mail/models.py:160 msgid "Additional parameter for the action selected above, i.e., the target folder of the move to folder action. Subfolders must be separated by dots." -msgstr "" +msgstr "Dodatni parametar za gore odabranu akciju, tj. ciljani folder za premeštanje u folder akcije. Podfolderi moraju biti odvojeni tačkama." #: paperless_mail/models.py:168 msgid "assign title from" @@ -758,9 +758,9 @@ msgstr "dodeli ovaj tip dokumenta" #: paperless_mail/models.py:188 msgid "assign correspondent from" -msgstr "dodeli dopisnika iz" +msgstr "dodeli korespodenta iz" #: paperless_mail/models.py:198 msgid "assign this correspondent" -msgstr "dodeli ovog dopisnika" +msgstr "dodeli ovog korspodenta" diff --git a/src/locale/tr_TR/LC_MESSAGES/django.po b/src/locale/tr_TR/LC_MESSAGES/django.po index 7b82bf584..78b4d6f70 100644 --- a/src/locale/tr_TR/LC_MESSAGES/django.po +++ b/src/locale/tr_TR/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-08-01 19:02\n" "Last-Translator: \n" "Language-Team: Turkish\n" "Language: tr_TR\n" @@ -80,7 +80,7 @@ msgstr "gelen kutu etiketidir" #: documents/models.py:72 msgid "Marks this tag as an inbox tag: All newly consumed documents will be tagged with inbox tags." -msgstr "Bu etiketi, gelen kutusu etiketi olarak işaretle: Tüm yeni olarak tüketilen dökümanlar gelen kutusu etiketi ile etiketlendirileceklerdir." +msgstr "Bu etiketi, gelen kutusu etiketi olarak işaretle: Yeni aktarılan tüm dokümanlar gelen kutusu etiketi ile etiketlendirileceklerdir." #: documents/models.py:78 msgid "tag" @@ -376,7 +376,7 @@ msgstr "filtreleme kuralları" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "başladı" #: documents/serialisers.py:70 #, python-format @@ -394,7 +394,7 @@ msgstr "Dosya türü %(type)s desteklenmiyor" #: documents/serialisers.py:596 msgid "Invalid variable detected." -msgstr "" +msgstr "Geçersiz değişken algılandı." #: documents/templates/index.html:78 msgid "Paperless-ngx is loading..." @@ -402,7 +402,7 @@ msgstr "Paperless-ngx yükleniyor..." #: documents/templates/index.html:79 msgid "Still here?! Hmm, something might be wrong." -msgstr "" +msgstr "Hâlâ burada mısınız? Hmm, bir şeyler yanlış olabilir." #: documents/templates/index.html:79 msgid "Here's a link to the docs." @@ -450,7 +450,7 @@ msgstr "İngilizce (Birleşik Devletler)" #: paperless/settings.py:340 msgid "Belarusian" -msgstr "" +msgstr "Belarusça" #: paperless/settings.py:341 msgid "Czech" @@ -510,11 +510,11 @@ msgstr "Rusça" #: paperless/settings.py:355 msgid "Slovenian" -msgstr "" +msgstr "Slovakça" #: paperless/settings.py:356 msgid "Serbian" -msgstr "" +msgstr "Sırpça" #: paperless/settings.py:357 msgid "Swedish" @@ -522,11 +522,11 @@ msgstr "İsveççe" #: paperless/settings.py:358 msgid "Turkish" -msgstr "" +msgstr "Türkçe" #: paperless/settings.py:359 msgid "Chinese Simplified" -msgstr "" +msgstr "Basitleştirilmiş Çince" #: paperless/urls.py:161 msgid "Paperless-ngx administration" diff --git a/src/locale/zh_CN/LC_MESSAGES/django.po b/src/locale/zh_CN/LC_MESSAGES/django.po index 644b220fa..2a76b6cf3 100644 --- a/src/locale/zh_CN/LC_MESSAGES/django.po +++ b/src/locale/zh_CN/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: paperless-ngx\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2022-07-08 14:11-0700\n" -"PO-Revision-Date: 2022-07-08 22:07\n" +"PO-Revision-Date: 2022-07-15 04:02\n" "Last-Translator: \n" "Language-Team: Chinese Simplified\n" "Language: zh_CN\n" @@ -376,7 +376,7 @@ msgstr "过滤规则" #: documents/models.py:521 msgid "started" -msgstr "" +msgstr "已开始" #: documents/serialisers.py:70 #, python-format @@ -654,7 +654,7 @@ msgstr "标记邮件,不处理已标记的邮件" #: paperless_mail/models.py:68 msgid "Tag the mail with specified tag, don't process tagged mails" -msgstr "" +msgstr "用指定标签标记邮件,不要处理已标记的邮件" #: paperless_mail/models.py:71 msgid "Use subject as title" diff --git a/src/paperless/__init__.py b/src/paperless/__init__.py index 8cdd600b3..3635cbe9d 100644 --- a/src/paperless/__init__.py +++ b/src/paperless/__init__.py @@ -1,4 +1,11 @@ +from .celery import app as celery_app from .checks import binaries_check from .checks import paths_check +from .checks import settings_values_check -__all__ = ["binaries_check", "paths_check"] +__all__ = [ + "celery_app", + "binaries_check", + "paths_check", + "settings_values_check", +] diff --git a/src/paperless/celery.py b/src/paperless/celery.py new file mode 100644 index 000000000..a9a853521 --- /dev/null +++ b/src/paperless/celery.py @@ -0,0 +1,17 @@ +import os + +from celery import Celery + +# Set the default Django settings module for the 'celery' program. +os.environ.setdefault("DJANGO_SETTINGS_MODULE", "paperless.settings") + +app = Celery("paperless") + +# Using a string here means the worker doesn't have to serialize +# the configuration object to child processes. +# - namespace='CELERY' means all celery-related configuration keys +# should have a `CELERY_` prefix. +app.config_from_object("django.conf:settings", namespace="CELERY") + +# Load task modules from all registered Django apps. +app.autodiscover_tasks() diff --git a/src/paperless/checks.py b/src/paperless/checks.py index 26d18b692..845ff2d0b 100644 --- a/src/paperless/checks.py +++ b/src/paperless/checks.py @@ -1,4 +1,6 @@ +import grp import os +import pwd import shutil import stat @@ -32,12 +34,15 @@ def path_check(var, directory): with open(test_file, "w"): pass except PermissionError: + dir_stat = os.stat(directory) + dir_mode = stat.filemode(dir_stat.st_mode) + dir_owner = pwd.getpwuid(dir_stat.st_uid).pw_name + dir_group = grp.getgrgid(dir_stat.st_gid).gr_name messages.append( Error( writeable_message.format(var), writeable_hint.format( - f"\n{stat.filemode(os.stat(directory).st_mode)} " - f"{directory}\n", + f"\n{dir_mode} {dir_owner} {dir_group} " f"{directory}\n", ), ), ) @@ -96,3 +101,52 @@ def debug_mode_check(app_configs, **kwargs): ] else: return [] + + +@register() +def settings_values_check(app_configs, **kwargs): + """ + Validates at least some of the user provided settings + """ + + def _ocrmypdf_settings_check(): + """ + Validates some of the arguments which will be provided to ocrmypdf + against the valid options. Use "ocrmypdf --help" to see the valid + inputs + """ + msgs = [] + if settings.OCR_OUTPUT_TYPE not in { + "pdfa", + "pdf", + "pdfa-1", + "pdfa-2", + "pdfa-3", + }: + msgs.append( + Error(f'OCR output type "{settings.OCR_OUTPUT_TYPE}" is not valid'), + ) + + if settings.OCR_MODE not in {"force", "skip", "redo", "skip_noarchive"}: + msgs.append(Error(f'OCR output mode "{settings.OCR_MODE}" is not valid')) + + if settings.OCR_CLEAN not in {"clean", "clean-final", "none"}: + msgs.append(Error(f'OCR clean mode "{settings.OCR_CLEAN}" is not valid')) + return msgs + + def _timezone_validate(): + """ + Validates the user provided timezone is a valid timezone + """ + try: + import zoneinfo + except ImportError: # pragma: nocover + import backports.zoneinfo as zoneinfo + msgs = [] + if settings.TIME_ZONE not in zoneinfo.available_timezones(): + msgs.append( + Error(f'Timezone "{settings.TIME_ZONE}" is not a valid timezone'), + ) + return msgs + + return _ocrmypdf_settings_check() + _timezone_validate() diff --git a/src/paperless/settings.py b/src/paperless/settings.py index 8c8aa8482..a262bd501 100644 --- a/src/paperless/settings.py +++ b/src/paperless/settings.py @@ -4,11 +4,13 @@ import math import multiprocessing import os import re +import tempfile from typing import Final from typing import Optional from typing import Set from urllib.parse import urlparse +from celery.schedules import crontab from concurrent_log_handler.queue import setup_logging_queues from django.utils.translation import gettext_lazy as _ from dotenv import load_dotenv @@ -56,6 +58,13 @@ def __get_float(key: str, default: float) -> float: return float(os.getenv(key, default)) +def __get_path(key: str, default: str) -> str: + """ + Return a normalized, absolute path based on the environment variable or a default + """ + return os.path.abspath(os.path.normpath(os.environ.get(key, default))) + + # NEVER RUN WITH DEBUG IN PRODUCTION. DEBUG = __get_boolean("PAPERLESS_DEBUG", "NO") @@ -66,14 +75,16 @@ DEBUG = __get_boolean("PAPERLESS_DEBUG", "NO") BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) -STATIC_ROOT = os.getenv("PAPERLESS_STATICDIR", os.path.join(BASE_DIR, "..", "static")) +STATIC_ROOT = __get_path("PAPERLESS_STATICDIR", os.path.join(BASE_DIR, "..", "static")) -MEDIA_ROOT = os.getenv("PAPERLESS_MEDIA_ROOT", os.path.join(BASE_DIR, "..", "media")) +MEDIA_ROOT = __get_path("PAPERLESS_MEDIA_ROOT", os.path.join(BASE_DIR, "..", "media")) ORIGINALS_DIR = os.path.join(MEDIA_ROOT, "documents", "originals") ARCHIVE_DIR = os.path.join(MEDIA_ROOT, "documents", "archive") THUMBNAIL_DIR = os.path.join(MEDIA_ROOT, "documents", "thumbnails") -DATA_DIR = os.getenv("PAPERLESS_DATA_DIR", os.path.join(BASE_DIR, "..", "data")) +DATA_DIR = __get_path("PAPERLESS_DATA_DIR", os.path.join(BASE_DIR, "..", "data")) + +NLTK_DIR = os.path.join(DATA_DIR, "nltk") TRASH_DIR = os.getenv("PAPERLESS_TRASH_DIR") @@ -83,15 +94,18 @@ MEDIA_LOCK = os.path.join(MEDIA_ROOT, "media.lock") INDEX_DIR = os.path.join(DATA_DIR, "index") MODEL_FILE = os.path.join(DATA_DIR, "classification_model.pickle") -LOGGING_DIR = os.getenv("PAPERLESS_LOGGING_DIR", os.path.join(DATA_DIR, "log")) +LOGGING_DIR = __get_path("PAPERLESS_LOGGING_DIR", os.path.join(DATA_DIR, "log")) -CONSUMPTION_DIR = os.getenv( +CONSUMPTION_DIR = __get_path( "PAPERLESS_CONSUMPTION_DIR", os.path.join(BASE_DIR, "..", "consume"), ) # This will be created if it doesn't exist -SCRATCH_DIR = os.getenv("PAPERLESS_SCRATCH_DIR", "/tmp/paperless") +SCRATCH_DIR = __get_path( + "PAPERLESS_SCRATCH_DIR", + os.path.join(tempfile.gettempdir(), "paperless"), +) ############################################################################### # Application Definition # @@ -117,7 +131,7 @@ INSTALLED_APPS = [ "rest_framework", "rest_framework.authtoken", "django_filters", - "django_q", + "django_celery_results", ] + env_apps if DEBUG: @@ -168,6 +182,8 @@ ASGI_APPLICATION = "paperless.asgi.application" STATIC_URL = os.getenv("PAPERLESS_STATIC_URL", BASE_URL + "static/") WHITENOISE_STATIC_PREFIX = "/static/" +_REDIS_URL = os.getenv("PAPERLESS_REDIS", "redis://localhost:6379") + # TODO: what is this used for? TEMPLATES = [ { @@ -189,7 +205,7 @@ CHANNEL_LAYERS = { "default": { "BACKEND": "channels_redis.core.RedisChannelLayer", "CONFIG": { - "hosts": [os.getenv("PAPERLESS_REDIS", "redis://localhost:6379")], + "hosts": [_REDIS_URL], "capacity": 2000, # default 100 "expiry": 15, # default 60 }, @@ -274,7 +290,7 @@ SECRET_KEY = os.getenv( AUTH_PASSWORD_VALIDATORS = [ { - "NAME": "django.contrib.auth.password_validation.UserAttributeSimilarityValidator", + "NAME": "django.contrib.auth.password_validation.UserAttributeSimilarityValidator", # noqa: E501 }, { "NAME": "django.contrib.auth.password_validation.MinimumLengthValidator", @@ -308,6 +324,7 @@ DATABASES = { "default": { "ENGINE": "django.db.backends.sqlite3", "NAME": os.path.join(DATA_DIR, "db.sqlite3"), + "OPTIONS": {}, }, } @@ -317,16 +334,31 @@ if os.getenv("PAPERLESS_DBHOST"): DATABASES["sqlite"] = DATABASES["default"].copy() DATABASES["default"] = { - "ENGINE": "django.db.backends.postgresql_psycopg2", "HOST": os.getenv("PAPERLESS_DBHOST"), "NAME": os.getenv("PAPERLESS_DBNAME", "paperless"), "USER": os.getenv("PAPERLESS_DBUSER", "paperless"), "PASSWORD": os.getenv("PAPERLESS_DBPASS", "paperless"), - "OPTIONS": {"sslmode": os.getenv("PAPERLESS_DBSSLMODE", "prefer")}, + "OPTIONS": {}, } if os.getenv("PAPERLESS_DBPORT"): DATABASES["default"]["PORT"] = os.getenv("PAPERLESS_DBPORT") + # Leave room for future extensibility + if os.getenv("PAPERLESS_DBENGINE") == "mariadb": + engine = "django.db.backends.mysql" + options = {"read_default_file": "/etc/mysql/my.cnf", "charset": "utf8mb4"} + else: # Default to PostgresDB + engine = "django.db.backends.postgresql_psycopg2" + options = {"sslmode": os.getenv("PAPERLESS_DBSSLMODE", "prefer")} + + DATABASES["default"]["ENGINE"] = engine + DATABASES["default"]["OPTIONS"].update(options) + +if os.getenv("PAPERLESS_DB_TIMEOUT") is not None: + DATABASES["default"]["OPTIONS"].update( + {"timeout": float(os.getenv("PAPERLESS_DB_TIMEOUT"))}, + ) + DEFAULT_AUTO_FIELD = "django.db.models.AutoField" ############################################################################### @@ -425,47 +457,57 @@ LOGGING = { # Task queue # ############################################################################### +TASK_WORKERS = __get_int("PAPERLESS_TASK_WORKERS", 1) -# Sensible defaults for multitasking: -# use a fair balance between worker processes and threads epr worker so that -# both consuming many documents in parallel and consuming large documents is -# reasonably fast. -# Favors threads per worker on smaller systems and never exceeds cpu_count() -# in total. +WORKER_TIMEOUT: Final[int] = __get_int("PAPERLESS_WORKER_TIMEOUT", 1800) +CELERY_BROKER_URL = _REDIS_URL +CELERY_TIMEZONE = TIME_ZONE -def default_task_workers() -> int: - # always leave one core open - available_cores = max(multiprocessing.cpu_count(), 1) - try: - if available_cores < 4: - return available_cores - return max(math.floor(math.sqrt(available_cores)), 1) - except NotImplementedError: - return 1 +CELERY_WORKER_HIJACK_ROOT_LOGGER = False +CELERY_WORKER_CONCURRENCY = TASK_WORKERS +CELERY_WORKER_MAX_TASKS_PER_CHILD = 1 +CELERY_WORKER_SEND_TASK_EVENTS = True +CELERY_SEND_TASK_SENT_EVENT = True -TASK_WORKERS = __get_int("PAPERLESS_TASK_WORKERS", default_task_workers()) +CELERY_TASK_TRACK_STARTED = True +CELERY_TASK_TIME_LIMIT = WORKER_TIMEOUT -PAPERLESS_WORKER_TIMEOUT: Final[int] = __get_int("PAPERLESS_WORKER_TIMEOUT", 1800) +CELERY_RESULT_EXTENDED = True +CELERY_RESULT_BACKEND = "django-db" +CELERY_CACHE_BACKEND = "default" -# Per django-q docs, timeout must be smaller than retry -# We default retry to 10s more than the timeout -PAPERLESS_WORKER_RETRY: Final[int] = __get_int( - "PAPERLESS_WORKER_RETRY", - PAPERLESS_WORKER_TIMEOUT + 10, -) +CELERY_BEAT_SCHEDULE = { + # Every ten minutes + "Check all e-mail accounts": { + "task": "paperless_mail.tasks.process_mail_accounts", + "schedule": crontab(minute="*/10"), + }, + # Hourly at 5 minutes past the hour + "Train the classifier": { + "task": "documents.tasks.train_classifier", + "schedule": crontab(minute="5", hour="*/1"), + }, + # Daily at midnight + "Optimize the index": { + "task": "documents.tasks.index_optimize", + "schedule": crontab(minute=0, hour=0), + }, + # Weekly, Sunday at 00:30 + "Perform sanity check": { + "task": "documents.tasks.sanity_check", + "schedule": crontab(minute=30, hour=0, day_of_week="sun"), + }, +} +CELERY_BEAT_SCHEDULE_FILENAME = os.path.join(DATA_DIR, "celerybeat-schedule.db") -Q_CLUSTER = { - "name": "paperless", - "guard_cycle": 5, - "catch_up": False, - "recycle": 1, - "retry": PAPERLESS_WORKER_RETRY, - "timeout": PAPERLESS_WORKER_TIMEOUT, - "workers": TASK_WORKERS, - "redis": os.getenv("PAPERLESS_REDIS", "redis://localhost:6379"), - "log_level": "DEBUG" if DEBUG else "INFO", +# django setting. +CACHES = { + "default": { + "BACKEND": "django.core.cache.backends.redis.RedisCache", + "LOCATION": _REDIS_URL, + }, } @@ -509,7 +551,7 @@ CONSUMER_IGNORE_PATTERNS = list( json.loads( os.getenv( "PAPERLESS_CONSUMER_IGNORE_PATTERNS", - '[".DS_STORE/*", "._*", ".stfolder/*", ".stversions/*", ".localized/*", "desktop.ini"]', + '[".DS_STORE/*", "._*", ".stfolder/*", ".stversions/*", ".localized/*", "desktop.ini"]', # noqa: E501 ), ), ) @@ -533,11 +575,9 @@ OCR_PAGES = int(os.getenv("PAPERLESS_OCR_PAGES", 0)) OCR_LANGUAGE = os.getenv("PAPERLESS_OCR_LANGUAGE", "eng") # OCRmyPDF --output-type options are available. -# TODO: validate this setting. OCR_OUTPUT_TYPE = os.getenv("PAPERLESS_OCR_OUTPUT_TYPE", "pdfa") # skip. redo, force -# TODO: validate this. OCR_MODE = os.getenv("PAPERLESS_OCR_MODE", "skip") OCR_IMAGE_DPI = os.getenv("PAPERLESS_OCR_IMAGE_DPI") @@ -590,6 +630,11 @@ POST_CONSUME_SCRIPT = os.getenv("PAPERLESS_POST_CONSUME_SCRIPT") DATE_ORDER = os.getenv("PAPERLESS_DATE_ORDER", "DMY") FILENAME_DATE_ORDER = os.getenv("PAPERLESS_FILENAME_DATE_ORDER") +# Maximum number of dates taken from document start to end to show as suggestions for +# `created` date in the frontend. Duplicates are removed, which can result in +# fewer dates shown. +NUMBER_OF_SUGGESTED_DATES = __get_int("PAPERLESS_NUMBER_OF_SUGGESTED_DATES", 3) + # Transformations applied before filename parsing FILENAME_PARSE_TRANSFORMS = [] for t in json.loads(os.getenv("PAPERLESS_FILENAME_PARSE_TRANSFORMS", "[]")): @@ -598,7 +643,8 @@ for t in json.loads(os.getenv("PAPERLESS_FILENAME_PARSE_TRANSFORMS", "[]")): # Specify the filename format for out files FILENAME_FORMAT = os.getenv("PAPERLESS_FILENAME_FORMAT") -# If this is enabled, variables in filename format will resolve to empty-string instead of 'none'. +# If this is enabled, variables in filename format will resolve to +# empty-string instead of 'none'. # Directories with 'empty names' are omitted, too. FILENAME_FORMAT_REMOVE_NONE = __get_boolean( "PAPERLESS_FILENAME_FORMAT_REMOVE_NONE", @@ -610,16 +656,15 @@ THUMBNAIL_FONT_NAME = os.getenv( "/usr/share/fonts/liberation/LiberationSerif-Regular.ttf", ) -# TODO: this should not have a prefix. # Tika settings -PAPERLESS_TIKA_ENABLED = __get_boolean("PAPERLESS_TIKA_ENABLED", "NO") -PAPERLESS_TIKA_ENDPOINT = os.getenv("PAPERLESS_TIKA_ENDPOINT", "http://localhost:9998") -PAPERLESS_TIKA_GOTENBERG_ENDPOINT = os.getenv( +TIKA_ENABLED = __get_boolean("PAPERLESS_TIKA_ENABLED", "NO") +TIKA_ENDPOINT = os.getenv("PAPERLESS_TIKA_ENDPOINT", "http://localhost:9998") +TIKA_GOTENBERG_ENDPOINT = os.getenv( "PAPERLESS_TIKA_GOTENBERG_ENDPOINT", "http://localhost:3000", ) -if PAPERLESS_TIKA_ENABLED: +if TIKA_ENABLED: INSTALLED_APPS.append("paperless_tika.apps.PaperlessTikaConfig") @@ -632,8 +677,9 @@ def _parse_ignore_dates( user provided string(s) into dates Args: - env_ignore (str): The value of the environment variable, comma seperated dates - date_order (str, optional): The format of the date strings. Defaults to DATE_ORDER. + env_ignore (str): The value of the environment variable, comma separated dates + date_order (str, optional): The format of the date strings. + Defaults to DATE_ORDER. Returns: Set[datetime.datetime]: The set of parsed date objects @@ -662,3 +708,40 @@ if os.getenv("PAPERLESS_IGNORE_DATES") is not None: ENABLE_UPDATE_CHECK = os.getenv("PAPERLESS_ENABLE_UPDATE_CHECK", "default") if ENABLE_UPDATE_CHECK != "default": ENABLE_UPDATE_CHECK = __get_boolean("PAPERLESS_ENABLE_UPDATE_CHECK") + +############################################################################### +# Machine Learning # +############################################################################### + + +def _get_nltk_language_setting(ocr_lang: str) -> Optional[str]: + """ + Maps an ISO-639-1 language code supported by Tesseract into + an optional NLTK language name. This is the set of common supported + languages for all the NLTK data used. + + Assumption: The primary language is first + """ + ocr_lang = ocr_lang.split("+")[0] + iso_code_to_nltk = { + "dan": "danish", + "nld": "dutch", + "eng": "english", + "fin": "finnish", + "fra": "french", + "deu": "german", + "ita": "italian", + "nor": "norwegian", + "por": "portuguese", + "rus": "russian", + "spa": "spanish", + "swe": "swedish", + "tur": "turkish", + } + + return iso_code_to_nltk.get(ocr_lang, None) + + +NLTK_ENABLED: Final[bool] = __get_boolean("PAPERLESS_ENABLE_NLTK", "yes") + +NLTK_LANGUAGE: Optional[str] = _get_nltk_language_setting(OCR_LANGUAGE) diff --git a/src/paperless/tests/test_checks.py b/src/paperless/tests/test_checks.py index ba45ebf79..b2d8b5810 100644 --- a/src/paperless/tests/test_checks.py +++ b/src/paperless/tests/test_checks.py @@ -1,12 +1,12 @@ import os -import shutil from django.test import override_settings from django.test import TestCase from documents.tests.utils import DirectoriesMixin -from paperless import binaries_check -from paperless import paths_check +from paperless.checks import binaries_check from paperless.checks import debug_mode_check +from paperless.checks import paths_check +from paperless.checks import settings_values_check class TestChecks(DirectoriesMixin, TestCase): @@ -54,3 +54,89 @@ class TestChecks(DirectoriesMixin, TestCase): @override_settings(DEBUG=True) def test_debug_enabled(self): self.assertEqual(len(debug_mode_check(None)), 1) + + +class TestSettingsChecks(DirectoriesMixin, TestCase): + def test_all_valid(self): + """ + GIVEN: + - Default settings + WHEN: + - Settings are validated + THEN: + - No system check errors reported + """ + msgs = settings_values_check(None) + self.assertEqual(len(msgs), 0) + + @override_settings(OCR_OUTPUT_TYPE="notapdf") + def test_invalid_output_type(self): + """ + GIVEN: + - Default settings + - OCR output type is invalid + WHEN: + - Settings are validated + THEN: + - system check error reported for OCR output type + """ + msgs = settings_values_check(None) + self.assertEqual(len(msgs), 1) + + msg = msgs[0] + + self.assertIn('OCR output type "notapdf"', msg.msg) + + @override_settings(OCR_MODE="makeitso") + def test_invalid_ocr_type(self): + """ + GIVEN: + - Default settings + - OCR type is invalid + WHEN: + - Settings are validated + THEN: + - system check error reported for OCR type + """ + msgs = settings_values_check(None) + self.assertEqual(len(msgs), 1) + + msg = msgs[0] + + self.assertIn('OCR output mode "makeitso"', msg.msg) + + @override_settings(OCR_CLEAN="cleanme") + def test_invalid_ocr_clean(self): + """ + GIVEN: + - Default settings + - OCR cleaning type is invalid + WHEN: + - Settings are validated + THEN: + - system check error reported for OCR cleaning type + """ + msgs = settings_values_check(None) + self.assertEqual(len(msgs), 1) + + msg = msgs[0] + + self.assertIn('OCR clean mode "cleanme"', msg.msg) + + @override_settings(TIME_ZONE="TheMoon\\MyCrater") + def test_invalid_timezone(self): + """ + GIVEN: + - Default settings + - Timezone is invalid + WHEN: + - Settings are validated + THEN: + - system check error reported for timezone + """ + msgs = settings_values_check(None) + self.assertEqual(len(msgs), 1) + + msg = msgs[0] + + self.assertIn('Timezone "TheMoon\\MyCrater"', msg.msg) diff --git a/src/paperless/tests/test_settings.py b/src/paperless/tests/test_settings.py index 57481df5b..fed4079e2 100644 --- a/src/paperless/tests/test_settings.py +++ b/src/paperless/tests/test_settings.py @@ -1,7 +1,9 @@ import datetime +from unittest import mock from unittest import TestCase from paperless.settings import _parse_ignore_dates +from paperless.settings import default_threads_per_worker class TestIgnoreDateParsing(TestCase): @@ -56,3 +58,27 @@ class TestIgnoreDateParsing(TestCase): ] self._parse_checker(test_cases) + + def test_workers_threads(self): + """ + GIVEN: + - Certain CPU counts + WHEN: + - Threads per worker is calculated + THEN: + - Threads per worker less than or equal to CPU count + - At least 1 thread per worker + """ + default_workers = 1 + + for i in range(1, 64): + with mock.patch( + "paperless.settings.multiprocessing.cpu_count", + ) as cpu_count: + cpu_count.return_value = i + + default_threads = default_threads_per_worker(default_workers) + + self.assertGreaterEqual(default_threads, 1) + + self.assertLessEqual(default_workers * default_threads, i) diff --git a/src/paperless/version.py b/src/paperless/version.py index 436c532e8..d196c358d 100644 --- a/src/paperless/version.py +++ b/src/paperless/version.py @@ -1,7 +1,7 @@ from typing import Final from typing import Tuple -__version__: Final[Tuple[int, int, int]] = (1, 7, 1) +__version__: Final[Tuple[int, int, int]] = (1, 9, 2) # Version string like X.Y.Z __full_version_str__: Final[str] = ".".join(map(str, __version__)) # Version string like X.Y diff --git a/src/paperless_mail/mail.py b/src/paperless_mail/mail.py index fb2080d7b..e3bb887d6 100644 --- a/src/paperless_mail/mail.py +++ b/src/paperless_mail/mail.py @@ -1,24 +1,26 @@ import os +import re import tempfile from datetime import date from datetime import timedelta from fnmatch import fnmatch -from imaplib import IMAP4 +from typing import Dict import magic import pathvalidate from django.conf import settings from django.db import DatabaseError -from django_q.tasks import async_task from documents.loggers import LoggingMixin from documents.models import Correspondent from documents.parsers import is_mime_type_supported +from documents.tasks import consume_file from imap_tools import AND from imap_tools import MailBox from imap_tools import MailboxFolderSelectError from imap_tools import MailBoxUnencrypted from imap_tools import MailMessage from imap_tools import MailMessageFlags +from imap_tools import NOT from imap_tools.mailbox import MailBoxTls from paperless_mail.models import MailAccount from paperless_mail.models import MailRule @@ -29,7 +31,7 @@ class MailError(Exception): class BaseMailAction: - def get_criteria(self): + def get_criteria(self) -> Dict: return {} def post_consume(self, M, message_uids, parameter): @@ -67,13 +69,17 @@ class TagMailAction(BaseMailAction): self.keyword = parameter def get_criteria(self): - return {"no_keyword": self.keyword} + return {"no_keyword": self.keyword, "gmail_label": self.keyword} def post_consume(self, M: MailBox, message_uids, parameter): - M.flag(message_uids, [self.keyword], True) + if re.search(r"gmail\.com$|googlemail\.com$", M._host): + for uid in message_uids: + M.client.uid("STORE", uid, "X-GM-LABELS", self.keyword) + else: + M.flag(message_uids, [self.keyword], True) -def get_rule_action(rule): +def get_rule_action(rule) -> BaseMailAction: if rule.action == MailRule.MailAction.FLAG: return FlagMailAction() elif rule.action == MailRule.MailAction.DELETE: @@ -103,7 +109,7 @@ def make_criterias(rule): return {**criterias, **get_rule_action(rule).get_criteria()} -def get_mailbox(server, port, security): +def get_mailbox(server, port, security) -> MailBox: if security == MailAccount.ImapSecurity.NONE: mailbox = MailBoxUnencrypted(server, port) elif security == MailAccount.ImapSecurity.STARTTLS: @@ -162,7 +168,7 @@ class MailAccountHandler(LoggingMixin): "Unknown correspondent selector", ) # pragma: nocover - def handle_mail_account(self, account): + def handle_mail_account(self, account: MailAccount): self.renew_logging_group() @@ -176,33 +182,29 @@ class MailAccountHandler(LoggingMixin): account.imap_security, ) as M: + supports_gmail_labels = "X-GM-EXT-1" in M.client.capabilities + supports_auth_plain = "AUTH=PLAIN" in M.client.capabilities + + self.log("debug", f"GMAIL Label Support: {supports_gmail_labels}") + self.log("debug", f"AUTH=PLAIN Support: {supports_auth_plain}") + try: + M.login(account.username, account.password) except UnicodeEncodeError: self.log("debug", "Falling back to AUTH=PLAIN") - try: - # rfc2595 section 6 - PLAIN SASL mechanism - client: IMAP4 = M.client - encoded = ( - b"\0" - + account.username.encode("utf8") - + b"\0" - + account.password.encode("utf8") - ) - # Assumption is the server supports AUTH=PLAIN capability - # Could check the list with client.capability(), but then what? - # We're failing anyway then - client.authenticate("PLAIN", lambda x: encoded) - # Need to transition out of AUTH state to SELECTED - M.folder.set("INBOX") - except Exception: + try: + M.login_utf8(account.username, account.password) + except Exception as err: self.log( "error", "Unable to authenticate with mail server using AUTH=PLAIN", ) - raise MailError(f"Error while authenticating account {account}") + raise MailError( + f"Error while authenticating account {account}", + ) from err except Exception as e: self.log( "error", @@ -221,7 +223,11 @@ class MailAccountHandler(LoggingMixin): for rule in account.rules.order_by("order"): try: - total_processed_files += self.handle_mail_rule(M, rule) + total_processed_files += self.handle_mail_rule( + M, + rule, + supports_gmail_labels, + ) except Exception as e: self.log( "error", @@ -239,13 +245,18 @@ class MailAccountHandler(LoggingMixin): return total_processed_files - def handle_mail_rule(self, M: MailBox, rule: MailRule): + def handle_mail_rule( + self, + M: MailBox, + rule: MailRule, + supports_gmail_labels: bool = False, + ): self.log("debug", f"Rule {rule}: Selecting folder {rule.folder}") try: M.folder.set(rule.folder) - except MailboxFolderSelectError: + except MailboxFolderSelectError as err: self.log( "error", @@ -264,23 +275,38 @@ class MailAccountHandler(LoggingMixin): raise MailError( f"Rule {rule}: Folder {rule.folder} " f"does not exist in account {rule.account}", - ) + ) from err criterias = make_criterias(rule) + # Deal with the Gmail label extension + if "gmail_label" in criterias: + + gmail_label = criterias["gmail_label"] + del criterias["gmail_label"] + + if not supports_gmail_labels: + criterias_imap = AND(**criterias) + else: + criterias_imap = AND(NOT(gmail_label=gmail_label), **criterias) + else: + criterias_imap = AND(**criterias) + self.log( "debug", - f"Rule {rule}: Searching folder with criteria " f"{str(AND(**criterias))}", + f"Rule {rule}: Searching folder with criteria " f"{str(criterias_imap)}", ) try: messages = M.fetch( - criteria=AND(**criterias), + criteria=criterias_imap, mark_seen=False, charset=rule.account.character_set, ) - except Exception: - raise MailError(f"Rule {rule}: Error while fetching folder {rule.folder}") + except Exception as err: + raise MailError( + f"Rule {rule}: Error while fetching folder {rule.folder}", + ) from err post_consume_messages = [] @@ -320,7 +346,7 @@ class MailAccountHandler(LoggingMixin): except Exception as e: raise MailError( f"Rule {rule}: Error while processing post-consume actions: " f"{e}", - ) + ) from e return total_processed_files @@ -382,8 +408,7 @@ class MailAccountHandler(LoggingMixin): f"{message.subject} from {message.from_}", ) - async_task( - "documents.tasks.consume_file", + consume_file.delay( path=temp_filename, override_filename=pathvalidate.sanitize_filename( message.subject + ".eml", @@ -447,8 +472,7 @@ class MailAccountHandler(LoggingMixin): f"{message.subject} from {message.from_}", ) - async_task( - "documents.tasks.consume_file", + consume_file.delay( path=temp_filename, override_filename=pathvalidate.sanitize_filename( att.filename, diff --git a/src/paperless_mail/migrations/0002_auto_20201117_1334.py b/src/paperless_mail/migrations/0002_auto_20201117_1334.py index 5b29b3072..72e37e342 100644 --- a/src/paperless_mail/migrations/0002_auto_20201117_1334.py +++ b/src/paperless_mail/migrations/0002_auto_20201117_1334.py @@ -2,28 +2,12 @@ from django.db import migrations from django.db.migrations import RunPython -from django_q.models import Schedule -from django_q.tasks import schedule - - -def add_schedules(apps, schema_editor): - schedule( - "paperless_mail.tasks.process_mail_accounts", - name="Check all e-mail accounts", - schedule_type=Schedule.MINUTES, - minutes=10, - ) - - -def remove_schedules(apps, schema_editor): - Schedule.objects.filter(func="paperless_mail.tasks.process_mail_accounts").delete() class Migration(migrations.Migration): dependencies = [ ("paperless_mail", "0001_initial"), - ("django_q", "0013_task_attempt_count"), ] - operations = [RunPython(add_schedules, remove_schedules)] + operations = [RunPython(migrations.RunPython.noop, migrations.RunPython.noop)] diff --git a/src/paperless_mail/tasks.py b/src/paperless_mail/tasks.py index faa0300e8..5c92233de 100644 --- a/src/paperless_mail/tasks.py +++ b/src/paperless_mail/tasks.py @@ -1,13 +1,14 @@ import logging +from celery import shared_task from paperless_mail.mail import MailAccountHandler from paperless_mail.mail import MailError from paperless_mail.models import MailAccount - logger = logging.getLogger("paperless.mail.tasks") +@shared_task def process_mail_accounts(): total_new_documents = 0 for account in MailAccount.objects.all(): @@ -20,11 +21,3 @@ def process_mail_accounts(): return f"Added {total_new_documents} document(s)." else: return "No new documents were added." - - -def process_mail_account(name): - try: - account = MailAccount.objects.get(name=name) - MailAccountHandler().handle_mail_account(account) - except MailAccount.DoesNotExist: - logger.error(f"Unknown mail acccount: {name}") diff --git a/src/paperless_mail/tests/test_live_mail.py b/src/paperless_mail/tests/test_live_mail.py new file mode 100644 index 000000000..1af870156 --- /dev/null +++ b/src/paperless_mail/tests/test_live_mail.py @@ -0,0 +1,70 @@ +import os + +import pytest +from django.test import TestCase +from paperless_mail.mail import MailAccountHandler +from paperless_mail.mail import MailError +from paperless_mail.models import MailAccount +from paperless_mail.models import MailRule + +# Only run if the environment is setup +# And the environment is not empty (forks, I think) +@pytest.mark.skipif( + "PAPERLESS_MAIL_TEST_HOST" not in os.environ + or not len(os.environ["PAPERLESS_MAIL_TEST_HOST"]), + reason="Live server testing not enabled", +) +class TestMailLiveServer(TestCase): + def setUp(self) -> None: + + self.mail_account_handler = MailAccountHandler() + self.account = MailAccount.objects.create( + name="test", + imap_server=os.environ["PAPERLESS_MAIL_TEST_HOST"], + username=os.environ["PAPERLESS_MAIL_TEST_USER"], + password=os.environ["PAPERLESS_MAIL_TEST_PASSWD"], + imap_port=993, + ) + + return super().setUp() + + def tearDown(self) -> None: + self.account.delete() + return super().tearDown() + + def test_process_non_gmail_server_flag(self): + + try: + rule1 = MailRule.objects.create( + name="testrule", + account=self.account, + action=MailRule.MailAction.FLAG, + ) + + self.mail_account_handler.handle_mail_account(self.account) + + rule1.delete() + + except MailError as e: + self.fail(f"Failure: {e}") + except Exception as e: + pass + + def test_process_non_gmail_server_tag(self): + + try: + + rule2 = MailRule.objects.create( + name="testrule", + account=self.account, + action=MailRule.MailAction.TAG, + ) + + self.mail_account_handler.handle_mail_account(self.account) + + rule2.delete() + + except MailError as e: + self.fail(f"Failure: {e}") + except Exception as e: + pass diff --git a/src/paperless_mail/tests/test_mail.py b/src/paperless_mail/tests/test_mail.py index 2aaa588d6..28d40be7c 100644 --- a/src/paperless_mail/tests/test_mail.py +++ b/src/paperless_mail/tests/test_mail.py @@ -20,6 +20,7 @@ from imap_tools import MailboxFolderSelectError from imap_tools import MailboxLoginError from imap_tools import MailMessage from imap_tools import MailMessageFlags +from imap_tools import NOT from paperless_mail import tasks from paperless_mail.mail import MailAccountHandler from paperless_mail.mail import MailError @@ -46,31 +47,66 @@ class BogusFolderManager: class BogusClient: - def authenticate(self, mechanism, authobject): - # authobject must be a callable object - auth_bytes = authobject(None) - if auth_bytes != b"\x00admin\x00w57\xc3\xa4\xc3\xb6\xc3\xbcw4b6huwb6nhu": - raise MailboxLoginError("BAD", "OK") + def __init__(self, messages): + self.messages: List[MailMessage] = messages + self.capabilities: List[str] = [] - -class BogusMailBox(ContextManager): def __enter__(self): return self def __exit__(self, exc_type, exc_val, exc_tb): pass + def authenticate(self, mechanism, authobject): + # authobject must be a callable object + auth_bytes = authobject(None) + if auth_bytes != b"\x00admin\x00w57\xc3\xa4\xc3\xb6\xc3\xbcw4b6huwb6nhu": + raise MailboxLoginError("BAD", "OK") + + def uid(self, command, *args): + if command == "STORE": + for message in self.messages: + if message.uid == args[0]: + flag = args[2] + if flag == "processed": + message._raw_flag_data.append(f"+FLAGS (processed)".encode()) + MailMessage.flags.fget.cache_clear() + + +class BogusMailBox(ContextManager): + + # Common values so tests don't need to remember an accepted login + USERNAME: str = "admin" + ASCII_PASSWORD: str = "secret" + # Note the non-ascii characters here + UTF_PASSWORD: str = "w57äöüw4b6huwb6nhu" + def __init__(self): self.messages: List[MailMessage] = [] self.messages_spam: List[MailMessage] = [] self.folder = BogusFolderManager() - self.client = BogusClient() + self.client = BogusClient(self.messages) + self._host = "" + + def __enter__(self): + return self + + def __exit__(self, exc_type, exc_val, exc_tb): + pass + + def updateClient(self): + self.client = BogusClient(self.messages) def login(self, username, password): # This will raise a UnicodeEncodeError if the password is not ASCII only password.encode("ascii") # Otherwise, check for correct values - if username != "admin" or password not in {"secret"}: + if username != self.USERNAME or password != self.ASCII_PASSWORD: + raise MailboxLoginError("BAD", "OK") + + def login_utf8(self, username, password): + # Expected to only be called with the UTF-8 password + if username != self.USERNAME or password != self.UTF_PASSWORD: raise MailboxLoginError("BAD", "OK") def fetch(self, criteria, mark_seen, charset=""): @@ -100,6 +136,9 @@ class BogusMailBox(ContextManager): tag = criteria[criteria.index("UNKEYWORD") + 1].strip("'") msg = filter(lambda m: "processed" not in m.flags, msg) + if "(X-GM-LABELS" in criteria: # ['NOT', '(X-GM-LABELS', '"processed"'] + msg = filter(lambda m: "processed" not in m.flags, msg) + return list(msg) def delete(self, uid_list): @@ -209,7 +248,7 @@ class TestMail(DirectoriesMixin, TestCase): m.return_value = self.bogus_mailbox self.addCleanup(patcher.stop) - patcher = mock.patch("paperless_mail.mail.async_task") + patcher = mock.patch("paperless_mail.mail.consume_file.delay") self.async_task = patcher.start() self.addCleanup(patcher.stop) @@ -247,6 +286,7 @@ class TestMail(DirectoriesMixin, TestCase): seen=False, ), ) + self.bogus_mailbox.updateClient() def test_get_correspondent(self): message = namedtuple("MailMessage", []) @@ -607,6 +647,33 @@ class TestMail(DirectoriesMixin, TestCase): self.assertEqual(len(self.bogus_mailbox.fetch("UNKEYWORD processed", False)), 0) self.assertEqual(len(self.bogus_mailbox.messages), 3) + def test_handle_mail_account_tag_gmail(self): + self.bogus_mailbox._host = "imap.gmail.com" + self.bogus_mailbox.client.capabilities = ["X-GM-EXT-1"] + + account = MailAccount.objects.create( + name="test", + imap_server="", + username="admin", + password="secret", + ) + + _ = MailRule.objects.create( + name="testrule", + account=account, + action=MailRule.MailAction.TAG, + action_parameter="processed", + ) + + self.assertEqual(len(self.bogus_mailbox.messages), 3) + self.assertEqual(self.async_task.call_count, 0) + criteria = NOT(gmail_label="processed") + self.assertEqual(len(self.bogus_mailbox.fetch(criteria, False)), 2) + self.mail_account_handler.handle_mail_account(account) + self.assertEqual(self.async_task.call_count, 2) + self.assertEqual(len(self.bogus_mailbox.fetch(criteria, False)), 0) + self.assertEqual(len(self.bogus_mailbox.messages), 3) + def test_error_login(self): account = MailAccount.objects.create( name="test", @@ -878,9 +945,9 @@ class TestMail(DirectoriesMixin, TestCase): account = MailAccount.objects.create( name="test", imap_server="", - username="admin", + username=BogusMailBox.USERNAME, # Note the non-ascii characters here - password="w57äöüw4b6huwb6nhu", + password=BogusMailBox.UTF_PASSWORD, ) _ = MailRule.objects.create( @@ -910,7 +977,7 @@ class TestMail(DirectoriesMixin, TestCase): account = MailAccount.objects.create( name="test", imap_server="", - username="admin", + username=BogusMailBox.USERNAME, # Note the non-ascii characters here # Passes the check in login, not in authenticate password="réception", @@ -965,20 +1032,3 @@ class TestTasks(TestCase): m.side_effect = lambda account: 0 result = tasks.process_mail_accounts() self.assertIn("No new", result) - - @mock.patch("paperless_mail.tasks.MailAccountHandler.handle_mail_account") - def test_single_accounts(self, m): - MailAccount.objects.create( - name="A", - imap_server="A", - username="A", - password="A", - ) - - tasks.process_mail_account("A") - - m.assert_called_once() - m.reset_mock() - - tasks.process_mail_account("B") - m.assert_not_called() diff --git a/src/paperless_tesseract/parsers.py b/src/paperless_tesseract/parsers.py index f35d3a6b4..405df07ce 100644 --- a/src/paperless_tesseract/parsers.py +++ b/src/paperless_tesseract/parsers.py @@ -249,16 +249,22 @@ class RasterisedDocumentParser(DocumentParser): if mime_type == "application/pdf": text_original = self.extract_text(None, document_path) - original_has_text = text_original and len(text_original) > 50 + original_has_text = text_original is not None and len(text_original) > 50 else: text_original = None original_has_text = False + # If the original has text, and the user doesn't want an archive, + # we're done here if settings.OCR_MODE == "skip_noarchive" and original_has_text: self.log("debug", "Document has text, skipping OCRmyPDF entirely.") self.text = text_original return + # Either no text was in the original or there should be an archive + # file created, so OCR the file and create an archive with any + # test located via OCR + import ocrmypdf from ocrmypdf import InputFileError, EncryptedPdfError @@ -277,6 +283,7 @@ class RasterisedDocumentParser(DocumentParser): ocrmypdf.ocr(**args) self.archive_path = archive_path + self.text = self.extract_text(sidecar_file, archive_path) if not self.text: @@ -323,11 +330,11 @@ class RasterisedDocumentParser(DocumentParser): except Exception as e: # If this fails, we have a serious issue at hand. - raise ParseError(f"{e.__class__.__name__}: {str(e)}") + raise ParseError(f"{e.__class__.__name__}: {str(e)}") from e except Exception as e: # Anything else is probably serious. - raise ParseError(f"{e.__class__.__name__}: {str(e)}") + raise ParseError(f"{e.__class__.__name__}: {str(e)}") from e # As a last resort, if we still don't have any text for any reason, # try to extract the text from the original document. diff --git a/src/paperless_tesseract/tests/test_parser.py b/src/paperless_tesseract/tests/test_parser.py index 6bf8bd5f4..858cc7701 100644 --- a/src/paperless_tesseract/tests/test_parser.py +++ b/src/paperless_tesseract/tests/test_parser.py @@ -341,6 +341,17 @@ class TestParser(DirectoriesMixin, TestCase): @override_settings(OCR_PAGES=2, OCR_MODE="redo") def test_multi_page_analog_pages_redo(self): + """ + GIVEN: + - File with text contained in images but no text layer + - OCR of only pages 1 and 2 requested + - OCR mode set to redo + WHEN: + - Document is parsed + THEN: + - Text of page 1 and 2 extracted + - An archive file is created + """ parser = RasterisedDocumentParser(None) parser.parse( os.path.join(self.SAMPLE_FILES, "multi-page-images.pdf"), @@ -352,6 +363,17 @@ class TestParser(DirectoriesMixin, TestCase): @override_settings(OCR_PAGES=1, OCR_MODE="force") def test_multi_page_analog_pages_force(self): + """ + GIVEN: + - File with text contained in images but no text layer + - OCR of only page 1 requested + - OCR mode set to force + WHEN: + - Document is parsed + THEN: + - Only text of page 1 is extracted + - An archive file is created + """ parser = RasterisedDocumentParser(None) parser.parse( os.path.join(self.SAMPLE_FILES, "multi-page-images.pdf"), @@ -364,6 +386,16 @@ class TestParser(DirectoriesMixin, TestCase): @override_settings(OCR_MODE="skip_noarchive") def test_skip_noarchive_withtext(self): + """ + GIVEN: + - File with existing text layer + - OCR mode set to skip_noarchive + WHEN: + - Document is parsed + THEN: + - Text from images is extracted + - No archive file is created + """ parser = RasterisedDocumentParser(None) parser.parse( os.path.join(self.SAMPLE_FILES, "multi-page-digital.pdf"), @@ -377,24 +409,47 @@ class TestParser(DirectoriesMixin, TestCase): @override_settings(OCR_MODE="skip_noarchive") def test_skip_noarchive_notext(self): + """ + GIVEN: + - File with text contained in images but no text layer + - OCR mode set to skip_noarchive + WHEN: + - Document is parsed + THEN: + - Text from images is extracted + - An archive file is created with the OCRd text + """ parser = RasterisedDocumentParser(None) parser.parse( os.path.join(self.SAMPLE_FILES, "multi-page-images.pdf"), "application/pdf", ) - self.assertTrue(os.path.isfile(parser.archive_path)) + self.assertContainsStrings( parser.get_text().lower(), ["page 1", "page 2", "page 3"], ) + self.assertIsNotNone(parser.archive_path) + @override_settings(OCR_MODE="skip") def test_multi_page_mixed(self): + """ + GIVEN: + - File with some text contained in images and some in text layer + - OCR mode set to skip + WHEN: + - Document is parsed + THEN: + - Text from images is extracted + - An archive file is created with the OCRd text and the original text + """ parser = RasterisedDocumentParser(None) parser.parse( os.path.join(self.SAMPLE_FILES, "multi-page-mixed.pdf"), "application/pdf", ) + self.assertIsNotNone(parser.archive_path) self.assertTrue(os.path.isfile(parser.archive_path)) self.assertContainsStrings( parser.get_text().lower(), @@ -408,6 +463,16 @@ class TestParser(DirectoriesMixin, TestCase): @override_settings(OCR_MODE="skip_noarchive") def test_multi_page_mixed_no_archive(self): + """ + GIVEN: + - File with some text contained in images and some in text layer + - OCR mode set to skip_noarchive + WHEN: + - Document is parsed + THEN: + - Text from images is extracted + - No archive file is created as original file contains text + """ parser = RasterisedDocumentParser(None) parser.parse( os.path.join(self.SAMPLE_FILES, "multi-page-mixed.pdf"), diff --git a/src/paperless_text/signals.py b/src/paperless_text/signals.py index 3d025c14e..94d1ccc2e 100644 --- a/src/paperless_text/signals.py +++ b/src/paperless_text/signals.py @@ -11,5 +11,6 @@ def text_consumer_declaration(sender, **kwargs): "mime_types": { "text/plain": ".txt", "text/csv": ".csv", + "application/csv": ".csv", }, } diff --git a/src/paperless_tika/apps.py b/src/paperless_tika/apps.py index 5cab21427..012986543 100644 --- a/src/paperless_tika/apps.py +++ b/src/paperless_tika/apps.py @@ -9,6 +9,6 @@ class PaperlessTikaConfig(AppConfig): def ready(self): from documents.signals import document_consumer_declaration - if settings.PAPERLESS_TIKA_ENABLED: + if settings.TIKA_ENABLED: document_consumer_declaration.connect(tika_consumer_declaration) AppConfig.ready(self) diff --git a/src/paperless_tika/parsers.py b/src/paperless_tika/parsers.py index 22218dfe7..1cfb1eecb 100644 --- a/src/paperless_tika/parsers.py +++ b/src/paperless_tika/parsers.py @@ -1,4 +1,5 @@ import os +from pathlib import Path import dateutil.parser import requests @@ -27,7 +28,12 @@ class TikaDocumentParser(DocumentParser): ) def extract_metadata(self, document_path, mime_type): - tika_server = settings.PAPERLESS_TIKA_ENDPOINT + tika_server = settings.TIKA_ENDPOINT + + # tika does not support a PathLike, only strings + # ensure this is a string + document_path = str(document_path) + try: parsed = parser.from_file(document_path, tika_server) except Exception as e: @@ -47,9 +53,13 @@ class TikaDocumentParser(DocumentParser): for key in parsed["metadata"] ] - def parse(self, document_path, mime_type, file_name=None): + def parse(self, document_path: Path, mime_type, file_name=None): self.log("info", f"Sending {document_path} to Tika server") - tika_server = settings.PAPERLESS_TIKA_ENDPOINT + tika_server = settings.TIKA_ENDPOINT + + # tika does not support a PathLike, only strings + # ensure this is a string + document_path = str(document_path) try: parsed = parser.from_file(document_path, tika_server) @@ -57,7 +67,7 @@ class TikaDocumentParser(DocumentParser): raise ParseError( f"Could not parse {document_path} with tika server at " f"{tika_server}: {err}", - ) + ) from err self.text = parsed["content"].strip() @@ -73,7 +83,7 @@ class TikaDocumentParser(DocumentParser): def convert_to_pdf(self, document_path, file_name): pdf_path = os.path.join(self.tempdir, "convert.pdf") - gotenberg_server = settings.PAPERLESS_TIKA_GOTENBERG_ENDPOINT + gotenberg_server = settings.TIKA_GOTENBERG_ENDPOINT url = gotenberg_server + "/forms/libreoffice/convert" self.log("info", f"Converting {document_path} to PDF as {pdf_path}") @@ -90,7 +100,9 @@ class TikaDocumentParser(DocumentParser): response = requests.post(url, files=files, headers=headers) response.raise_for_status() # ensure we notice bad responses except Exception as err: - raise ParseError(f"Error while converting document to PDF: {err}") + raise ParseError( + f"Error while converting document to PDF: {err}", + ) from err with open(pdf_path, "wb") as file: file.write(response.content) diff --git a/src/paperless_tika/tests/samples/sample.docx b/src/paperless_tika/tests/samples/sample.docx new file mode 100644 index 000000000..be6f33313 Binary files /dev/null and b/src/paperless_tika/tests/samples/sample.docx differ diff --git a/src/paperless_tika/tests/samples/sample.odt b/src/paperless_tika/tests/samples/sample.odt new file mode 100644 index 000000000..f0c291aa4 Binary files /dev/null and b/src/paperless_tika/tests/samples/sample.odt differ diff --git a/src/paperless_tika/tests/test_live_tika.py b/src/paperless_tika/tests/test_live_tika.py new file mode 100644 index 000000000..e1af7cf86 --- /dev/null +++ b/src/paperless_tika/tests/test_live_tika.py @@ -0,0 +1,78 @@ +import datetime +import os +from pathlib import Path +from typing import Final + +import pytest +from django.test import TestCase +from paperless_tika.parsers import TikaDocumentParser + + +@pytest.mark.skipif("TIKA_LIVE" not in os.environ, reason="No tika server") +class TestTikaParserAgainstServer(TestCase): + """ + This test case tests the Tika parsing against a live tika server, + if the environment contains the correct value indicating such a server + is available. + """ + + SAMPLE_DIR: Final[Path] = (Path(__file__).parent / Path("samples")).resolve() + + def setUp(self) -> None: + self.parser = TikaDocumentParser(logging_group=None) + + def tearDown(self) -> None: + self.parser.cleanup() + + def test_basic_parse_odt(self): + """ + GIVEN: + - An input ODT format document + WHEN: + - The document is parsed + THEN: + - Document content is correct + - Document date is correct + """ + test_file = self.SAMPLE_DIR / Path("sample.odt") + + self.parser.parse(test_file, "application/vnd.oasis.opendocument.text") + + self.assertEqual( + self.parser.text, + "This is an ODT test document, created September 14, 2022", + ) + self.assertIsNotNone(self.parser.archive_path) + with open(self.parser.archive_path, "rb") as f: + # PDFs begin with the bytes PDF-x.y + self.assertTrue(b"PDF-" in f.read()[:10]) + + # TODO: Unsure what can set the Creation-Date field in a document, enable when possible + # self.assertEqual(self.parser.date, datetime.datetime(2022, 9, 14)) + + def test_basic_parse_docx(self): + """ + GIVEN: + - An input DOCX format document + WHEN: + - The document is parsed + THEN: + - Document content is correct + - Document date is correct + """ + test_file = self.SAMPLE_DIR / Path("sample.docx") + + self.parser.parse( + test_file, + "application/vnd.openxmlformats-officedocument.wordprocessingml.document", + ) + + self.assertEqual( + self.parser.text, + "This is an DOCX test document, also made September 14, 2022", + ) + self.assertIsNotNone(self.parser.archive_path) + with open(self.parser.archive_path, "rb") as f: + self.assertTrue(b"PDF-" in f.read()[:10]) + + # self.assertEqual(self.parser.date, datetime.datetime(2022, 9, 14)) diff --git a/src/setup.cfg b/src/setup.cfg index 3b50151a7..409c5c7cd 100644 --- a/src/setup.cfg +++ b/src/setup.cfg @@ -1,5 +1,5 @@ [flake8] -extend-exclude = */migrations/*, paperless/settings.py, */tests/* +extend-exclude = */migrations/*, */tests/* # E203 - https://www.flake8rules.com/rules/E203.html # W503 - https://www.flake8rules.com/rules/W503.html ignore = E203,W503