diff --git a/.github/scripts/cleanup-tags.py b/.github/scripts/cleanup-tags.py index 590344a2c..39d2f122e 100644 --- a/.github/scripts/cleanup-tags.py +++ b/.github/scripts/cleanup-tags.py @@ -7,6 +7,7 @@ import subprocess from argparse import ArgumentParser from typing import Dict from typing import Final +from typing import Iterator from typing import List from typing import Optional @@ -15,16 +16,17 @@ from github import ContainerPackage from github import GithubBranchApi from github import GithubContainerRegistryApi -import docker - logger = logging.getLogger("cleanup-tags") -class DockerManifest2: +class ImageProperties: """ - Data class wrapping the Docker Image Manifest Version 2. + Data class wrapping the properties of an entry in the image index + manifests list. It is NOT an actual image with layers, etc - See https://docs.docker.com/registry/spec/manifest-v2-2/ + https://docs.docker.com/registry/spec/manifest-v2-2/ + https://github.com/opencontainers/image-spec/blob/main/manifest.md + https://github.com/opencontainers/image-spec/blob/main/descriptor.md """ def __init__(self, data: Dict) -> None: @@ -41,6 +43,45 @@ class DockerManifest2: self.platform = f"{platform_data_os}/{platform_arch}{platform_variant}" +class ImageIndex: + """ + Data class wrapping up logic for an OCI Image Index + JSON data. Primary use is to access the manifests listing + + See https://github.com/opencontainers/image-spec/blob/main/image-index.md + """ + + def __init__(self, package_url: str, tag: str) -> None: + self.qualified_name = f"{package_url}:{tag}" + logger.info(f"Getting image index for {self.qualified_name}") + try: + proc = subprocess.run( + [ + shutil.which("docker"), + "buildx", + "imagetools", + "inspect", + "--raw", + self.qualified_name, + ], + capture_output=True, + check=True, + ) + + self._data = json.loads(proc.stdout) + + except subprocess.CalledProcessError as e: + logger.error( + f"Failed to get image index for {self.qualified_name}: {e.stderr}", + ) + raise e + + @property + def image_pointers(self) -> Iterator[ImageProperties]: + for manifest_data in self._data["manifests"]: + yield ImageProperties(manifest_data) + + class RegistryTagsCleaner: """ This is the base class for the image registry cleaning. Given a package @@ -87,7 +128,10 @@ class RegistryTagsCleaner: def clean(self): """ - This method will delete image versions, based on the selected tags to delete + This method will delete image versions, based on the selected tags to delete. + It behaves more like an unlinking than actual deletion. Removing the tag + simply removes a pointer to an image, but the actual image data remains accessible + if one has the sha256 digest of it. """ for tag_to_delete in self.tags_to_delete: package_version_info = self.all_pkgs_tags_to_version[tag_to_delete] @@ -151,31 +195,17 @@ class RegistryTagsCleaner: # 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}") - # TODO: It would be nice to use RegistryData from docker - # except the ID doesn't map to anything in the manifest try: - proc = subprocess.run( - [ - shutil.which("docker"), - "buildx", - "imagetools", - "inspect", - "--raw", - full_name, - ], - capture_output=True, + image_index = ImageIndex( + f"ghcr.io/{self.repo_owner}/{self.package_name}", + tag, ) - - manifest_list = json.loads(proc.stdout) - for manifest_data in manifest_list["manifests"]: - manifest = DockerManifest2(manifest_data) + for manifest in image_index.image_pointers: if manifest.digest in untagged_versions: logger.info( f"Skipping deletion of {manifest.digest}," - f" referred to by {full_name}" + f" referred to by {image_index.qualified_name}" f" for {manifest.platform}", ) del untagged_versions[manifest.digest] @@ -247,64 +277,54 @@ class RegistryTagsCleaner: # By default, keep anything which is tagged self.tags_to_keep = list(set(self.all_pkgs_tags_to_version.keys())) - def check_tags_pull(self): + def check_remaining_tags_valid(self): """ - This method uses the Docker Python SDK to confirm all tags which were - kept still pull, for all platforms. + Checks the non-deleted tags are still valid. The assumption is if the + manifest is can be inspected and each image manifest if points to can be + inspected, the image will still pull. - TODO: This is much slower (although more comprehensive). Maybe a Pool? + https://github.com/opencontainers/image-spec/blob/main/image-index.md """ logger.info("Beginning confirmation step") - client = docker.from_env() - imgs = [] + a_tag_failed = False for tag in sorted(self.tags_to_keep): - repository = f"ghcr.io/{self.repo_owner}/{self.package_name}" - for arch, variant in [("amd64", None), ("arm64", None), ("arm", "v7")]: - # From 11.2.0 onwards, qpdf is cross compiled, so there is a single arch, amd64 - # skip others in this case - if "qpdf" in self.package_name and arch != "amd64" and tag == "11.2.0": - continue - # Skip beta and release candidate tags - elif "beta" in tag: - continue - # Build the platform name - if variant is not None: - platform = f"linux/{arch}/{variant}" - else: - platform = f"linux/{arch}" + try: + image_index = ImageIndex( + f"ghcr.io/{self.repo_owner}/{self.package_name}", + tag, + ) + for manifest in image_index.image_pointers: + logger.info(f"Checking {manifest.digest} for {manifest.platform}") - try: - logger.info(f"Pulling {repository}:{tag} for {platform}") - image = client.images.pull( - repository=repository, - tag=tag, - platform=platform, - ) - imgs.append(image) - except docker.errors.APIError as e: - logger.error( - f"Failed to pull {repository}:{tag}: {e}", - ) + # This follows the pointer from the index to an actual image, layers and all + # Note the format is @ + digest_name = f"ghcr.io/{self.repo_owner}/{self.package_name}@{manifest.digest}" - # Prevent out of space errors by removing after a few - # pulls - if len(imgs) > 50: - for image in imgs: try: - client.images.remove(image.id) - except docker.errors.APIError as e: - err_str = str(e) - # Ignore attempts to remove images that are partly shared - # Ignore images which are somehow gone already - if ( - "must be forced" not in err_str - and "No such image" not in err_str - ): - logger.error( - f"Remove image ghcr.io/{self.repo_owner}/{self.package_name}:{tag} failed: {e}", - ) - imgs = [] + + subprocess.run( + [ + shutil.which("docker"), + "buildx", + "imagetools", + "inspect", + "--raw", + digest_name, + ], + capture_output=True, + check=True, + ) + except subprocess.CalledProcessError as e: + logger.error(f"Failed to inspect digest: {e.stderr}") + a_tag_failed = True + except subprocess.CalledProcessError as e: + a_tag_failed = True + logger.error(f"Failed to inspect: {e.stderr}") + continue + + if a_tag_failed: + raise Exception("At least one image tag failed to inspect") class MainImageTagsCleaner(RegistryTagsCleaner): @@ -366,7 +386,7 @@ class MainImageTagsCleaner(RegistryTagsCleaner): class LibraryTagsCleaner(RegistryTagsCleaner): """ - Exists for the off change that someday, the installer library images + Exists for the off chance that someday, the installer library images will need their own logic """ @@ -464,7 +484,7 @@ def _main(): # Verify remaining tags still pull if args.is_manifest: - cleaner.check_tags_pull() + cleaner.check_remaining_tags_valid() if __name__ == "__main__": diff --git a/Pipfile b/Pipfile index 09065956b..b425fe2c1 100644 --- a/Pipfile +++ b/Pipfile @@ -16,6 +16,7 @@ django-compression-middleware = "*" django-extensions = "*" django-filter = "~=22.1" djangorestframework = "~=3.14" +django-ipware = "*" filelock = "*" gunicorn = "*" imap-tools = "*" @@ -61,11 +62,15 @@ bleach = "*" scipy = "==1.8.1" # Newer versions aren't builting yet (see https://www.piwheels.org/project/cryptography/) cryptography = "==38.0.1" +django-guardian = "*" +djangorestframework-guardian = "*" + # Locked version until https://github.com/django/channels_redis/issues/332 # is resolved channels-redis = "==3.4.1" + [dev-packages] coveralls = "*" factory-boy = "*" diff --git a/Pipfile.lock b/Pipfile.lock index a161f9d82..14237a002 100644 --- a/Pipfile.lock +++ b/Pipfile.lock @@ -1,7 +1,7 @@ { "_meta": { "hash": { - "sha256": "d70848276d3ac35fa361c15ac2d634344cdb08618790502669eee209fc16fa00" + "sha256": "0e1a26c5e9acb1d745f951f92d00d60272f83406467d90551e558972697b53cd" }, "pipfile-spec": 6, "requires": {}, @@ -313,7 +313,7 @@ "sha256:5a3d016c7c547f69d6f81fb0db9449ce888b418b5b9952cc5e6e66843e9dd845", "sha256:83e9a75d1911279afd89352c68b45348559d1fc0506b054b346651b5e7fee29f" ], - "markers": "python_full_version >= '3.6.0'", + "markers": "python_version >= '3.6'", "version": "==2.1.1" }, "click": { @@ -329,7 +329,7 @@ "sha256:a0713dc7a1de3f06bc0df5a9567ad19ead2d3d5689b434768a6145bff77c0667", "sha256:f184f0d851d96b6d29297354ed981b7dd71df7ff500d82fa6d11f0856bee8035" ], - "markers": "python_full_version >= '3.6.2' and python_full_version < '4.0.0'", + "markers": "python_version < '4' and python_full_version >= '3.6.2'", "version": "==0.3.0" }, "click-plugins": { @@ -472,6 +472,22 @@ "index": "pypi", "version": "==22.1" }, + "django-guardian": { + "hashes": [ + "sha256:440ca61358427e575323648b25f8384739e54c38b3d655c81d75e0cd0d61b697", + "sha256:c58a68ae76922d33e6bdc0e69af1892097838de56e93e78a8361090bcd9f89a0" + ], + "index": "pypi", + "version": "==2.4.0" + }, + "django-ipware": { + "hashes": [ + "sha256:602a58325a4808bd19197fef2676a0b2da2df40d0ecf21be414b2ff48c72ad05", + "sha256:878dbb06a87e25550798e9ef3204ed70a200dd8b15e47dcef848cf08244f04c9" + ], + "index": "pypi", + "version": "==4.0.2" + }, "djangorestframework": { "hashes": [ "sha256:579a333e6256b09489cbe0a067e66abe55c6595d8926be6b99423786334350c8", @@ -480,6 +496,14 @@ "index": "pypi", "version": "==3.14.0" }, + "djangorestframework-guardian": { + "hashes": [ + "sha256:1883756452d9bfcc2a51fb4e039a6837a8f6697c756447aa83af085749b59330", + "sha256:3bd3dd6ea58e1bceca5048faf6f8b1a93bb5dcff30ba5eb91b9a0e190a48a0c7" + ], + "index": "pypi", + "version": "==0.3.0" + }, "filelock": { "hashes": [ "sha256:7b319f24340b51f55a2bf7a12ac0755a9b03e718311dac567a0f4f7fabd2f5de", @@ -2205,7 +2229,7 @@ "sha256:5a3d016c7c547f69d6f81fb0db9449ce888b418b5b9952cc5e6e66843e9dd845", "sha256:83e9a75d1911279afd89352c68b45348559d1fc0506b054b346651b5e7fee29f" ], - "markers": "python_full_version >= '3.6.0'", + "markers": "python_version >= '3.6'", "version": "==2.1.1" }, "click": { @@ -2401,7 +2425,7 @@ "sha256:cbb516f16218e643d8e0a95b309f77eb118cb138d39a4f27851e6a63581db874", "sha256:f5da449a6e1c989a4cea2631aa8ee67caa5a2ef855d551c88f9e309f4634c621" ], - "markers": "python_version >= '3.6'", + "markers": "python_full_version >= '3.6.0'", "version": "==3.3.7" }, "markupsafe": { @@ -2455,7 +2479,7 @@ "sha256:0096d52e9dad9939c3d975a774666af186eda617e6ca84df4c94dec30004f2a8", "sha256:70775750742b25c0d8f36c55aed03d24c3384d17c951b3175d898bd778ef0307" ], - "markers": "python_version >= '3.6'", + "markers": "python_full_version >= '3.6.0'", "version": "==1.3.4" }, "mkdocs": { @@ -2800,7 +2824,7 @@ "sha256:70092675bda14fdec33b31ba77e7543de9ddc88f2e5b99160396572d11525bdb", "sha256:af31106dec8a4d68c60207c1886031cbf839b68aa7abccdb19868200532c2069" ], - "markers": "python_version >= '3.6'", + "markers": "python_full_version >= '3.6.0'", "version": "==0.1" }, "regex": { @@ -2987,7 +3011,7 @@ "sha256:ce3b1684d6e1a20a3e5ed36795a97dfc6af29bc3970ca8dab93e11ac6094b3c4", "sha256:f8b927684efc6f1cc206c9db297a570ab9ad0e51c16fa9e45487d36d1905c058" ], - "markers": "python_version >= '3.6'", + "markers": "python_full_version >= '3.6.0'", "version": "==20.17.1" }, "watchdog": { diff --git a/docker/compose/docker-compose.ci-test.yml b/docker/compose/docker-compose.ci-test.yml index b1b8d2179..99f0ee90e 100644 --- a/docker/compose/docker-compose.ci-test.yml +++ b/docker/compose/docker-compose.ci-test.yml @@ -6,7 +6,7 @@ version: "3.7" services: gotenberg: - image: docker.io/gotenberg/gotenberg:7.6 + image: docker.io/gotenberg/gotenberg:7.8 hostname: gotenberg container_name: gotenberg network_mode: host diff --git a/docker/compose/docker-compose.mariadb-tika.yml b/docker/compose/docker-compose.mariadb-tika.yml index 4cd9f71b0..1b39c254c 100644 --- a/docker/compose/docker-compose.mariadb-tika.yml +++ b/docker/compose/docker-compose.mariadb-tika.yml @@ -83,7 +83,7 @@ services: PAPERLESS_TIKA_ENDPOINT: http://tika:9998 gotenberg: - image: docker.io/gotenberg/gotenberg:7.6 + image: docker.io/gotenberg/gotenberg:7.8 restart: unless-stopped # The gotenberg chromium route is used to convert .eml files. We do not # want to allow external content like tracking pixels or even javascript. diff --git a/docker/compose/docker-compose.postgres-tika.yml b/docker/compose/docker-compose.postgres-tika.yml index c67fb47d0..a451b00dd 100644 --- a/docker/compose/docker-compose.postgres-tika.yml +++ b/docker/compose/docker-compose.postgres-tika.yml @@ -77,7 +77,7 @@ services: PAPERLESS_TIKA_ENDPOINT: http://tika:9998 gotenberg: - image: docker.io/gotenberg/gotenberg:7.6 + image: docker.io/gotenberg/gotenberg:7.8 restart: unless-stopped # The gotenberg chromium route is used to convert .eml files. We do not diff --git a/docker/compose/docker-compose.sqlite-tika.yml b/docker/compose/docker-compose.sqlite-tika.yml index 40d6d93a8..909dafe5b 100644 --- a/docker/compose/docker-compose.sqlite-tika.yml +++ b/docker/compose/docker-compose.sqlite-tika.yml @@ -65,7 +65,7 @@ services: PAPERLESS_TIKA_ENDPOINT: http://tika:9998 gotenberg: - image: docker.io/gotenberg/gotenberg:7.6 + image: docker.io/gotenberg/gotenberg:7.8 restart: unless-stopped # The gotenberg chromium route is used to convert .eml files. We do not diff --git a/docs/advanced_usage.md b/docs/advanced_usage.md index 9a1abcfff..cd82ab78e 100644 --- a/docs/advanced_usage.md +++ b/docs/advanced_usage.md @@ -414,13 +414,6 @@ structure as in the previous example above. Defining a storage path is optional. If no storage path is defined for a document, the global `PAPERLESS_FILENAME_FORMAT` is applied. -!!! warning - - If you adjust the format of an existing storage path, old documents - don't get relocated automatically. You need to run the - [document renamer](/administration#renamer) to - adjust their paths. - ## Celery Monitoring {#celery-monitoring} The monitoring tool @@ -501,3 +494,9 @@ You can also set the default for new tables (this does NOT affect existing tables) with: `ALTER DATABASE CHARACTER SET utf8mb4 COLLATE utf8mb4_bin;` + +!!! warning + + Using mariadb version 10.4+ is recommended. Using the `utf8mb3` character set on + an older system may fix issues that can arise while setting up Paperless-ngx but + `utf8mb3` can cause issues with consumption (where `utf8mb4` does not). diff --git a/docs/api.md b/docs/api.md index 2c200dea7..2ed1cbce8 100644 --- a/docs/api.md +++ b/docs/api.md @@ -16,6 +16,8 @@ The API provides 7 main endpoints: - `/api/tags/`: Full CRUD support. - `/api/mail_accounts/`: Full CRUD support. - `/api/mail_rules/`: Full CRUD support. +- `/api/users/`: Full CRUD support. +- `/api/groups/`: Full CRUD support. All of these endpoints except for the logging endpoint allow you to fetch, edit and delete individual objects by appending their primary key @@ -254,6 +256,7 @@ The endpoint supports the following optional form fields: - `document_type`: Similar to correspondent. - `tags`: Similar to correspondent. Specify this multiple times to have multiple tags added to the document. +- `owner`: An optional user ID to set as the owner. The endpoint will immediately return "OK" if the document consumption process was started successfully. No additional status information about diff --git a/docs/changelog.md b/docs/changelog.md index 5a9371781..50e8015a8 100644 --- a/docs/changelog.md +++ b/docs/changelog.md @@ -1,12 +1,83 @@ # Changelog -## paperless-ngx 1.12.1 +## paperless-ngx 1.13.0 + +### Features + +- Feature: allow disable warn on close saved view with changes [@shamoon](https://github.com/shamoon) ([#2681](https://github.com/paperless-ngx/paperless-ngx/pull/2681)) +- Feature: Add option to enable response compression [@stumpylog](https://github.com/stumpylog) ([#2621](https://github.com/paperless-ngx/paperless-ngx/pull/2621)) +- Feature: split documents on ASN barcode [@muued](https://github.com/muued) ([#2554](https://github.com/paperless-ngx/paperless-ngx/pull/2554)) + +### Bug Fixes + +- Fix: Ignore path filtering didn't handle sub directories [@stumpylog](https://github.com/stumpylog) ([#2674](https://github.com/paperless-ngx/paperless-ngx/pull/2674)) +- Bugfix: Generation of secret key hangs during install script [@stumpylog](https://github.com/stumpylog) ([#2657](https://github.com/paperless-ngx/paperless-ngx/pull/2657)) +- Fix: Remove files produced by barcode splitting when completed [@stumpylog](https://github.com/stumpylog) ([#2648](https://github.com/paperless-ngx/paperless-ngx/pull/2648)) +- Fix: add missing storage path placeholders [@shamoon](https://github.com/shamoon) ([#2651](https://github.com/paperless-ngx/paperless-ngx/pull/2651)) +- Fix long dropdown contents break document detail column view [@shamoon](https://github.com/shamoon) ([#2638](https://github.com/paperless-ngx/paperless-ngx/pull/2638)) +- Fix: tags dropdown should stay closed when removing [@shamoon](https://github.com/shamoon) ([#2625](https://github.com/paperless-ngx/paperless-ngx/pull/2625)) +- Bugfix: Configure scheduled tasks to expire after some time [@stumpylog](https://github.com/stumpylog) ([#2614](https://github.com/paperless-ngx/paperless-ngx/pull/2614)) +- Bugfix: Limit management list pagination maxSize to 5 [@Kaaybi](https://github.com/Kaaybi) ([#2618](https://github.com/paperless-ngx/paperless-ngx/pull/2618)) +- Fix: Don't crash on bad ASNs during indexing [@stumpylog](https://github.com/stumpylog) ([#2586](https://github.com/paperless-ngx/paperless-ngx/pull/2586)) +- Fix: Prevent mktime OverflowError except in even more rare caes [@stumpylog](https://github.com/stumpylog) ([#2574](https://github.com/paperless-ngx/paperless-ngx/pull/2574)) +- Bugfix: Whoosh relative date queries weren't handling timezones [@stumpylog](https://github.com/stumpylog) ([#2566](https://github.com/paperless-ngx/paperless-ngx/pull/2566)) +- Fix importing files with non-ascii names [@Kexogg](https://github.com/Kexogg) ([#2555](https://github.com/paperless-ngx/paperless-ngx/pull/2555)) + +### Documentation + +- Chore: update recommended Gotenberg to 7.8, docs note possible incompatibility [@shamoon](https://github.com/shamoon) ([#2608](https://github.com/paperless-ngx/paperless-ngx/pull/2608)) +- [Documentation] Add v1.12.2 changelog [@github-actions](https://github.com/github-actions) ([#2553](https://github.com/paperless-ngx/paperless-ngx/pull/2553)) + +### Maintenance + +- Chore: Faster Docker image cleanup [@stumpylog](https://github.com/stumpylog) ([#2687](https://github.com/paperless-ngx/paperless-ngx/pull/2687)) +- Chore: Remove duplicated folder [@stumpylog](https://github.com/stumpylog) ([#2561](https://github.com/paperless-ngx/paperless-ngx/pull/2561)) +- Chore: Switch test coverage to Codecov [@stumpylog](https://github.com/stumpylog) ([#2582](https://github.com/paperless-ngx/paperless-ngx/pull/2582)) +- Bump docker/build-push-action from 3 to 4 [@dependabot](https://github.com/dependabot) ([#2576](https://github.com/paperless-ngx/paperless-ngx/pull/2576)) +- Chore: Run tests which require convert in the CI [@stumpylog](https://github.com/stumpylog) ([#2570](https://github.com/paperless-ngx/paperless-ngx/pull/2570)) + +- Feature: split documents on ASN barcode [@muued](https://github.com/muued) ([#2554](https://github.com/paperless-ngx/paperless-ngx/pull/2554)) +- Bugfix: Whoosh relative date queries weren't handling timezones [@stumpylog](https://github.com/stumpylog) ([#2566](https://github.com/paperless-ngx/paperless-ngx/pull/2566)) +- Fix importing files with non-ascii names [@Kexogg](https://github.com/Kexogg) ([#2555](https://github.com/paperless-ngx/paperless-ngx/pull/2555)) + +## paperless-ngx 1.12.2 _Note: Version 1.12.x introduced searching of comments which will work for comments added after the upgrade but a reindex of the search index is required in order to be able to search older comments. The Docker image will automatically perform this reindex, bare metal installations will have to perform this manually, see [the docs](https://docs.paperless-ngx.com/administration/#index)._ ### Bug Fixes +- Bugfix: Allow pre-consume scripts to modify incoming file [@stumpylog](https://github.com/stumpylog) ([#2547](https://github.com/paperless-ngx/paperless-ngx/pull/2547)) +- Bugfix: Return to page based barcode scanning [@stumpylog](https://github.com/stumpylog) ([#2544](https://github.com/paperless-ngx/paperless-ngx/pull/2544)) +- Fix: Try to prevent title debounce overwriting [@shamoon](https://github.com/shamoon) ([#2543](https://github.com/paperless-ngx/paperless-ngx/pull/2543)) +- Fix comment search highlight + multi-word search [@shamoon](https://github.com/shamoon) ([#2542](https://github.com/paperless-ngx/paperless-ngx/pull/2542)) +- Bugfix: Request PDF/A format from Gotenberg [@stumpylog](https://github.com/stumpylog) ([#2530](https://github.com/paperless-ngx/paperless-ngx/pull/2530)) +- Fix: Trigger reindex for pre-existing comments [@shamoon](https://github.com/shamoon) ([#2519](https://github.com/paperless-ngx/paperless-ngx/pull/2519)) + +### Documentation + +- Bugfix: Allow pre-consume scripts to modify incoming file [@stumpylog](https://github.com/stumpylog) ([#2547](https://github.com/paperless-ngx/paperless-ngx/pull/2547)) +- Fix: Trigger reindex for pre-existing comments [@shamoon](https://github.com/shamoon) ([#2519](https://github.com/paperless-ngx/paperless-ngx/pull/2519)) +- Minor updates to development documentation [@clemensrieder](https://github.com/clemensrieder) ([#2474](https://github.com/paperless-ngx/paperless-ngx/pull/2474)) +- [Documentation] Add v1.12.1 changelog [@github-actions](https://github.com/github-actions) ([#2515](https://github.com/paperless-ngx/paperless-ngx/pull/2515)) + +### Maintenance + +- Chore: Fix tag cleaner to work with attestations [@stumpylog](https://github.com/stumpylog) ([#2532](https://github.com/paperless-ngx/paperless-ngx/pull/2532)) +- Chore: Make installers statically versioned [@stumpylog](https://github.com/stumpylog) ([#2517](https://github.com/paperless-ngx/paperless-ngx/pull/2517)) + +### All App Changes + +- Bugfix: Allow pre-consume scripts to modify incoming file [@stumpylog](https://github.com/stumpylog) ([#2547](https://github.com/paperless-ngx/paperless-ngx/pull/2547)) +- Bugfix: Return to page based barcode scanning [@stumpylog](https://github.com/stumpylog) ([#2544](https://github.com/paperless-ngx/paperless-ngx/pull/2544)) +- Fix: Try to prevent title debounce overwriting [@shamoon](https://github.com/shamoon) ([#2543](https://github.com/paperless-ngx/paperless-ngx/pull/2543)) +- Fix comment search highlight + multi-word search [@shamoon](https://github.com/shamoon) ([#2542](https://github.com/paperless-ngx/paperless-ngx/pull/2542)) +- Bugfix: Request PDF/A format from Gotenberg [@stumpylog](https://github.com/stumpylog) ([#2530](https://github.com/paperless-ngx/paperless-ngx/pull/2530)) + +## paperless-ngx 1.12.1 + +### Bug Fixes + - Fix: comments not showing in search until after manual reindex in v1.12 [@shamoon](https://github.com/shamoon) ([#2513](https://github.com/paperless-ngx/paperless-ngx/pull/2513)) - Fix: date range search broken in 1.12 [@shamoon](https://github.com/shamoon) ([#2509](https://github.com/paperless-ngx/paperless-ngx/pull/2509)) diff --git a/docs/configuration.md b/docs/configuration.md index 27b3f1b28..6c233c2e6 100644 --- a/docs/configuration.md +++ b/docs/configuration.md @@ -262,6 +262,14 @@ do CORS calls. Set this to your public domain name. Defaults to "". +`PAPERLESS_TRUSTED_PROXIES=` + +: This may be needed to prevent IP address spoofing if you are using e.g. +fail2ban with log entries for failed authorization attempts. Value should be +IP address(es). + + Defaults to empty string. + `PAPERLESS_FORCE_SCRIPT_NAME=` : To host paperless under a subpath url like example.com/paperless you @@ -626,7 +634,7 @@ services: # ... gotenberg: - image: gotenberg/gotenberg:7.6 + image: gotenberg/gotenberg:7.8 restart: unless-stopped # The gotenberg chromium route is used to convert .eml files. We do not # want to allow external content like tracking pixels or even javascript. @@ -999,13 +1007,20 @@ within your documents. `PAPERLESS_CONSUMER_IGNORE_PATTERNS=` : By default, paperless ignores certain files and folders in the -consumption directory, such as system files created by the Mac OS. +consumption directory, such as system files created by the Mac OS +or hidden folders some tools use to store data. This can be adjusted by configuring a custom json array with patterns to exclude. + For example, `.DS_STORE/*` will ignore any files found in a folder + named `.DS_STORE`, including `.DS_STORE/bar.pdf` and `foo/.DS_STORE/bar.pdf` + + A pattern like `._*` will ignore anything starting with `._`, including: + `._foo.pdf` and `._bar/foo.pdf` + Defaults to - `[".DS_STORE/*", "._*", ".stfolder/*", ".stversions/*", ".localized/*", "desktop.ini"]`. + `[".DS_STORE/*", "._*", ".stfolder/*", ".stversions/*", ".localized/*", "desktop.ini", "@eaDir/*"]`. ## Binaries diff --git a/docs/development.md b/docs/development.md index d39261e23..13ef91f83 100644 --- a/docs/development.md +++ b/docs/development.md @@ -251,7 +251,7 @@ these parts have to be translated separately. - The translated strings need to be placed in the `src-ui/src/locale/` folder. - In order to extract added or changed strings from the source files, - call `ng xi18n --ivy`. + call `ng extract-i18n`. Adding new languages requires adding the translated files in the `src-ui/src/locale/` folder and adjusting a couple files. diff --git a/docs/setup.md b/docs/setup.md index 391ef7850..7eaaf69f7 100644 --- a/docs/setup.md +++ b/docs/setup.md @@ -708,6 +708,12 @@ below use PostgreSQL, but are applicable to MySQL/MariaDB with the MySQL also enforces limits on maximum lengths, but does so differently than PostgreSQL. It may not be possible to migrate to MySQL due to this. +!!! warning + + Using mariadb version 10.4+ is recommended. Using the `utf8mb3` character set on + an older system may fix issues that can arise while setting up Paperless-ngx but + `utf8mb3` can cause issues with consumption (where `utf8mb4` does not). + 1. Stop paperless, if it is running. 2. Tell paperless to use PostgreSQL: diff --git a/docs/usage.md b/docs/usage.md index 6a0277d45..e162e6e3a 100644 --- a/docs/usage.md +++ b/docs/usage.md @@ -202,6 +202,39 @@ configured via `PAPERLESS_EMAIL_TASK_CRON` (see [software tweaks](/configuration You can also submit a document using the REST API, see [POSTing documents](/api#file-uploads) for details. +## Permissions + +As of version 1.13.0 Paperless-ngx added core support for user / group permissions. Permissions is +based around an object 'owner' and 'view' and 'edit' permissions can be granted to other users +or groups. + +Permissions uses the built-in user model of the backend framework, Django. + +!!! note + + After migration to version 1.13.0 all existing documents, tags etc. will have no explicit owner + set which means they will be visible / editable by all users. Once an object has an owner set, + only the owner can explicitly grant / revoke permissions. + +!!! note + + When first migrating to permissions it is recommended to user a 'superuser' account (which + would usually have been setup during installation) to ensure you have full permissions. + + Note that superusers have access to all objects. + +Permissions can be set using the new "Permissions" tab when editing documents, or bulk-applied +in the UI by selecting documents and choosing the "Permissions" button. Owner can also optionally +be set for documents uploaded via the API. Documents consumed via the consumption dir currently +do not have an owner set. + +### Users and Groups + +Paperless-ngx versions after 1.13.0 allow creating and editing users and groups via the 'frontend' UI. +These can be found under Settings > Users & Groups, assuming the user has access. If a user is designated +as a member of a group those permissions will be inherited and this is reflected in the UI. Explicit +permissions can be granted to limit access to certain parts of the UI (and corresponding API endpoints). + ## Best practices {#basic-searching} Paperless offers a couple tools that help you organize your document diff --git a/install-paperless-ngx.sh b/install-paperless-ngx.sh index c05a4b36c..469f96005 100755 --- a/install-paperless-ngx.sh +++ b/install-paperless-ngx.sh @@ -321,7 +321,7 @@ fi wget "https://raw.githubusercontent.com/paperless-ngx/paperless-ngx/main/docker/compose/docker-compose.$DOCKER_COMPOSE_VERSION.yml" -O docker-compose.yml wget "https://raw.githubusercontent.com/paperless-ngx/paperless-ngx/main/docker/compose/.env" -O .env -SECRET_KEY=$(tr -dc 'a-zA-Z0-9' < /dev/urandom | fold -w 64 | head -n 1) +SECRET_KEY=$(tr --delete --complement 'a-zA-Z0-9' < /dev/urandom 2>/dev/null | head --bytes 64) DEFAULT_LANGUAGES=("deu eng fra ita spa") diff --git a/scripts/start_services.sh b/scripts/start_services.sh index d53698a27..503755c0e 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.6 gotenberg --chromium-disable-javascript=true --chromium-allow-list="file:///tmp/.*" +docker run -p 3000:3000 -d gotenberg/gotenberg:7.8 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/auth/auth.cy.ts b/src-ui/cypress/e2e/auth/auth.cy.ts new file mode 100644 index 000000000..717113c76 --- /dev/null +++ b/src-ui/cypress/e2e/auth/auth.cy.ts @@ -0,0 +1,68 @@ +describe('settings', () => { + beforeEach(() => { + // also uses global fixtures from cypress/support/e2e.ts + + // mock restricted permissions + cy.intercept('http://localhost:8000/api/ui_settings/', { + fixture: 'ui_settings/settings_restricted.json', + }) + }) + + it('should not allow user to edit settings', () => { + cy.visit('/dashboard') + cy.contains('Settings').should('not.exist') + cy.visit('/settings').wait(2000) + cy.contains("You don't have permissions to do that").should('exist') + }) + + it('should not allow user to view documents', () => { + cy.visit('/dashboard') + cy.contains('Documents').should('not.exist') + cy.visit('/documents').wait(2000) + cy.contains("You don't have permissions to do that").should('exist') + cy.visit('/documents/1').wait(2000) + cy.contains("You don't have permissions to do that").should('exist') + }) + + it('should not allow user to view correspondents', () => { + cy.visit('/dashboard') + cy.contains('Correspondents').should('not.exist') + cy.visit('/correspondents').wait(2000) + cy.contains("You don't have permissions to do that").should('exist') + }) + + it('should not allow user to view tags', () => { + cy.visit('/dashboard') + cy.contains('Tags').should('not.exist') + cy.visit('/tags').wait(2000) + cy.contains("You don't have permissions to do that").should('exist') + }) + + it('should not allow user to view document types', () => { + cy.visit('/dashboard') + cy.contains('Document Types').should('not.exist') + cy.visit('/documenttypes').wait(2000) + cy.contains("You don't have permissions to do that").should('exist') + }) + + it('should not allow user to view storage paths', () => { + cy.visit('/dashboard') + cy.contains('Storage Paths').should('not.exist') + cy.visit('/storagepaths').wait(2000) + cy.contains("You don't have permissions to do that").should('exist') + }) + + it('should not allow user to view logs', () => { + cy.visit('/dashboard') + cy.contains('Logs').should('not.exist') + cy.visit('/logs').wait(2000) + cy.contains("You don't have permissions to do that").should('exist') + }) + + it('should not allow user to view tasks', () => { + cy.visit('/dashboard') + cy.contains('Tasks').should('not.exist') + cy.visit('/tasks').wait(2000) + cy.contains("You don't have permissions to do that").should('exist') + }) +}) diff --git a/src-ui/cypress/fixtures/documents/1/comments.json b/src-ui/cypress/fixtures/documents/1/comments.json index 73e932187..a6013b513 100644 --- a/src-ui/cypress/fixtures/documents/1/comments.json +++ b/src-ui/cypress/fixtures/documents/1/comments.json @@ -6,8 +6,8 @@ "user": { "id": 1, "username": "user2", - "firstname": "", - "lastname": "" + "first_name": "", + "last_name": "" } }, { @@ -17,8 +17,8 @@ "user": { "id": 2, "username": "user1", - "firstname": "", - "lastname": "" + "first_name": "", + "last_name": "" } }, { @@ -28,8 +28,8 @@ "user": { "id": 2, "username": "user33", - "firstname": "", - "lastname": "" + "first_name": "", + "last_name": "" } }, { @@ -39,8 +39,8 @@ "user": { "id": 3, "username": "admin", - "firstname": "", - "lastname": "" + "first_name": "", + "last_name": "" } } ] diff --git a/src-ui/cypress/fixtures/documents/documents.json b/src-ui/cypress/fixtures/documents/documents.json index bcf122ecc..211401b4b 100644 --- a/src-ui/cypress/fixtures/documents/documents.json +++ b/src-ui/cypress/fixtures/documents/documents.json @@ -14,11 +14,14 @@ 4 ], "created": "2022-03-22T07:24:18Z", + "created_date": "2022-03-22", "modified": "2022-03-22T07:24:23.264859Z", "added": "2022-03-22T07:24:22.922631Z", "archive_serial_number": null, "original_file_name": "2022-03-22 no latin title.pdf", - "archived_file_name": "2022-03-22 no latin title.pdf" + "archived_file_name": "2022-03-22 no latin title.pdf", + "owner": null, + "permissions": [] }, { "id": 2, @@ -29,11 +32,14 @@ "content": "Test document PDF", "tags": [], "created": "2022-03-23T07:24:18Z", + "created_date": "2022-03-23", "modified": "2022-03-23T07:24:23.264859Z", "added": "2022-03-23T07:24:22.922631Z", "archive_serial_number": 12345, "original_file_name": "2022-03-23 lorem ipsum dolor sit amet.pdf", - "archived_file_name": "2022-03-23 llorem ipsum dolor sit amet.pdf" + "archived_file_name": "2022-03-23 llorem ipsum dolor sit amet.pdf", + "owner": null, + "permissions": [] }, { "id": 3, @@ -46,11 +52,14 @@ 2 ], "created": "2022-03-24T07:24:18Z", + "created_date": "2022-03-24", "modified": "2022-03-24T07:24:23.264859Z", "added": "2022-03-24T07:24:22.922631Z", "archive_serial_number": null, "original_file_name": "2022-03-24 dolor.pdf", - "archived_file_name": "2022-03-24 dolor.pdf" + "archived_file_name": "2022-03-24 dolor.pdf", + "owner": null, + "permissions": [] }, { "id": 4, @@ -63,11 +72,14 @@ 4, 5 ], "created": "2022-06-01T07:24:18Z", + "created_date": "2022-06-01", "modified": "2022-06-01T07:24:23.264859Z", "added": "2022-06-01T07:24:22.922631Z", "archive_serial_number": 12347, "original_file_name": "2022-06-01 sit amet.pdf", - "archived_file_name": "2022-06-01 sit amet.pdf" + "archived_file_name": "2022-06-01 sit amet.pdf", + "owner": null, + "permissions": [] } ] } diff --git a/src-ui/cypress/fixtures/groups/groups.json b/src-ui/cypress/fixtures/groups/groups.json new file mode 100644 index 000000000..0bf2655d9 --- /dev/null +++ b/src-ui/cypress/fixtures/groups/groups.json @@ -0,0 +1,119 @@ +{ + "count": 2, + "next": null, + "previous": null, + "results": [ + { + "id": 6, + "name": "Another Group", + "permissions": [ + "add_user", + "change_user", + "delete_user", + "view_user", + "add_comment", + "change_comment", + "delete_comment", + "view_comment" + ] + }, + { + "id": 1, + "name": "First Group", + "permissions": [ + "add_group", + "change_group", + "delete_group", + "view_group", + "add_permission", + "change_permission", + "delete_permission", + "view_permission", + "add_token", + "change_token", + "delete_token", + "view_token", + "add_tokenproxy", + "change_tokenproxy", + "delete_tokenproxy", + "view_tokenproxy", + "add_contenttype", + "change_contenttype", + "delete_contenttype", + "view_contenttype", + "add_chordcounter", + "change_chordcounter", + "delete_chordcounter", + "view_chordcounter", + "add_groupresult", + "change_groupresult", + "delete_groupresult", + "view_groupresult", + "add_taskresult", + "change_taskresult", + "delete_taskresult", + "view_taskresult", + "add_failure", + "change_failure", + "delete_failure", + "view_failure", + "add_ormq", + "change_ormq", + "delete_ormq", + "view_ormq", + "add_schedule", + "change_schedule", + "delete_schedule", + "view_schedule", + "add_success", + "change_success", + "delete_success", + "view_success", + "add_task", + "change_task", + "delete_task", + "view_task", + "add_comment", + "change_comment", + "delete_comment", + "view_comment", + "add_correspondent", + "change_correspondent", + "delete_correspondent", + "view_correspondent", + "add_document", + "change_document", + "delete_document", + "view_document", + "add_documenttype", + "change_documenttype", + "delete_documenttype", + "view_documenttype", + "add_frontendsettings", + "change_frontendsettings", + "delete_frontendsettings", + "view_frontendsettings", + "add_log", + "change_log", + "delete_log", + "view_log", + "add_savedview", + "change_savedview", + "delete_savedview", + "view_savedview", + "add_savedviewfilterrule", + "change_savedviewfilterrule", + "delete_savedviewfilterrule", + "view_savedviewfilterrule", + "add_taskattributes", + "change_taskattributes", + "delete_taskattributes", + "view_taskattributes", + "add_session", + "change_session", + "delete_session", + "view_session" + ] + } + ] +} diff --git a/src-ui/cypress/fixtures/ui_settings/settings.json b/src-ui/cypress/fixtures/ui_settings/settings.json index 0e844b5e1..bc86255fc 100644 --- a/src-ui/cypress/fixtures/ui_settings/settings.json +++ b/src-ui/cypress/fixtures/ui_settings/settings.json @@ -1,7 +1,6 @@ { "user_id": 1, "username": "admin", - "display_name": "Admin", "settings": { "language": "", "bulk_edit": { @@ -30,5 +29,131 @@ "consumer_failed": true, "consumer_suppress_on_dashboard": true } - } + }, + "permissions": [ + "add_logentry", + "change_logentry", + "delete_logentry", + "view_logentry", + "add_group", + "change_group", + "delete_group", + "view_group", + "add_permission", + "change_permission", + "delete_permission", + "view_permission", + "add_user", + "change_user", + "delete_user", + "view_user", + "add_token", + "change_token", + "delete_token", + "view_token", + "add_tokenproxy", + "change_tokenproxy", + "delete_tokenproxy", + "view_tokenproxy", + "add_contenttype", + "change_contenttype", + "delete_contenttype", + "view_contenttype", + "add_chordcounter", + "change_chordcounter", + "delete_chordcounter", + "view_chordcounter", + "add_groupresult", + "change_groupresult", + "delete_groupresult", + "view_groupresult", + "add_taskresult", + "change_taskresult", + "delete_taskresult", + "view_taskresult", + "add_failure", + "change_failure", + "delete_failure", + "view_failure", + "add_ormq", + "change_ormq", + "delete_ormq", + "view_ormq", + "add_schedule", + "change_schedule", + "delete_schedule", + "view_schedule", + "add_success", + "change_success", + "delete_success", + "view_success", + "add_task", + "change_task", + "delete_task", + "view_task", + "add_comment", + "change_comment", + "delete_comment", + "view_comment", + "add_correspondent", + "change_correspondent", + "delete_correspondent", + "view_correspondent", + "add_document", + "change_document", + "delete_document", + "view_document", + "add_documenttype", + "change_documenttype", + "delete_documenttype", + "view_documenttype", + "add_frontendsettings", + "change_frontendsettings", + "delete_frontendsettings", + "view_frontendsettings", + "add_log", + "change_log", + "delete_log", + "view_log", + "add_paperlesstask", + "change_paperlesstask", + "delete_paperlesstask", + "view_paperlesstask", + "add_savedview", + "change_savedview", + "delete_savedview", + "view_savedview", + "add_savedviewfilterrule", + "change_savedviewfilterrule", + "delete_savedviewfilterrule", + "view_savedviewfilterrule", + "add_storagepath", + "change_storagepath", + "delete_storagepath", + "view_storagepath", + "add_tag", + "change_tag", + "delete_tag", + "view_tag", + "add_taskattributes", + "change_taskattributes", + "delete_taskattributes", + "view_taskattributes", + "add_uisettings", + "change_uisettings", + "delete_uisettings", + "view_uisettings", + "add_mailaccount", + "change_mailaccount", + "delete_mailaccount", + "view_mailaccount", + "add_mailrule", + "change_mailrule", + "delete_mailrule", + "view_mailrule", + "add_session", + "change_session", + "delete_session", + "view_session" + ] } diff --git a/src-ui/cypress/fixtures/ui_settings/settings_restricted.json b/src-ui/cypress/fixtures/ui_settings/settings_restricted.json new file mode 100644 index 000000000..4bc8a2d41 --- /dev/null +++ b/src-ui/cypress/fixtures/ui_settings/settings_restricted.json @@ -0,0 +1,84 @@ +{ + "user_id": 1, + "username": "admin", + "settings": { + "language": "", + "bulk_edit": { + "confirmation_dialogs": true, + "apply_on_close": false + }, + "documentListSize": 50, + "dark_mode": { + "use_system": true, + "enabled": "false", + "thumb_inverted": "true" + }, + "theme": { + "color": "#b198e5" + }, + "document_details": { + "native_pdf_viewer": false + }, + "date_display": { + "date_locale": "", + "date_format": "mediumDate" + }, + "notifications": { + "consumer_new_documents": true, + "consumer_success": true, + "consumer_failed": true, + "consumer_suppress_on_dashboard": true + } + }, + "permissions": [ + "add_token", + "change_token", + "delete_token", + "view_token", + "add_tokenproxy", + "change_tokenproxy", + "delete_tokenproxy", + "view_tokenproxy", + "add_contenttype", + "change_contenttype", + "delete_contenttype", + "view_contenttype", + "add_chordcounter", + "change_chordcounter", + "delete_chordcounter", + "view_chordcounter", + "add_groupresult", + "change_groupresult", + "delete_groupresult", + "view_groupresult", + "add_failure", + "change_failure", + "delete_failure", + "view_failure", + "add_ormq", + "change_ormq", + "delete_ormq", + "view_ormq", + "add_schedule", + "change_schedule", + "delete_schedule", + "view_schedule", + "add_success", + "change_success", + "delete_success", + "view_success", + "add_task", + "change_task", + "delete_task", + "view_task", + "add_comment", + "add_frontendsettings", + "change_frontendsettings", + "delete_frontendsettings", + "view_frontendsettings", + "add_session", + "change_session", + "delete_session", + "view_session" + ] +} diff --git a/src-ui/cypress/fixtures/users/users.json b/src-ui/cypress/fixtures/users/users.json new file mode 100644 index 000000000..ca477667a --- /dev/null +++ b/src-ui/cypress/fixtures/users/users.json @@ -0,0 +1,459 @@ +{ + "count": 4, + "next": null, + "previous": null, + "results": [ + { + "id": 3, + "username": "admin", + "password": "**********", + "first_name": "", + "last_name": "", + "date_joined": "2022-02-14T23:11:09.103293Z", + "is_staff": true, + "is_active": true, + "is_superuser": true, + "groups": [], + "user_permissions": [], + "inherited_permissions": [ + "auth.delete_permission", + "paperless_mail.change_mailrule", + "django_celery_results.add_taskresult", + "documents.view_taskattributes", + "documents.view_paperlesstask", + "django_q.add_success", + "documents.view_uisettings", + "auth.change_user", + "admin.delete_logentry", + "django_celery_results.change_taskresult", + "django_q.change_schedule", + "django_celery_results.delete_taskresult", + "paperless_mail.add_mailaccount", + "auth.change_group", + "documents.add_comment", + "paperless_mail.delete_mailaccount", + "authtoken.delete_tokenproxy", + "guardian.delete_groupobjectpermission", + "contenttypes.delete_contenttype", + "documents.change_correspondent", + "authtoken.delete_token", + "documents.delete_documenttype", + "django_q.change_ormq", + "documents.change_savedviewfilterrule", + "auth.delete_group", + "documents.add_documenttype", + "django_q.change_success", + "documents.delete_tag", + "documents.change_comment", + "django_q.delete_task", + "documents.add_savedviewfilterrule", + "django_q.view_task", + "paperless_mail.add_mailrule", + "paperless_mail.view_mailaccount", + "documents.add_frontendsettings", + "sessions.change_session", + "documents.view_savedview", + "authtoken.add_tokenproxy", + "documents.change_tag", + "documents.view_document", + "documents.add_savedview", + "auth.delete_user", + "documents.view_log", + "documents.view_comment", + "guardian.change_groupobjectpermission", + "sessions.delete_session", + "django_q.change_failure", + "guardian.change_userobjectpermission", + "documents.change_storagepath", + "documents.delete_document", + "documents.delete_taskattributes", + "django_celery_results.change_groupresult", + "django_q.add_ormq", + "guardian.view_groupobjectpermission", + "admin.change_logentry", + "django_q.delete_schedule", + "documents.delete_paperlesstask", + "django_q.view_ormq", + "documents.change_paperlesstask", + "guardian.delete_userobjectpermission", + "auth.view_permission", + "auth.view_user", + "django_q.add_schedule", + "authtoken.change_token", + "guardian.add_groupobjectpermission", + "documents.view_documenttype", + "documents.change_log", + "paperless_mail.delete_mailrule", + "auth.view_group", + "authtoken.view_token", + "admin.view_logentry", + "django_celery_results.view_chordcounter", + "django_celery_results.view_groupresult", + "documents.view_storagepath", + "documents.add_storagepath", + "django_celery_results.add_groupresult", + "documents.view_tag", + "guardian.view_userobjectpermission", + "documents.delete_correspondent", + "documents.add_tag", + "documents.delete_savedviewfilterrule", + "documents.add_correspondent", + "authtoken.view_tokenproxy", + "documents.delete_frontendsettings", + "django_celery_results.delete_chordcounter", + "django_q.change_task", + "documents.add_taskattributes", + "documents.delete_storagepath", + "sessions.add_session", + "documents.add_uisettings", + "documents.change_taskattributes", + "documents.delete_uisettings", + "django_q.delete_ormq", + "auth.change_permission", + "documents.view_savedviewfilterrule", + "documents.change_frontendsettings", + "documents.change_documenttype", + "documents.view_correspondent", + "auth.add_user", + "paperless_mail.change_mailaccount", + "documents.add_paperlesstask", + "django_q.view_success", + "django_celery_results.delete_groupresult", + "documents.delete_savedview", + "authtoken.change_tokenproxy", + "documents.view_frontendsettings", + "authtoken.add_token", + "django_celery_results.add_chordcounter", + "contenttypes.change_contenttype", + "admin.add_logentry", + "django_q.delete_failure", + "documents.change_uisettings", + "django_q.view_failure", + "documents.add_log", + "documents.change_savedview", + "paperless_mail.view_mailrule", + "django_q.view_schedule", + "documents.change_document", + "django_celery_results.change_chordcounter", + "documents.add_document", + "django_celery_results.view_taskresult", + "contenttypes.add_contenttype", + "django_q.delete_success", + "documents.delete_comment", + "django_q.add_failure", + "guardian.add_userobjectpermission", + "sessions.view_session", + "contenttypes.view_contenttype", + "auth.add_permission", + "documents.delete_log", + "django_q.add_task", + "auth.add_group" + ] + }, + { + "id": 15, + "username": "test", + "password": "**********", + "first_name": "", + "last_name": "", + "date_joined": "2022-11-23T08:30:54Z", + "is_staff": true, + "is_active": true, + "is_superuser": false, + "groups": [ + 1 + ], + "user_permissions": [ + "add_group", + "change_group", + "delete_group", + "view_group", + "add_permission", + "change_permission", + "delete_permission", + "view_permission", + "add_token", + "change_token", + "delete_token", + "view_token", + "add_tokenproxy", + "change_tokenproxy", + "delete_tokenproxy", + "view_tokenproxy", + "add_contenttype", + "change_contenttype", + "delete_contenttype", + "view_contenttype", + "add_chordcounter", + "change_chordcounter", + "delete_chordcounter", + "view_chordcounter", + "add_groupresult", + "change_groupresult", + "delete_groupresult", + "view_groupresult", + "add_taskresult", + "change_taskresult", + "delete_taskresult", + "view_taskresult", + "add_failure", + "change_failure", + "delete_failure", + "view_failure", + "add_ormq", + "change_ormq", + "delete_ormq", + "view_ormq", + "add_schedule", + "change_schedule", + "delete_schedule", + "view_schedule", + "add_success", + "change_success", + "delete_success", + "view_success", + "add_task", + "change_task", + "delete_task", + "view_task", + "add_comment", + "change_comment", + "delete_comment", + "view_comment", + "add_frontendsettings", + "change_frontendsettings", + "delete_frontendsettings", + "view_frontendsettings", + "add_log", + "change_log", + "delete_log", + "view_log", + "add_savedviewfilterrule", + "change_savedviewfilterrule", + "delete_savedviewfilterrule", + "view_savedviewfilterrule", + "add_taskattributes", + "change_taskattributes", + "delete_taskattributes", + "view_taskattributes", + "add_session", + "change_session", + "delete_session", + "view_session" + ], + "inherited_permissions": [ + "auth.delete_permission", + "django_celery_results.add_taskresult", + "documents.view_taskattributes", + "django_q.add_ormq", + "django_q.add_success", + "django_q.delete_schedule", + "django_q.view_ormq", + "auth.view_permission", + "django_q.add_schedule", + "django_celery_results.change_taskresult", + "django_q.change_schedule", + "django_celery_results.delete_taskresult", + "authtoken.change_token", + "auth.change_group", + "documents.add_comment", + "authtoken.delete_tokenproxy", + "documents.view_documenttype", + "contenttypes.delete_contenttype", + "documents.change_correspondent", + "authtoken.delete_token", + "documents.change_log", + "auth.view_group", + "authtoken.view_token", + "django_celery_results.view_chordcounter", + "django_celery_results.view_groupresult", + "documents.delete_documenttype", + "django_q.change_ormq", + "documents.change_savedviewfilterrule", + "django_celery_results.add_groupresult", + "auth.delete_group", + "documents.add_documenttype", + "django_q.change_success", + "auth.add_permission", + "documents.delete_correspondent", + "documents.delete_savedviewfilterrule", + "documents.add_correspondent", + "authtoken.view_tokenproxy", + "documents.delete_frontendsettings", + "django_celery_results.delete_chordcounter", + "documents.add_taskattributes", + "django_q.change_task", + "sessions.add_session", + "documents.change_taskattributes", + "documents.change_comment", + "django_q.delete_task", + "django_q.delete_ormq", + "auth.change_permission", + "documents.add_savedviewfilterrule", + "django_q.view_task", + "documents.view_savedviewfilterrule", + "documents.change_frontendsettings", + "documents.change_documenttype", + "documents.view_correspondent", + "django_q.view_success", + "documents.add_frontendsettings", + "django_celery_results.delete_groupresult", + "documents.delete_savedview", + "authtoken.change_tokenproxy", + "documents.view_frontendsettings", + "authtoken.add_token", + "sessions.change_session", + "django_celery_results.add_chordcounter", + "documents.view_savedview", + "contenttypes.change_contenttype", + "django_q.delete_failure", + "authtoken.add_tokenproxy", + "documents.view_document", + "documents.add_savedview", + "django_q.view_failure", + "documents.view_comment", + "documents.view_log", + "documents.add_log", + "documents.change_savedview", + "django_q.view_schedule", + "documents.change_document", + "django_celery_results.change_chordcounter", + "documents.add_document", + "sessions.delete_session", + "django_q.change_failure", + "django_celery_results.view_taskresult", + "contenttypes.add_contenttype", + "django_q.delete_success", + "documents.delete_comment", + "django_q.add_failure", + "sessions.view_session", + "contenttypes.view_contenttype", + "documents.delete_taskattributes", + "documents.delete_document", + "documents.delete_log", + "django_q.add_task", + "django_celery_results.change_groupresult", + "auth.add_group" + ] + }, + { + "id": 6, + "username": "testuser", + "password": "**********", + "first_name": "", + "last_name": "", + "date_joined": "2022-11-16T04:14:20.484914Z", + "is_staff": false, + "is_active": true, + "is_superuser": false, + "groups": [ + 1, + 6 + ], + "user_permissions": [ + "add_logentry", + "change_logentry", + "delete_logentry", + "view_logentry" + ], + "inherited_permissions": [ + "auth.delete_permission", + "django_celery_results.add_taskresult", + "documents.view_taskattributes", + "django_q.add_ormq", + "django_q.add_success", + "django_q.delete_schedule", + "django_q.view_ormq", + "auth.change_user", + "auth.view_permission", + "auth.view_user", + "django_q.add_schedule", + "django_celery_results.change_taskresult", + "django_q.change_schedule", + "django_celery_results.delete_taskresult", + "authtoken.change_token", + "auth.change_group", + "documents.add_comment", + "authtoken.delete_tokenproxy", + "documents.view_documenttype", + "contenttypes.delete_contenttype", + "documents.change_correspondent", + "authtoken.delete_token", + "documents.change_log", + "auth.view_group", + "authtoken.view_token", + "django_celery_results.view_chordcounter", + "django_celery_results.view_groupresult", + "documents.delete_documenttype", + "django_q.change_ormq", + "documents.change_savedviewfilterrule", + "django_celery_results.add_groupresult", + "auth.delete_group", + "documents.add_documenttype", + "django_q.change_success", + "auth.add_permission", + "documents.delete_correspondent", + "documents.delete_savedviewfilterrule", + "documents.add_correspondent", + "authtoken.view_tokenproxy", + "documents.delete_frontendsettings", + "django_celery_results.delete_chordcounter", + "documents.add_taskattributes", + "django_q.change_task", + "sessions.add_session", + "documents.change_taskattributes", + "documents.change_comment", + "django_q.delete_task", + "django_q.delete_ormq", + "auth.change_permission", + "documents.add_savedviewfilterrule", + "django_q.view_task", + "documents.view_savedviewfilterrule", + "documents.change_frontendsettings", + "documents.change_documenttype", + "documents.view_correspondent", + "auth.add_user", + "django_q.view_success", + "documents.add_frontendsettings", + "django_celery_results.delete_groupresult", + "documents.delete_savedview", + "authtoken.change_tokenproxy", + "documents.view_frontendsettings", + "authtoken.add_token", + "sessions.change_session", + "django_celery_results.add_chordcounter", + "documents.view_savedview", + "contenttypes.change_contenttype", + "django_q.delete_failure", + "authtoken.add_tokenproxy", + "documents.view_document", + "documents.add_savedview", + "django_q.view_failure", + "documents.view_comment", + "documents.view_log", + "auth.delete_user", + "documents.add_log", + "documents.change_savedview", + "django_q.view_schedule", + "documents.change_document", + "django_celery_results.change_chordcounter", + "documents.add_document", + "sessions.delete_session", + "django_q.change_failure", + "django_celery_results.view_taskresult", + "contenttypes.add_contenttype", + "django_q.delete_success", + "documents.delete_comment", + "django_q.add_failure", + "sessions.view_session", + "contenttypes.view_contenttype", + "documents.delete_taskattributes", + "documents.delete_document", + "documents.delete_log", + "django_q.add_task", + "django_celery_results.change_groupresult", + "auth.add_group" + ] + } + ] +} diff --git a/src-ui/cypress/support/e2e.ts b/src-ui/cypress/support/e2e.ts index 1d17409c2..1a8ef1710 100644 --- a/src-ui/cypress/support/e2e.ts +++ b/src-ui/cypress/support/e2e.ts @@ -5,6 +5,14 @@ beforeEach(() => { fixture: 'ui_settings/settings.json', }).as('ui-settings') + cy.intercept('http://localhost:8000/api/users/*', { + fixture: 'users/users.json', + }) + + cy.intercept('http://localhost:8000/api/groups/*', { + fixture: 'groups/groups.json', + }) + cy.intercept('http://localhost:8000/api/remote_version/', { fixture: 'remote_version/remote_version.json', }) diff --git a/src-ui/messages.xlf b/src-ui/messages.xlf index 5f687a0bd..16f00a722 100644 --- a/src-ui/messages.xlf +++ b/src-ui/messages.xlf @@ -254,60 +254,68 @@ Document added src/app/app.component.ts - 78 + 90 + + + src/app/app.component.ts + 100 Document was added to paperless. src/app/app.component.ts - 80 + 92 + + + src/app/app.component.ts + 102 Open document src/app/app.component.ts - 81 + 93 src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.html - 45 + 46 Could not add : src/app/app.component.ts - 97 + 116 New document detected src/app/app.component.ts - 112 + 131 Document is being processed by paperless. src/app/app.component.ts - 114 + 133 Prev src/app/app.component.ts - 119 + 138 Next src/app/app.component.ts - 120 + 139 src/app/components/document-detail/document-detail.component.html @@ -318,91 +326,91 @@ End src/app/app.component.ts - 121 + 140 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 - 126 + 145 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 its machine learning algorithms. src/app/app.component.ts - 136 + 155 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 - 145 + 164 The filtering tools allow you to quickly find documents using various searches, dates, tags, etc. src/app/app.component.ts - 157 + 176 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 - 167 + 186 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 - 176 + 195 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 - 185 + 204 Check out the settings for various tweaks to the web app, toggle settings for saved views or setup e-mail checking. src/app/app.component.ts - 194 + 213 Thank you! 🙏 src/app/app.component.ts - 203 + 222 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 - 205 + 224 Lastly, on behalf of every contributor to this community-supported project, thank you for using Paperless-ngx! src/app/app.component.ts - 207 + 226 Initiating upload... src/app/app.component.ts - 256 + 281 @@ -435,16 +443,20 @@ src/app/components/app-frame/app-frame.component.html - 171 + 174 src/app/components/app-frame/app-frame.component.html - 174 + 177 src/app/components/manage/settings/settings.component.html 1 + + src/app/components/manage/settings/settings.component.html + 192 + Logout @@ -480,7 +492,7 @@ src/app/components/document-list/document-list.component.ts - 88 + 94 src/app/components/manage/management-list/management-list.component.html @@ -514,47 +526,47 @@ Open documents src/app/components/app-frame/app-frame.component.html - 99 + 101 Close all src/app/components/app-frame/app-frame.component.html - 115 + 117 src/app/components/app-frame/app-frame.component.html - 118 + 120 Manage src/app/components/app-frame/app-frame.component.html - 124 + 127 Correspondents src/app/components/app-frame/app-frame.component.html - 128 + 131 src/app/components/app-frame/app-frame.component.html - 131 + 134 Tags src/app/components/app-frame/app-frame.component.html - 135 + 138 src/app/components/app-frame/app-frame.component.html - 138 + 141 src/app/components/common/input/tags/tags.component.html @@ -573,29 +585,29 @@ Document types src/app/components/app-frame/app-frame.component.html - 142 + 145 src/app/components/app-frame/app-frame.component.html - 145 + 148 Storage paths src/app/components/app-frame/app-frame.component.html - 149 + 152 src/app/components/app-frame/app-frame.component.html - 152 + 155 File Tasks src/app/components/app-frame/app-frame.component.html - 156 + 159 src/app/components/manage/tasks/tasks.component.html @@ -606,18 +618,18 @@ File Tasks src/app/components/app-frame/app-frame.component.html - 160 + 163 Logs src/app/components/app-frame/app-frame.component.html - 164 + 167 src/app/components/app-frame/app-frame.component.html - 167 + 170 src/app/components/manage/logs/logs.component.html @@ -628,7 +640,7 @@ Info src/app/components/app-frame/app-frame.component.html - 180 + 183 src/app/components/manage/tasks/tasks.component.html @@ -639,86 +651,86 @@ Documentation src/app/components/app-frame/app-frame.component.html - 184 + 187 src/app/components/app-frame/app-frame.component.html - 187 + 190 GitHub src/app/components/app-frame/app-frame.component.html - 192 + 195 src/app/components/app-frame/app-frame.component.html - 195 + 198 Suggest an idea src/app/components/app-frame/app-frame.component.html - 197 + 200 src/app/components/app-frame/app-frame.component.html - 201 + 204 is available. src/app/components/app-frame/app-frame.component.html - 210 + 213 Click to view. src/app/components/app-frame/app-frame.component.html - 210 + 213 Paperless-ngx can automatically check for updates src/app/components/app-frame/app-frame.component.html - 214 + 217 How does this work? src/app/components/app-frame/app-frame.component.html - 221,223 + 224,226 Update available src/app/components/app-frame/app-frame.component.html - 232 + 235 An error occurred while saving settings. src/app/components/app-frame/app-frame.component.ts - 83 + 89 src/app/components/manage/settings/settings.component.ts - 492 + 574 An error occurred while saving update checking settings. src/app/components/app-frame/app-frame.component.ts - 216 + 222 @@ -757,20 +769,24 @@ 32 - src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 279 + src/app/components/common/permissions-dialog/permissions-dialog.component.html + 17 src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 319 + 307 src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 357 + 347 src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 395 + 385 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.ts + 423 @@ -819,11 +835,15 @@ Name src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 8 + 9 src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.html - 9 + 10 + + + src/app/components/common/edit-dialog/group-edit-dialog/group-edit-dialog.component.html + 10 src/app/components/common/edit-dialog/mail-account-edit-dialog/mail-account-edit-dialog.component.html @@ -835,7 +855,7 @@ src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html - 13 + 9 src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html @@ -879,15 +899,23 @@ src/app/components/manage/settings/settings.component.html - 196 + 204 src/app/components/manage/settings/settings.component.html - 248 + 257 src/app/components/manage/settings/settings.component.html - 283 + 294 + + + src/app/components/manage/settings/settings.component.html + 345 + + + src/app/components/manage/settings/settings.component.html + 379 src/app/components/manage/tasks/tasks.component.html @@ -898,15 +926,15 @@ Matching algorithm src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 9 - - - src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.html 10 + + src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.html + 11 + src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html - 15 + 11 src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html @@ -917,15 +945,15 @@ Matching pattern src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 10 - - - src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.html 11 + + src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.html + 12 + src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html - 16 + 12 src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html @@ -936,15 +964,15 @@ Case insensitive src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 11 - - - src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.html 12 + + src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.html + 13 + src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html - 17 + 13 src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html @@ -955,10 +983,14 @@ Cancel src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 14 + 20 src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.html + 22 + + + src/app/components/common/edit-dialog/group-edit-dialog/group-edit-dialog.component.html 16 @@ -975,7 +1007,15 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html - 18 + 23 + + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 35 + + + src/app/components/common/permissions-dialog/permissions-dialog.component.html + 16 src/app/components/common/select-dialog/select-dialog.component.html @@ -994,10 +1034,14 @@ Save src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.html - 15 + 21 src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.html + 23 + + + src/app/components/common/edit-dialog/group-edit-dialog/group-edit-dialog.component.html 17 @@ -1014,11 +1058,15 @@ src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.html - 19 + 24 + + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 36 src/app/components/document-detail/document-detail.component.html - 185 + 196 src/app/components/document-list/save-view-config-dialog/save-view-config-dialog.component.html @@ -1026,56 +1074,93 @@ src/app/components/manage/settings/settings.component.html - 317 + 415 Create new correspondent src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 20 + 25 Edit correspondent src/app/components/common/edit-dialog/correspondent-edit-dialog/correspondent-edit-dialog.component.ts - 24 + 29 Create new document type src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.ts - 20 + 25 Edit document type src/app/components/common/edit-dialog/document-type-edit-dialog/document-type-edit-dialog.component.ts - 24 + 29 Create new item src/app/components/common/edit-dialog/edit-dialog.component.ts - 49 + 67 Edit item src/app/components/common/edit-dialog/edit-dialog.component.ts - 53 + 71 Could not save element: src/app/components/common/edit-dialog/edit-dialog.component.ts - 57 + 75 + + + + Permissions + + src/app/components/common/edit-dialog/group-edit-dialog/group-edit-dialog.component.html + 11 + + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 30 + + + src/app/components/common/input/permissions/permissions-form/permissions-form.component.html + 2 + + + src/app/components/document-detail/document-detail.component.html + 182 + + + src/app/components/document-list/bulk-editor/bulk-editor.component.html + 77 + + + + Create new user group + + src/app/components/common/edit-dialog/group-edit-dialog/group-edit-dialog.component.ts + 24 + + + + Edit user group + + src/app/components/common/edit-dialog/group-edit-dialog/group-edit-dialog.component.ts + 28 @@ -1105,6 +1190,14 @@ src/app/components/common/edit-dialog/mail-account-edit-dialog/mail-account-edit-dialog.component.html 16 + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 10 + + + src/app/components/manage/settings/settings.component.html + 344 + Password @@ -1112,6 +1205,10 @@ src/app/components/common/edit-dialog/mail-account-edit-dialog/mail-account-edit-dialog.component.html 17 + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 12 + Character Set @@ -1124,35 +1221,35 @@ No encryption src/app/components/common/edit-dialog/mail-account-edit-dialog/mail-account-edit-dialog.component.ts - 12 + 13 SSL src/app/components/common/edit-dialog/mail-account-edit-dialog/mail-account-edit-dialog.component.ts - 13 + 14 STARTTLS src/app/components/common/edit-dialog/mail-account-edit-dialog/mail-account-edit-dialog.component.ts - 14 + 15 Create new mail account src/app/components/common/edit-dialog/mail-account-edit-dialog/mail-account-edit-dialog.component.ts - 28 + 33 Edit mail account src/app/components/common/edit-dialog/mail-account-edit-dialog/mail-account-edit-dialog.component.ts - 32 + 37 @@ -1163,7 +1260,7 @@ src/app/components/manage/settings/settings.component.html - 284 + 295 @@ -1314,46 +1411,50 @@ src/app/services/toast.service.ts - 32 + 35 Only process attachments src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 25 + 26 src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 36 + 37 Process all files, including 'inline' attachments src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 29 + 30 Process message as .eml src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 40 + 41 Process message as .eml and attachments separately src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 44 + 45 Delete src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 51 + 52 + + + src/app/components/common/permissions-select/permissions-select.component.html + 9 src/app/components/document-detail/document-detail.component.html @@ -1361,7 +1462,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html - 126 + 137 src/app/components/manage/management-list/management-list.component.html @@ -1397,156 +1498,157 @@ src/app/components/manage/management-list/management-list.component.ts - 181 + 192 src/app/components/manage/settings/settings.component.html - 214 + 222 src/app/components/manage/settings/settings.component.html - 261 + 270 src/app/components/manage/settings/settings.component.html - 296 + 307 + + + src/app/components/manage/settings/settings.component.html + 359 + + + src/app/components/manage/settings/settings.component.html + 394 Move to specified folder src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 55 + 56 Mark as read, don't process read mails src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 59 + 60 Flag the mail, don't process flagged mails src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 63 + 64 Tag the mail with specified tag, don't process tagged mails src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 67 + 68 Use subject as title src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 74 + 75 Use attachment filename as title src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 78 + 79 Do not assign a correspondent src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 85 + 86 Use mail address src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 89 + 90 Use name (or mail address if not available) src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 93 + 94 Use correspondent selected below src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 97 + 98 Create new mail rule src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 137 + 139 Edit mail rule src/app/components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component.ts - 141 - - - - Note that editing a path does not apply changes to stored files until you have run the 'document_renamer' utility. See the documentation. - - src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html - 10 + 143 Path src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.html - 14 + 10 src/app/components/manage/storage-path-list/storage-path-list.component.ts - 35 + 42 e.g. src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts - 21 + 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 - 23 + 28 See <a target="_blank" href="https://docs.paperless-ngx.com/advanced_usage/#file-name-handling">documentation</a> for full list. src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts - 25 + 30 Create new storage path src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts - 30 + 35 Edit storage path src/app/components/common/edit-dialog/storage-path-edit-dialog/storage-path-edit-dialog.component.ts - 34 + 39 @@ -1557,7 +1659,7 @@ src/app/components/manage/tag-list/tag-list.component.ts - 35 + 42 @@ -1578,14 +1680,85 @@ Create new tag src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.ts - 21 + 26 Edit tag src/app/components/common/edit-dialog/tag-edit-dialog/tag-edit-dialog.component.ts - 25 + 30 + + + + Email + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 11 + + + + First name + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 13 + + + + Last name + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 14 + + + + Active + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 19 + + + + Superuser + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 23 + + + + (Grants all permissions and can view objects) + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 23 + + + + Groups + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.html + 27 + + + src/app/components/manage/settings/settings.component.html + 346 + + + src/app/components/manage/settings/settings.component.html + 367 + + + + Create new user account + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.ts + 41 + + + + Edit user account + + src/app/components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component.ts + 45 @@ -1594,6 +1767,14 @@ src/app/components/common/filterable-dropdown/filterable-dropdown.component.html 16 + + src/app/components/common/permissions-select/permissions-select.component.html + 6 + + + src/app/components/common/permissions-select/permissions-select.component.html + 17 + src/app/components/document-list/bulk-editor/bulk-editor.component.html 20 @@ -1643,11 +1824,139 @@ src/app/components/common/input/select/select.component.html - 30 + 31 src/app/components/common/input/tags/tags.component.html - 42 + 43 + + + + Edit Permissions + + src/app/components/common/input/permissions/permissions-form/permissions-form.component.html + 7 + + + + Owner: + + src/app/components/common/input/permissions/permissions-form/permissions-form.component.html + 19 + + + + Objects without an owner can be viewed and edited by all users + + src/app/components/common/input/permissions/permissions-form/permissions-form.component.html + 25 + + + + View + + src/app/components/common/input/permissions/permissions-form/permissions-form.component.html + 27 + + + src/app/components/common/permissions-select/permissions-select.component.html + 10 + + + src/app/components/document-list/document-card-large/document-card-large.component.html + 56 + + + + Users: + + src/app/components/common/input/permissions/permissions-form/permissions-form.component.html + 31 + + + src/app/components/common/input/permissions/permissions-form/permissions-form.component.html + 50 + + + + Groups: + + src/app/components/common/input/permissions/permissions-form/permissions-form.component.html + 39 + + + src/app/components/common/input/permissions/permissions-form/permissions-form.component.html + 58 + + + + Edit + + src/app/components/common/input/permissions/permissions-form/permissions-form.component.html + 46 + + + src/app/components/document-list/document-card-large/document-card-large.component.html + 49 + + + src/app/components/document-list/document-card-small/document-card-small.component.html + 70 + + + src/app/components/manage/management-list/management-list.component.html + 45 + + + src/app/components/manage/management-list/management-list.component.html + 45 + + + src/app/components/manage/management-list/management-list.component.html + 45 + + + src/app/components/manage/management-list/management-list.component.html + 45 + + + src/app/components/manage/management-list/management-list.component.html + 59 + + + src/app/components/manage/management-list/management-list.component.html + 59 + + + src/app/components/manage/management-list/management-list.component.html + 59 + + + src/app/components/manage/management-list/management-list.component.html + 59 + + + src/app/components/manage/settings/settings.component.html + 269 + + + src/app/components/manage/settings/settings.component.html + 306 + + + src/app/components/manage/settings/settings.component.html + 358 + + + src/app/components/manage/settings/settings.component.html + 393 + + + + Edit permissions also grant viewing permissions + + src/app/components/common/input/permissions/permissions-form/permissions-form.component.html + 64 @@ -1662,9 +1971,62 @@ Add tag src/app/components/common/input/tags/tags.component.html + 12 + + + + Set Permissions + + src/app/components/common/permissions-dialog/permissions-dialog.component.ts + 26 + + + + Note that permissions set here will override any existing permissions + + src/app/components/common/permissions-dialog/permissions-dialog.component.ts + 41 + + + + Type + + src/app/components/common/permissions-select/permissions-select.component.html + 5 + + + + Add + + src/app/components/common/permissions-select/permissions-select.component.html + 7 + + + + Change + + src/app/components/common/permissions-select/permissions-select.component.html + 8 + + + + + + src/app/components/common/permissions-select/permissions-select.component.html + 22 + + + src/app/components/manage/tasks/tasks.component.html 11 + + Inerhited from group + + src/app/components/common/permissions-select/permissions-select.component.ts + 59 + + Select @@ -1699,15 +2061,19 @@ src/app/components/document-list/document-list.component.html - 93 + 95 src/app/components/manage/settings/settings.component.html - 222 + 230 src/app/components/manage/settings/settings.component.html - 308 + 320 + + + src/app/components/manage/settings/settings.component.html + 406 src/app/components/manage/tasks/tasks.component.html @@ -1722,14 +2088,14 @@ Hello , welcome to Paperless-ngx src/app/components/dashboard/dashboard.component.ts - 18 + 21 Welcome to Paperless-ngx src/app/components/dashboard/dashboard.component.ts - 20 + 23 @@ -1751,7 +2117,7 @@ src/app/components/document-list/document-list.component.html - 157 + 159 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -1778,7 +2144,7 @@ src/app/components/document-list/document-list.component.html - 139 + 141 src/app/components/document-list/filter-editor/filter-editor.component.ts @@ -1851,32 +2217,32 @@ Processing: src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 36 + 39 Failed: src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 39 + 42 Added: src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 42 + 45 , src/app/components/dashboard/widgets/upload-file-widget/upload-file-widget.component.ts - 45 + 48 src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 224 + 252 this string is used to separate processing, failed and added on the file upload widget @@ -1947,14 +2313,14 @@ Error saving comment: src/app/components/document-comments/document-comments.component.ts - 68 + 71 Error deleting comment: src/app/components/document-comments/document-comments.component.ts - 83 + 86 @@ -1983,7 +2349,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html - 90 + 101 src/app/components/document-list/document-card-large/document-card-large.component.html @@ -2009,7 +2375,7 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html - 77 + 88 @@ -2031,7 +2397,7 @@ src/app/guards/dirty-saved-view.guard.ts - 32 + 40 @@ -2070,11 +2436,11 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html - 38 + 39 src/app/components/document-list/document-list.component.html - 133 + 135 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -2093,11 +2459,11 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html - 47 + 49 src/app/components/document-list/document-list.component.html - 145 + 147 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -2116,11 +2482,11 @@ src/app/components/document-list/bulk-editor/bulk-editor.component.html - 56 + 59 src/app/components/document-list/document-list.component.html - 151 + 153 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -2229,6 +2595,13 @@ 145 + + Preview + + src/app/components/document-detail/document-detail.component.html + 151 + + Enter Password @@ -2237,14 +2610,14 @@ src/app/components/document-detail/document-detail.component.html - 203 + 215 Comments src/app/components/document-detail/document-detail.component.html - 174 + 175 src/app/components/manage/settings/settings.component.html @@ -2255,120 +2628,161 @@ Discard src/app/components/document-detail/document-detail.component.html - 183 + 194 Save & next src/app/components/document-detail/document-detail.component.html - 184 + 195 + + + + Error retrieving metadata + + src/app/components/document-detail/document-detail.component.ts + 305 + + + + Error retrieving suggestions + + src/app/components/document-detail/document-detail.component.ts + 319 + + + + Error saving document + + src/app/components/document-detail/document-detail.component.ts + 432 + + + src/app/components/document-detail/document-detail.component.ts + 476 Confirm delete src/app/components/document-detail/document-detail.component.ts - 453 + 505 src/app/components/manage/management-list/management-list.component.ts - 177 + 188 Do you really want to delete document ""? src/app/components/document-detail/document-detail.component.ts - 454 + 506 The files for this document will be deleted permanently. This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 455 + 507 Delete document src/app/components/document-detail/document-detail.component.ts - 457 + 509 Error deleting document: src/app/components/document-detail/document-detail.component.ts - 473 + 525 Redo OCR confirm src/app/components/document-detail/document-detail.component.ts - 493 + 545 src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 454 + 482 This operation will permanently redo OCR for this document. src/app/components/document-detail/document-detail.component.ts - 494 + 546 This operation cannot be undone. src/app/components/document-detail/document-detail.component.ts - 495 + 547 src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 417 + 445 src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 456 + 484 src/app/components/manage/settings/settings.component.ts - 576 + 657 src/app/components/manage/settings/settings.component.ts - 635 + 711 + + + src/app/components/manage/settings/settings.component.ts + 772 + + + src/app/components/manage/settings/settings.component.ts + 831 Proceed src/app/components/document-detail/document-detail.component.ts - 497 + 549 src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 458 + 486 src/app/components/manage/settings/settings.component.ts - 578 + 659 src/app/components/manage/settings/settings.component.ts - 637 + 713 + + + src/app/components/manage/settings/settings.component.ts + 774 + + + src/app/components/manage/settings/settings.component.ts + 833 Redo OCR operation will begin in the background. Close and re-open or reload this document after the operation has completed to see new content. src/app/components/document-detail/document-detail.component.ts - 505 + 557 @@ -2377,7 +2791,7 @@ )"/> src/app/components/document-detail/document-detail.component.ts - 516,518 + 568,570 @@ -2409,7 +2823,7 @@ Filter correspondents src/app/components/document-list/bulk-editor/bulk-editor.component.html - 39 + 40 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -2420,7 +2834,7 @@ Filter document types src/app/components/document-list/bulk-editor/bulk-editor.component.html - 48 + 50 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -2431,7 +2845,7 @@ Filter storage paths src/app/components/document-list/bulk-editor/bulk-editor.component.html - 57 + 60 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -2442,7 +2856,7 @@ Actions src/app/components/document-list/bulk-editor/bulk-editor.component.html - 74 + 85 src/app/components/manage/management-list/management-list.component.html @@ -2462,15 +2876,23 @@ src/app/components/manage/settings/settings.component.html - 213 + 221 src/app/components/manage/settings/settings.component.html - 250 + 259 src/app/components/manage/settings/settings.component.html - 285 + 296 + + + src/app/components/manage/settings/settings.component.html + 347 + + + src/app/components/manage/settings/settings.component.html + 382 src/app/components/manage/tasks/tasks.component.html @@ -2481,28 +2903,28 @@ Include: src/app/components/document-list/bulk-editor/bulk-editor.component.html - 96 + 107 Archived files src/app/components/document-list/bulk-editor/bulk-editor.component.html - 100,102 + 111,113 Original files src/app/components/document-list/bulk-editor/bulk-editor.component.html - 106,108 + 117,119 Use formatted filename src/app/components/document-list/bulk-editor/bulk-editor.component.html - 113,115 + 124,126 @@ -2511,25 +2933,25 @@ )"/> src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 144,146 + 172,174 "" src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 216 + 244 src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 222 + 250 "" and "" src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 218 + 246 This is for messages like 'modify "tag1" and "tag2"' @@ -2537,7 +2959,7 @@ and "" src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 226,228 + 254,256 this is for messages like 'modify "tag1", "tag2" and "tag3"' @@ -2545,14 +2967,14 @@ Confirm tags assignment src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 243 + 271 This operation will add the tag "" to selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 249 + 277 @@ -2561,14 +2983,14 @@ )"/> to selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 254,256 + 282,284 This operation will remove the tag "" from selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 262 + 290 @@ -2577,7 +2999,7 @@ )"/> from selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 267,269 + 295,297 @@ -2588,98 +3010,98 @@ )"/> on selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 271,275 + 299,303 Confirm correspondent assignment src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 312 + 340 This operation will assign the correspondent "" to selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 314 + 342 This operation will remove the correspondent from selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 316 + 344 Confirm document type assignment src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 350 + 378 This operation will assign the document type "" to selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 352 + 380 This operation will remove the document type from selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 354 + 382 Confirm storage path assignment src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 388 + 416 This operation will assign the storage path "" to selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 390 + 418 This operation will remove the storage path from selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 392 + 420 Delete confirm src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 415 + 443 This operation will permanently delete selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 416 + 444 Delete document(s) src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 419 + 447 This operation will permanently redo OCR for selected document(s). src/app/components/document-list/bulk-editor/bulk-editor.component.ts - 455 + 483 @@ -2690,7 +3112,7 @@ src/app/components/document-list/document-list.component.html - 178 + 180 @@ -2701,65 +3123,7 @@ src/app/components/document-list/document-list.component.html - 183 - - - - Edit - - src/app/components/document-list/document-card-large/document-card-large.component.html - 49 - - - src/app/components/document-list/document-card-small/document-card-small.component.html - 70 - - - src/app/components/manage/management-list/management-list.component.html - 45 - - - src/app/components/manage/management-list/management-list.component.html - 45 - - - src/app/components/manage/management-list/management-list.component.html - 45 - - - src/app/components/manage/management-list/management-list.component.html - 45 - - - src/app/components/manage/management-list/management-list.component.html - 59 - - - src/app/components/manage/management-list/management-list.component.html - 59 - - - src/app/components/manage/management-list/management-list.component.html - 59 - - - src/app/components/manage/management-list/management-list.component.html - 59 - - - src/app/components/manage/settings/settings.component.html - 260 - - - src/app/components/manage/settings/settings.component.html - 295 - - - - View - - src/app/components/document-list/document-card-large/document-card-large.component.html - 56 + 185 @@ -2770,7 +3134,7 @@ src/app/components/document-list/document-list.component.html - 187 + 189 @@ -2781,7 +3145,7 @@ src/app/components/document-list/document-list.component.html - 192 + 194 @@ -2886,54 +3250,58 @@ src/app/components/document-list/document-list.component.html 64 + + src/app/components/manage/settings/settings.component.html + 199 + Save "" src/app/components/document-list/document-list.component.html - 75 + 76 Save as... src/app/components/document-list/document-list.component.html - 76 + 78 {VAR_PLURAL, plural, =1 {Selected of one document} other {Selected of documents}} src/app/components/document-list/document-list.component.html - 95 + 97 {VAR_PLURAL, plural, =1 {One document} other { documents}} src/app/components/document-list/document-list.component.html - 97 + 99 (filtered) src/app/components/document-list/document-list.component.html - 97 + 99 Error while loading documents src/app/components/document-list/document-list.component.html - 110 + 112 ASN src/app/components/document-list/document-list.component.html - 128,127 + 130,129 src/app/components/document-list/filter-editor/filter-editor.component.ts @@ -2948,7 +3316,7 @@ Added src/app/components/document-list/document-list.component.html - 163 + 165 src/app/components/document-list/filter-editor/filter-editor.component.html @@ -2963,21 +3331,21 @@ Edit document src/app/components/document-list/document-list.component.html - 182 + 184 View "" saved successfully. src/app/components/document-list/document-list.component.ts - 196 + 202 View "" created successfully. src/app/components/document-list/document-list.component.ts - 237 + 243 @@ -3114,7 +3482,7 @@ src/app/components/manage/settings/settings.component.html - 208 + 216 @@ -3125,7 +3493,7 @@ src/app/components/manage/settings/settings.component.html - 204 + 212 @@ -3146,49 +3514,49 @@ correspondent src/app/components/manage/correspondent-list/correspondent-list.component.ts - 33 + 39 correspondents src/app/components/manage/correspondent-list/correspondent-list.component.ts - 34 + 40 Last used src/app/components/manage/correspondent-list/correspondent-list.component.ts - 38 + 45 Do you really want to delete the correspondent ""? src/app/components/manage/correspondent-list/correspondent-list.component.ts - 48 + 55 document type src/app/components/manage/document-type-list/document-type-list.component.ts - 30 + 36 document types src/app/components/manage/document-type-list/document-type-list.component.ts - 31 + 37 Do you really want to delete the document type ""? src/app/components/manage/document-type-list/document-type-list.component.ts - 37 + 44 @@ -3309,7 +3677,7 @@ Automatic src/app/components/manage/management-list/management-list.component.ts - 87 + 98 src/app/data/matching-model.ts @@ -3320,42 +3688,42 @@ Successfully created . src/app/components/manage/management-list/management-list.component.ts - 127 + 138 Error occurred while creating : . src/app/components/manage/management-list/management-list.component.ts - 132,134 + 143,145 Successfully updated . src/app/components/manage/management-list/management-list.component.ts - 150 + 161 Error occurred while saving : . src/app/components/manage/management-list/management-list.component.ts - 155,157 + 166,168 Do you really want to delete the ? src/app/components/manage/management-list/management-list.component.ts - 164 + 175 Associated documents will not be deleted. src/app/components/manage/management-list/management-list.component.ts - 179 + 190 @@ -3364,7 +3732,7 @@ )"/> src/app/components/manage/management-list/management-list.component.ts - 192,194 + 203,205 @@ -3647,123 +4015,158 @@ 181 + + Show warning when closing saved views with unsaved changes + + src/app/components/manage/settings/settings.component.html + 195 + + Appears on src/app/components/manage/settings/settings.component.html - 201 + 209 No saved views defined. src/app/components/manage/settings/settings.component.html - 218 + 226 Mail src/app/components/manage/settings/settings.component.html - 232,231 + 240,239 Mail accounts src/app/components/manage/settings/settings.component.html - 236 + 245 Add Account src/app/components/manage/settings/settings.component.html - 241 + 250 Server src/app/components/manage/settings/settings.component.html - 249 + 258 No mail accounts defined. src/app/components/manage/settings/settings.component.html - 267 + 276 Mail rules src/app/components/manage/settings/settings.component.html - 271 + 282 Add Rule src/app/components/manage/settings/settings.component.html - 276 + 287 No mail rules defined. src/app/components/manage/settings/settings.component.html - 302 + 313 + + + + Users & Groups + + src/app/components/manage/settings/settings.component.html + 327 + + + + Users + + src/app/components/manage/settings/settings.component.html + 332 + + + + Add User + + src/app/components/manage/settings/settings.component.html + 337 + + + + Add Group + + src/app/components/manage/settings/settings.component.html + 372 Saved view "" deleted. src/app/components/manage/settings/settings.component.ts - 383 + 461 Settings saved src/app/components/manage/settings/settings.component.ts - 476 + 558 Settings were saved successfully. src/app/components/manage/settings/settings.component.ts - 477 + 559 Settings were saved successfully. Reload is required to apply some changes. src/app/components/manage/settings/settings.component.ts - 481 + 563 Reload now src/app/components/manage/settings/settings.component.ts - 482 + 564 Use system language src/app/components/manage/settings/settings.component.ts - 500 + 582 Use date format of display language src/app/components/manage/settings/settings.component.ts - 507 + 589 @@ -3772,133 +4175,217 @@ )"/> src/app/components/manage/settings/settings.component.ts - 527,529 + 609,611 + + + + Saved user "". + + src/app/components/manage/settings/settings.component.ts + 636 + + + + Error saving user: . + + src/app/components/manage/settings/settings.component.ts + 645 + + + + Confirm delete user account + + src/app/components/manage/settings/settings.component.ts + 655 + + + + This operation will permanently this user account. + + src/app/components/manage/settings/settings.component.ts + 656 + + + + Deleted user + + src/app/components/manage/settings/settings.component.ts + 665 + + + + Error deleting user: . + + src/app/components/manage/settings/settings.component.ts + 673 + + + + Saved group "". + + src/app/components/manage/settings/settings.component.ts + 691 + + + + Error saving group: . + + src/app/components/manage/settings/settings.component.ts + 699 + + + + Confirm delete user group + + src/app/components/manage/settings/settings.component.ts + 709 + + + + This operation will permanently this user group. + + src/app/components/manage/settings/settings.component.ts + 710 + + + + Deleted group + + src/app/components/manage/settings/settings.component.ts + 719 + + + + Error deleting group: . + + src/app/components/manage/settings/settings.component.ts + 727 Saved account "". src/app/components/manage/settings/settings.component.ts - 554 + 750 Error saving account: . src/app/components/manage/settings/settings.component.ts - 564 + 760 Confirm delete mail account src/app/components/manage/settings/settings.component.ts - 574 + 770 This operation will permanently delete this mail account. src/app/components/manage/settings/settings.component.ts - 575 + 771 Deleted mail account src/app/components/manage/settings/settings.component.ts - 584 + 780 Error deleting mail account: . src/app/components/manage/settings/settings.component.ts - 593 + 789 Saved rule "". src/app/components/manage/settings/settings.component.ts - 612 + 808 Error saving rule: . src/app/components/manage/settings/settings.component.ts - 623 + 819 Confirm delete mail rule src/app/components/manage/settings/settings.component.ts - 633 + 829 This operation will permanently delete this mail rule. src/app/components/manage/settings/settings.component.ts - 634 + 830 Deleted mail rule src/app/components/manage/settings/settings.component.ts - 643 + 839 Error deleting mail rule: . src/app/components/manage/settings/settings.component.ts - 652 + 848 storage path src/app/components/manage/storage-path-list/storage-path-list.component.ts - 30 + 36 storage paths src/app/components/manage/storage-path-list/storage-path-list.component.ts - 31 + 37 Do you really want to delete the storage path ""? src/app/components/manage/storage-path-list/storage-path-list.component.ts - 45 + 52 tag src/app/components/manage/tag-list/tag-list.component.ts - 30 + 36 tags src/app/components/manage/tag-list/tag-list.component.ts - 31 + 37 Do you really want to delete the tag ""? src/app/components/manage/tag-list/tag-list.component.ts - 46 + 53 @@ -3908,13 +4395,6 @@ 6 - - - - src/app/components/manage/tasks/tasks.component.html - 11 - - Refresh @@ -3944,74 +4424,74 @@ src/app/components/manage/tasks/tasks.component.ts - 56 + 62 Open Document src/app/components/manage/tasks/tasks.component.html - 86 + 87 Failed  src/app/components/manage/tasks/tasks.component.html - 103 + 105 Complete  src/app/components/manage/tasks/tasks.component.html - 109 + 111 Started  src/app/components/manage/tasks/tasks.component.html - 115 + 117 Queued  src/app/components/manage/tasks/tasks.component.html - 121 + 123 Dismiss selected src/app/components/manage/tasks/tasks.component.ts - 22 + 26 Dismiss all src/app/components/manage/tasks/tasks.component.ts - 23 + 27 src/app/components/manage/tasks/tasks.component.ts - 54 + 60 Confirm Dismiss All src/app/components/manage/tasks/tasks.component.ts - 52 + 58 tasks? src/app/components/manage/tasks/tasks.component.ts - 54 + 60 @@ -4113,7 +4593,7 @@ src/app/guards/dirty-saved-view.guard.ts - 24 + 32 src/app/services/open-documents.service.ts @@ -4153,21 +4633,28 @@ You have unsaved changes to the saved view src/app/guards/dirty-saved-view.guard.ts - 26 + 34 Are you sure you want to close this saved view? src/app/guards/dirty-saved-view.guard.ts - 30 + 38 Save and close src/app/guards/dirty-saved-view.guard.ts - 34 + 42 + + + + You don't have permissions to do that + + src/app/guards/permissions.guard.ts + 31 @@ -4347,210 +4834,210 @@ English (US) src/app/services/settings.service.ts - 145 + 162 Arabic src/app/services/settings.service.ts - 151 + 168 Belarusian src/app/services/settings.service.ts - 157 + 174 Czech src/app/services/settings.service.ts - 163 + 180 Danish src/app/services/settings.service.ts - 169 + 186 German src/app/services/settings.service.ts - 175 + 192 English (GB) src/app/services/settings.service.ts - 181 + 198 Spanish src/app/services/settings.service.ts - 187 + 204 French src/app/services/settings.service.ts - 193 + 210 Italian src/app/services/settings.service.ts - 199 + 216 Luxembourgish src/app/services/settings.service.ts - 205 + 222 Dutch src/app/services/settings.service.ts - 211 + 228 Polish src/app/services/settings.service.ts - 217 + 234 Portuguese (Brazil) src/app/services/settings.service.ts - 223 + 240 Portuguese src/app/services/settings.service.ts - 229 + 246 Romanian src/app/services/settings.service.ts - 235 + 252 Russian src/app/services/settings.service.ts - 241 + 258 Slovenian src/app/services/settings.service.ts - 247 + 264 Serbian src/app/services/settings.service.ts - 253 + 270 Swedish src/app/services/settings.service.ts - 259 + 276 Turkish src/app/services/settings.service.ts - 265 + 282 Chinese Simplified src/app/services/settings.service.ts - 271 + 288 ISO 8601 src/app/services/settings.service.ts - 288 + 305 Successfully completed one-time migratration of settings to the database! src/app/services/settings.service.ts - 399 + 416 Unable to migrate settings to the database, please try saving manually. src/app/services/settings.service.ts - 400 + 417 Information src/app/services/toast.service.ts - 36 + 43 Connecting... src/app/services/upload-documents.service.ts - 31 + 34 Uploading... src/app/services/upload-documents.service.ts - 43 + 46 Upload complete, waiting... src/app/services/upload-documents.service.ts - 46 + 49 HTTP error: src/app/services/upload-documents.service.ts - 62 + 65 diff --git a/src-ui/src/app/app-routing.module.ts b/src-ui/src/app/app-routing.module.ts index a3da2894c..6f26a81fd 100644 --- a/src-ui/src/app/app-routing.module.ts +++ b/src-ui/src/app/app-routing.module.ts @@ -14,8 +14,13 @@ 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 { PermissionsGuard } from './guards/permissions.guard' import { DirtyDocGuard } from './guards/dirty-doc.guard' import { DirtySavedViewGuard } from './guards/dirty-saved-view.guard' +import { + PermissionAction, + PermissionType, +} from './services/permissions.service' const routes: Routes = [ { path: '', redirectTo: 'dashboard', pathMatch: 'full' }, @@ -29,23 +34,137 @@ const routes: Routes = [ path: 'documents', component: DocumentListComponent, canDeactivate: [DirtySavedViewGuard], + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.Document, + }, + }, }, { path: 'view/:id', component: DocumentListComponent, canDeactivate: [DirtySavedViewGuard], + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.SavedView, + }, + }, + }, + { + path: 'documents/:id', + component: DocumentDetailComponent, + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.Document, + }, + }, + }, + { + path: 'asn/:id', + component: DocumentAsnComponent, + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.Document, + }, + }, + }, + { + path: 'tags', + component: TagListComponent, + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.Tag, + }, + }, + }, + { + path: 'documenttypes', + component: DocumentTypeListComponent, + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.DocumentType, + }, + }, + }, + { + path: 'correspondents', + component: CorrespondentListComponent, + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.Correspondent, + }, + }, + }, + { + path: 'storagepaths', + component: StoragePathListComponent, + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.StoragePath, + }, + }, + }, + { + path: 'logs', + component: LogsComponent, + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.Admin, + }, + }, }, - { path: 'documents/:id', component: DocumentDetailComponent }, - { path: 'asn/:id', component: DocumentAsnComponent }, - { path: 'tags', component: TagListComponent }, - { path: 'documenttypes', component: DocumentTypeListComponent }, - { path: 'correspondents', component: CorrespondentListComponent }, - { path: 'storagepaths', component: StoragePathListComponent }, - { path: 'logs', component: LogsComponent }, { path: 'settings', component: SettingsComponent, canDeactivate: [DirtyFormGuard], + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.UISettings, + }, + }, + }, + { + path: 'tasks', + component: TasksComponent, + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.PaperlessTask, + }, + }, + }, + { + path: 'settings/:section', + component: SettingsComponent, + canDeactivate: [DirtyFormGuard], + canActivate: [PermissionsGuard], + data: { + requiredPermission: { + action: PermissionAction.View, + type: PermissionType.UISettings, + }, + }, }, { path: 'settings/:section', diff --git a/src-ui/src/app/app.component.ts b/src-ui/src/app/app.component.ts index 9a6962ccf..01eac1297 100644 --- a/src-ui/src/app/app.component.ts +++ b/src-ui/src/app/app.component.ts @@ -9,6 +9,11 @@ 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' +import { + PermissionAction, + PermissionsService, + PermissionType, +} from './services/permissions.service' @Component({ selector: 'app-root', @@ -32,7 +37,8 @@ export class AppComponent implements OnInit, OnDestroy { private uploadDocumentsService: UploadDocumentsService, private tasksService: TasksService, public tourService: TourService, - private renderer: Renderer2 + private renderer: Renderer2, + private permissionsService: PermissionsService ) { let anyWindow = window as any anyWindow.pdfWorkerSrc = 'assets/js/pdf.worker.min.js' @@ -74,15 +80,28 @@ export class AppComponent implements OnInit, OnDestroy { if ( this.showNotification(SETTINGS_KEYS.NOTIFICATIONS_CONSUMER_SUCCESS) ) { - this.toastService.show({ - title: $localize`Document added`, - delay: 10000, - content: $localize`Document ${status.filename} was added to paperless.`, - actionName: $localize`Open document`, - action: () => { - this.router.navigate(['documents', status.documentId]) - }, - }) + if ( + this.permissionsService.currentUserCan( + PermissionAction.View, + PermissionType.Document + ) + ) { + this.toastService.show({ + title: $localize`Document added`, + delay: 10000, + content: $localize`Document ${status.filename} was added to paperless.`, + actionName: $localize`Open document`, + action: () => { + this.router.navigate(['documents', status.documentId]) + }, + }) + } else { + this.toastService.show({ + title: $localize`Document added`, + delay: 10000, + content: $localize`Document ${status.filename} was added to paperless.`, + }) + } } }) @@ -225,7 +244,13 @@ export class AppComponent implements OnInit, OnDestroy { } public get dragDropEnabled(): boolean { - return !this.router.url.includes('dashboard') + return ( + !this.router.url.includes('dashboard') && + this.permissionsService.currentUserCan( + PermissionAction.Add, + PermissionType.Document + ) + ) } public fileOver() { diff --git a/src-ui/src/app/app.module.ts b/src-ui/src/app/app.module.ts index 16924729e..beb3b0935 100644 --- a/src-ui/src/app/app.module.ts +++ b/src-ui/src/app/app.module.ts @@ -42,6 +42,7 @@ import { CheckComponent } from './components/common/input/check/check.component' import { PasswordComponent } from './components/common/input/password/password.component' import { SaveViewConfigDialogComponent } from './components/document-list/save-view-config-dialog/save-view-config-dialog.component' import { TagsComponent } from './components/common/input/tags/tags.component' +import { IfPermissionsDirective } from './directives/if-permissions.directive' import { SortableDirective } from './directives/sortable.directive' import { CookieService } from 'ngx-cookie-service' import { CsrfInterceptor } from './interceptors/csrf.interceptor' @@ -70,6 +71,7 @@ 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 { PermissionsGuard } from './guards/permissions.guard' import { DirtyDocGuard } from './guards/dirty-doc.guard' import { DirtySavedViewGuard } from './guards/dirty-saved-view.guard' import { StoragePathListComponent } from './components/manage/storage-path-list/storage-path-list.component' @@ -77,8 +79,15 @@ import { StoragePathEditDialogComponent } from './components/common/edit-dialog/ import { SettingsService } from './services/settings.service' import { TasksComponent } from './components/manage/tasks/tasks.component' import { TourNgBootstrapModule } from 'ngx-ui-tour-ng-bootstrap' +import { UserEditDialogComponent } from './components/common/edit-dialog/user-edit-dialog/user-edit-dialog.component' +import { GroupEditDialogComponent } from './components/common/edit-dialog/group-edit-dialog/group-edit-dialog.component' +import { PermissionsSelectComponent } from './components/common/permissions-select/permissions-select.component' import { MailAccountEditDialogComponent } from './components/common/edit-dialog/mail-account-edit-dialog/mail-account-edit-dialog.component' import { MailRuleEditDialogComponent } from './components/common/edit-dialog/mail-rule-edit-dialog/mail-rule-edit-dialog.component' +import { PermissionsUserComponent } from './components/common/input/permissions/permissions-user/permissions-user.component' +import { PermissionsGroupComponent } from './components/common/input/permissions/permissions-group/permissions-group.component' +import { IfOwnerDirective } from './directives/if-owner.directive' +import { IfObjectPermissionsDirective } from './directives/if-object-permissions.directive' import localeAr from '@angular/common/locales/ar' import localeBe from '@angular/common/locales/be' @@ -100,6 +109,8 @@ 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 { PermissionsDialogComponent } from './components/common/permissions-dialog/permissions-dialog.component' +import { PermissionsFormComponent } from './components/common/input/permissions/permissions-form/permissions-form.component' registerLocaleData(localeAr) registerLocaleData(localeBe) @@ -165,6 +176,7 @@ function initializeApp(settings: SettingsService) { PasswordComponent, SaveViewConfigDialogComponent, TagsComponent, + IfPermissionsDirective, SortableDirective, SavedViewWidgetComponent, StatisticsWidgetComponent, @@ -186,8 +198,17 @@ function initializeApp(settings: SettingsService) { DocumentAsnComponent, DocumentCommentsComponent, TasksComponent, + UserEditDialogComponent, + GroupEditDialogComponent, + PermissionsSelectComponent, MailAccountEditDialogComponent, MailRuleEditDialogComponent, + PermissionsUserComponent, + PermissionsGroupComponent, + IfOwnerDirective, + IfObjectPermissionsDirective, + PermissionsDialogComponent, + PermissionsFormComponent, ], imports: [ BrowserModule, @@ -225,6 +246,7 @@ function initializeApp(settings: SettingsService) { DocumentTitlePipe, { provide: NgbDateAdapter, useClass: ISODateAdapter }, { provide: NgbDateParserFormatter, useClass: LocalizedDateParserFormatter }, + PermissionsGuard, DirtyDocGuard, DirtySavedViewGuard, ], 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 5115303d7..90e75be58 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 @@ -10,7 +10,7 @@ Paperless-ngx -
+
@@ -39,7 +39,7 @@

Logged in as {{this.settingsService.displayName}}

- + Settings @@ -72,7 +72,7 @@  Dashboard - +
+ + +
- - - - - +